From 6ab2d5a86d8fd87f6d5ca040cda089d6226340e8 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 29 Oct 2023 17:11:14 -0600 Subject: [PATCH 01/61] address ambiguous template naming in inline_dependencies --- buildingmotif/dataclasses/template.py | 51 ++++++++++++++++++--------- 1 file changed, 34 insertions(+), 17 deletions(-) diff --git a/buildingmotif/dataclasses/template.py b/buildingmotif/dataclasses/template.py index ffdd6632a..a40a18def 100644 --- a/buildingmotif/dataclasses/template.py +++ b/buildingmotif/dataclasses/template.py @@ -278,28 +278,44 @@ def inline_dependencies(self) -> "Template": replace_nodes( deptempl.body, {PARAM[k]: PARAM[v] for k, v in rename_params.items()} ) + # rename the optional_args in the dependency template too + deptempl.optional_args = [ + rename_params.get(arg, arg) for arg in deptempl.optional_args + ] + + # at this point, deptempl's parameters are all unique with respect to + # the parent template. They are either renamed explicitly via the dependency's + # args or implicitly via prefixing with the 'name' parameter. + + # Next, we need to determine which of deptempl's parameters are optional + # and add these to the parent template's optional_args list. + # get the parent template's optional args templ_optional_args = set(templ.optional_args) - # figure out which of deptempl's parameters are encoded as 'optional' by the - # parent (depending) template - deptempl_opt_args = deptempl.parameters.intersection(templ.optional_args) - # if the 'name' of the deptempl is optional, then all the arguments inside deptempl - # become optional + + # represents the optional parameters of the dependency template + deptempl_opt_args: Set[str] = set() + + # these optional parameters come from two places. + # 1. the dependency template itself (its optional_args) + deptempl_opt_args.update(deptempl.optional_args) + # 1a. remove any parameters that have the same name as a parameter in the + # parent but are not optional in the parent + deptempl_opt_args.difference_update(templ.parameters) + # 2. having the same name as an optional parameter in the parent template + # (templ_optional_args) + deptempl_opt_args.update( + templ_optional_args.intersection(deptempl.parameters) + ) + # 2a. if the 'name' of the deptempl is optional (given by the parent template), + # then all the arguments inside deptempl become optional + # (deptempl.parameters) if rename_params["name"] in deptempl_opt_args: # mark all of deptempl's parameters as optional - templ_optional_args.update(deptempl.parameters) - else: - # otherwise, only add the parameters that are explicitly - # marked as optional *and* appear in this dependency - templ_optional_args.update(deptempl_opt_args) - # ensure that the optional_args includes all params marked as - # optional by the dependency - templ_optional_args.update( - [rename_params[n] for n in deptempl.optional_args] - ) + deptempl_opt_args.update(deptempl.parameters) # convert our set of optional params to a list and assign to the parent template - templ.optional_args = list(templ_optional_args) + templ.optional_args = list(templ_optional_args.union(deptempl_opt_args)) # append the inlined template into the parent's body templ.body += deptempl.body @@ -356,7 +372,8 @@ def evaluate( ) # true if all parameters are now bound or only optional args are unbound if len(templ.parameters) == 0 or ( - not require_optional_args and templ.parameters == set(self.optional_args) + not require_optional_args + and templ.parameters.issubset(set(self.optional_args)) ): bind_prefixes(templ.body) if namespaces: From 0499b15de615e0c2cdb26b3fcbbecd2397316815 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 29 Oct 2023 17:13:09 -0600 Subject: [PATCH 02/61] fill non-graphs, propagate the optional arg requirement --- buildingmotif/dataclasses/template.py | 2 +- buildingmotif/ingresses/template.py | 8 +++++--- 2 files changed, 6 insertions(+), 4 deletions(-) diff --git a/buildingmotif/dataclasses/template.py b/buildingmotif/dataclasses/template.py index a40a18def..23e9492fc 100644 --- a/buildingmotif/dataclasses/template.py +++ b/buildingmotif/dataclasses/template.py @@ -409,7 +409,7 @@ def fill( for param in self.parameters if include_optional or param not in self.optional_args } - res = self.evaluate(bindings) + res = self.evaluate(bindings, require_optional_args=include_optional) assert isinstance(res, rdflib.Graph) return bindings, res diff --git a/buildingmotif/ingresses/template.py b/buildingmotif/ingresses/template.py index 95f986e25..a251f0b91 100644 --- a/buildingmotif/ingresses/template.py +++ b/buildingmotif/ingresses/template.py @@ -60,8 +60,9 @@ def graph(self, ns: Namespace) -> Graph: assert records is not None for rec in records: bindings = {self.mapper(k): _get_term(v, ns) for k, v in rec.fields.items()} - graph = self.template.evaluate(bindings) - assert isinstance(graph, Graph) + graph = self.template.evaluate(bindings, require_optional_args=True) + if not isinstance(graph, Graph): + bindings, graph = graph.fill(ns, include_optional=True) g += graph return g @@ -121,7 +122,8 @@ def graph(self, ns: Namespace) -> Graph: template = template.inline_dependencies() bindings = {self.mapper(k): _get_term(v, ns) for k, v in rec.fields.items()} graph = template.evaluate(bindings) - assert isinstance(graph, Graph) + if not isinstance(graph, Graph): + _, graph = graph.fill(ns) g += graph return g From 60bdcf425f03d5fc89d1ebea79d8e51611fc61c0 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 29 Oct 2023 17:13:47 -0600 Subject: [PATCH 03/61] update tests --- tests/unit/fixtures/templates/smalloffice.yml | 1 + tests/unit/test_template_api.py | 7 ++++++- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/tests/unit/fixtures/templates/smalloffice.yml b/tests/unit/fixtures/templates/smalloffice.yml index 63021a598..84cee8539 100644 --- a/tests/unit/fixtures/templates/smalloffice.yml +++ b/tests/unit/fixtures/templates/smalloffice.yml @@ -16,3 +16,4 @@ opt-vav: brick:isPointOf P:zone . optional: - occ + - zone diff --git a/tests/unit/test_template_api.py b/tests/unit/test_template_api.py index 80608dd4a..f0419f454 100644 --- a/tests/unit/test_template_api.py +++ b/tests/unit/test_template_api.py @@ -174,7 +174,12 @@ def test_template_evaluate_with_optional(bm: BuildingMOTIF): lib = Library.load(directory="tests/unit/fixtures/templates") templ = lib.get_template_by_name("opt-vav") assert templ.parameters == {"name", "occ", "zone"} - assert templ.optional_args == ["occ"] + assert templ.optional_args == ["occ", "zone"] + + g = templ.evaluate({"name": BLDG["vav"]}) + assert isinstance(g, Graph) + assert graph_size(g) == 1 + g = templ.evaluate({"name": BLDG["vav"], "zone": BLDG["zone1"]}) assert isinstance(g, Graph) assert graph_size(g) == 1 From 28a950d251b964eb91e42726a8245b7ca1b4fddf Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Thu, 30 Nov 2023 12:14:26 -0700 Subject: [PATCH 04/61] adjusting tests for inlining --- tests/unit/test_template_api.py | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/tests/unit/test_template_api.py b/tests/unit/test_template_api.py index f0419f454..ef7d2239d 100644 --- a/tests/unit/test_template_api.py +++ b/tests/unit/test_template_api.py @@ -197,8 +197,15 @@ def test_template_evaluate_with_optional(bm: BuildingMOTIF): assert isinstance(t, Template) assert t.parameters == {"occ"} + # assert no warning is raised when optional args are not required + with pytest.warns(None) as record: + t = templ.evaluate({"name": BLDG["vav"]}) + assert len(record) == 0 + with pytest.warns(): - partial_templ = templ.evaluate({"name": BLDG["vav"]}) + partial_templ = templ.evaluate( + {"name": BLDG["vav"]}, require_optional_args=True + ) assert isinstance(partial_templ, Template) g = partial_templ.evaluate({"zone": BLDG["zone1"]}) assert isinstance(g, Graph) From e69a94a5645e33bed8573eabd7fcbc906ff61ab4 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Thu, 30 Nov 2023 12:17:03 -0700 Subject: [PATCH 05/61] update 223p templates --- .../ashrae/223p/nrel-templates/devices.yml | 6 +++--- .../ashrae/223p/nrel-templates/properties.yml | 20 +++++++++---------- 2 files changed, 13 insertions(+), 13 deletions(-) diff --git a/libraries/ashrae/223p/nrel-templates/devices.yml b/libraries/ashrae/223p/nrel-templates/devices.yml index 3b9cc52d2..51f6ef0a9 100644 --- a/libraries/ashrae/223p/nrel-templates/devices.yml +++ b/libraries/ashrae/223p/nrel-templates/devices.yml @@ -219,7 +219,7 @@ sensor: @prefix P: . @prefix s223: . P:name a s223:Sensor ; - s223:hasMeasurementLocation P:where ; + s223:hasObservationLocation P:where ; s223:observes P:property . optional: ["where"] @@ -228,7 +228,7 @@ differential-sensor: @prefix P: . @prefix s223: . P:name a s223:Sensor ; - s223:hasMeasurementLocation P:whereA, P:whereB ; + s223:hasObservationLocation P:whereA, P:whereB ; s223:observes P:property . optional: ["whereA", "whereB"] @@ -237,7 +237,7 @@ evaporative-cooler: @prefix P: . @prefix s223: . P:name a s223:HeatExchanger ; - s223:hasRole s223:HeatExchanger-Evaporator ; + s223:hasRole s223:Role-Evaporator ; s223:hasConnectionPoint P:in, P:out, P:water-in, P:water-out ; s223:hasProperty P:entering-air-temp, P:leaving-air-temp, P:leaving-air-humidity ; s223:contains P:evap-cool-pump-2stage, P:evap-cool-sump-tank, P:evap-cool-fill-valve . diff --git a/libraries/ashrae/223p/nrel-templates/properties.yml b/libraries/ashrae/223p/nrel-templates/properties.yml index e8d7a3581..2af05ed75 100644 --- a/libraries/ashrae/223p/nrel-templates/properties.yml +++ b/libraries/ashrae/223p/nrel-templates/properties.yml @@ -7,7 +7,7 @@ static-pressure: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Pressure ; - qudt:unit unit:INH2O . + qudt:hasUnit unit:INH2O . damper-command: body: > @@ -18,7 +18,7 @@ damper-command: @prefix s223: . P:name a s223:QuantifiableActuatableProperty ; qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:unit unit:PERCENT . + qudt:hasUnit unit:PERCENT . damper-feedback: body: > @@ -29,7 +29,7 @@ damper-feedback: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:unit unit:PERCENT . + qudt:hasUnit unit:PERCENT . differential-pressure: body: > @@ -40,7 +40,7 @@ differential-pressure: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Pressure; - qudt:unit unit:INH2O . + qudt:hasUnit unit:INH2O . air-temperature: body: > @@ -51,7 +51,7 @@ air-temperature: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Temperature; - qudt:unit unit:DEG_C . + qudt:hasUnit unit:DEG_C . air-flow: body: > @@ -62,7 +62,7 @@ air-flow: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:VolumeFlowRate; - qudt:unit unit:FT3-PER-MIN . + qudt:hasUnit unit:FT3-PER-MIN . water-temperature: body: > @@ -73,7 +73,7 @@ water-temperature: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Temperature; - qudt:unit unit:DEG_C . + qudt:hasUnit unit:DEG_C . water-flow: body: > @@ -84,7 +84,7 @@ water-flow: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:VolumeFlowRate; - qudt:unit unit:FT3-PER-MIN . + qudt:hasUnit unit:FT3-PER-MIN . start-command: body: > @@ -117,5 +117,5 @@ relative-humidity: @prefix unit: . @prefix s223: . P:name a s223:QuantifiableObservableProperty ; - qudt:hasQuantityKind quantitykind:RelativeHumiditiy ; - qudt:unit unit:PERCENT_RH . + qudt:hasQuantityKind quantitykind:RelativeHumidity ; + qudt:hasUnit unit:PERCENT_RH . From 742e7aebccbb969760f6b0d06cd518af7475ac24 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Thu, 30 Nov 2023 13:34:47 -0700 Subject: [PATCH 06/61] update 223 --- libraries/ashrae/223p/ontology/223p.ttl | 5322 +++++++++++++++-------- 1 file changed, 3625 insertions(+), 1697 deletions(-) diff --git a/libraries/ashrae/223p/ontology/223p.ttl b/libraries/ashrae/223p/ontology/223p.ttl index d8f2cff27..a990cdd25 100644 --- a/libraries/ashrae/223p/ontology/223p.ttl +++ b/libraries/ashrae/223p/ontology/223p.ttl @@ -1,124 +1,862 @@ -@prefix g36: . +@prefix bacnet: . @prefix owl: . -@prefix quantitykind: . @prefix qudt: . +@prefix qudtqk: . @prefix rdf: . @prefix rdfs: . -@prefix ref: . @prefix s223: . @prefix sh: . -@prefix sp: . -@prefix spin: . -@prefix spl: . +@prefix unit: . @prefix xsd: . s223:Class a rdfs:Class, sh:NodeShape ; rdfs:label "Class" ; - rdfs:subClassOf rdfs:Class ; - sh:property [ rdfs:comment "This Class must have a label" ; - sh:path rdfs:label ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} must have an rdfs:label" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this -WHERE { -FILTER (NOT EXISTS {$this rdfs:label ?something}) . -} -""" ] ] . - -s223:AC-100V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-100V-50Hz" . - -s223:AC-120V-240V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-120V-240V-60Hz" . - -s223:AC-120V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-120V-60Hz" . - -s223:AC-200V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-200V-50Hz" . - -s223:AC-208V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-208V-60Hz" . - -s223:AC-220V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-220V-50Hz" . - -s223:AC-230V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-230V-50Hz" . + rdfs:comment "This is a modeling construct. All classes defined in the 223 standard are instances of s223:Class rather than owl:Class." ; + rdfs:subClassOf rdfs:Class . -s223:AC-240V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-240V-50Hz" . - -s223:AC-240V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-240V-60Hz" . - -s223:AC-24V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-24V-60Hz" . - -s223:AC-277V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-277V-60Hz" . - -s223:AC-347V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-347V-60Hz" . - -s223:AC-380V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-380V-50Hz" . - -s223:AC-400V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-400V-50Hz" . - -s223:AC-415V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-415V-50Hz" . - -s223:AC-480V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-480V-60Hz" . +s223:SymmetricProperty a rdfs:Class, + sh:NodeShape ; + rdfs:label "Symmetric property" ; + rdfs:comment "A SymmetricProperty is modeling construct used to define symmetric behavior for certain properties in the standard such as cnx and connected." ; + rdfs:subClassOf rdf:Property . -s223:AC-575V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-575V-60Hz" . +s223:12V-12V-Neg a s223:DC-12V ; + rdfs:label "12V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-12.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:12V-12V-Pos a s223:DC-12V ; + rdfs:label "12V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-12.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:12V-6V-Neg-6V-Pos a s223:DC-12V ; + rdfs:label "6V-Neg-6V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-6.0V, + s223:DCPositiveVoltage-6.0V . + +s223:24V-12V-Neg-12V-Pos a s223:DC-24V ; + rdfs:label "12V-Neg-12V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-12.0V, + s223:DCPositiveVoltage-12.0V . + +s223:24V-24V-Neg a s223:DC-24V ; + rdfs:label "24V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-24.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:24V-24V-Pos a s223:DC-24V ; + rdfs:label "24V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-24.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:380V-190V-Neg-190V-Pos a s223:DC-380V ; + rdfs:label "190V-Neg-190V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-190.0V, + s223:DCPositiveVoltage-190.0V . + +s223:380V-380V-Neg a s223:DC-380V ; + rdfs:label "380V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-380.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:380V-380V-Pos a s223:DC-380V ; + rdfs:label "380V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-380.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:48V-24V-Neg-24V-Pos a s223:DC-48V ; + rdfs:label "24V-Neg-24V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-24.0V, + s223:DCPositiveVoltage-24.0V . + +s223:48V-48V-Neg a s223:DC-48V ; + rdfs:label "48V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-48.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:48V-48V-Pos a s223:DC-48V ; + rdfs:label "48V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-48.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:5V-2.5V-Neg-2.5V-Pos a s223:DC-5V ; + rdfs:label "2.5V-Neg-2.5V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-2.5V, + s223:DCPositiveVoltage-2.5V . + +s223:5V-5V-Neg a s223:DC-5V ; + rdfs:label "5V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-5.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:5V-5V-Pos a s223:DC-5V ; + rdfs:label "5V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-5.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:6V-3V-Neg-3V-Pos a s223:DC-6V ; + rdfs:label "3V-Neg-3V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-3.0V, + s223:DCPositiveVoltage-3.0V . + +s223:6V-6V-Neg a s223:DC-6V ; + rdfs:label "6V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-6.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:6V-6V-Pos a s223:DC-6V ; + rdfs:label "6V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-6.0V, + s223:DCVoltage-DCZeroVoltage . + +s223:AC-10000VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-10000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V . + +s223:AC-10000VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-10000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V . + +s223:AC-10000VLL-5770VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-10000VLL-5770VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V, + s223:LineNeutralVoltage-5770V . + +s223:AC-10000VLL-5770VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-10000VLL-5770VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V, + s223:LineNeutralVoltage-5770V . + +s223:AC-110VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-110VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-110V . + +s223:AC-120VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-120V . + +s223:AC-127VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-127VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-127V . + +s223:AC-139VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-139VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-139V . + +s223:AC-1730VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-1730VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-1730V . + +s223:AC-1900VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-1900VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-1900V . + +s223:AC-190VLL-110VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-190VLL-110VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-190V, + s223:LineNeutralVoltage-110V . + +s223:AC-190VLL-110VLN-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-190VLL-110VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-190V, + s223:LineNeutralVoltage-110V . + +s223:AC-190VLL-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-190VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-190V . + +s223:AC-190VLL-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-190VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-190V . + +s223:AC-208VLL-120VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-208VLL-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-208V, + s223:LineNeutralVoltage-120V . + +s223:AC-208VLL-120VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-208VLL-120VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-208V, + s223:LineNeutralVoltage-120V . + +s223:AC-208VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-208VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-208V . + +s223:AC-208VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-208VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-208V . + +s223:AC-219VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-219VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-219V . + +s223:AC-220VLL-127VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-220VLL-127VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-220V, + s223:LineNeutralVoltage-127V . + +s223:AC-220VLL-127VLN-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-220VLL-127VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-220V, + s223:LineNeutralVoltage-127V . + +s223:AC-220VLL-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-220VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-220V . + +s223:AC-220VLL-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-220VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-220V . + +s223:AC-231VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-231VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-231V . + +s223:AC-2400VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-2400VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-2400V . + +s223:AC-240VLL-120VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V . + +s223:AC-240VLL-139VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-139VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-139V . + +s223:AC-240VLL-139VLN-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-139VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-139V . + +s223:AC-240VLL-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V . + +s223:AC-240VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V . + +s223:AC-240VLL-208VLN-120VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-208VLN-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V, + s223:LineNeutralVoltage-208V . + +s223:AC-240VLL-208VLN-120VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-208VLN-120VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V, + s223:LineNeutralVoltage-208V . + +s223:AC-240VLL-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V . + +s223:AC-240VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V . + +s223:AC-240VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-240VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-240V . + +s223:AC-24VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-24VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-24V . + +s223:AC-24VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-24VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-24V . + +s223:AC-277VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-277VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-277V . + +s223:AC-3000VLL-1730VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3000VLL-1730VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V, + s223:LineNeutralVoltage-1730V . + +s223:AC-3000VLL-1730VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3000VLL-1730VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V, + s223:LineNeutralVoltage-1730V . + +s223:AC-3000VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V . + +s223:AC-3000VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V . + +s223:AC-3300VLL-1900VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3300VLL-1900VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V, + s223:LineNeutralVoltage-1900V . + +s223:AC-3300VLL-1900VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3300VLL-1900VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V, + s223:LineNeutralVoltage-1900V . + +s223:AC-3300VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3300VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V . + +s223:AC-3300VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3300VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V . + +s223:AC-3460VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3460VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-3460V . + +s223:AC-347VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-347VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-347V . + +s223:AC-380VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-380VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-380V . + +s223:AC-380VLL-219VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-380VLL-219VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-380V, + s223:LineNeutralVoltage-219V . + +s223:AC-380VLL-219VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-380VLL-219VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-380V, + s223:LineNeutralVoltage-219V . + +s223:AC-380VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-380VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-380V . + +s223:AC-3810VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-3810VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-3810V . + +s223:AC-400VLL-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-400VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-400V . + +s223:AC-400VLL-231VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-400VLL-231VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-400V, + s223:LineNeutralVoltage-231V . + +s223:AC-400VLL-231VLN-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-400VLL-231VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-400V, + s223:LineNeutralVoltage-231V . + +s223:AC-400VLL-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-400VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-400V . + +s223:AC-415VLL-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-415VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-415V . + +s223:AC-415VLL-240VLN-1Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-415VLL-240VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-415V, + s223:LineNeutralVoltage-240V . + +s223:AC-415VLL-240VLN-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-415VLL-240VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-415V, + s223:LineNeutralVoltage-240V . + +s223:AC-415VLL-3Ph-50Hz a s223:Electricity-AC ; + rdfs:label "AC-415VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-415V . + +s223:AC-4160VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-4160VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V . + +s223:AC-4160VLL-2400VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-4160VLL-2400VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V, + s223:LineNeutralVoltage-2400V . + +s223:AC-4160VLL-2400VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-4160VLL-2400VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V, + s223:LineNeutralVoltage-2400V . + +s223:AC-4160VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-4160VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V . + +s223:AC-480VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-480VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-480V . + +s223:AC-480VLL-277VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-480VLL-277VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-480V, + s223:LineNeutralVoltage-277V . + +s223:AC-480VLL-277VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-480VLL-277VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-480V, + s223:LineNeutralVoltage-277V . + +s223:AC-480VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-480VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-480V . + +s223:AC-5770VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-5770VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-5770V . + +s223:AC-6000VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V . + +s223:AC-6000VLL-3460VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6000VLL-3460VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V, + s223:LineNeutralVoltage-3460V . + +s223:AC-6000VLL-3460VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6000VLL-3460VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V, + s223:LineNeutralVoltage-3460V . + +s223:AC-6000VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V . + +s223:AC-600VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-600VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-600V . + +s223:AC-600VLL-347VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-600VLL-347VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-600V, + s223:LineNeutralVoltage-347V . + +s223:AC-600VLL-347VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-600VLL-347VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-600V, + s223:LineNeutralVoltage-347V . + +s223:AC-600VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-600VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-600V . + +s223:AC-6600VLL-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6600VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V . + +s223:AC-6600VLL-3810VLN-1Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6600VLL-3810VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V, + s223:LineNeutralVoltage-3810V . + +s223:AC-6600VLL-3810VLN-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6600VLL-3810VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V, + s223:LineNeutralVoltage-3810V . + +s223:AC-6600VLL-3Ph-60Hz a s223:Electricity-AC ; + rdfs:label "AC-6600VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V . s223:Actuator a s223:Class, sh:NodeShape ; rdfs:label "Actuator" ; + rdfs:comment "A piece of equipment, either electrically, pneumatically, or hydraulically operated, that makes a change in the physical world, such as the position of a valve or damper." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An instance of Actuator must be associated with any number of actuatable property instances using the relation 'commanded by Property'." ; + sh:property [ rdfs:comment "If the relation actuates is present it must associate the Actuator with a Equipment." ; + sh:class s223:Equipment ; + sh:path s223:actuates ], + [ rdfs:comment "An Actuator must be associated with at least one ActuatableProperty using the relation commandedByProperty." ; sh:class s223:ActuatableProperty ; sh:minCount 1 ; - sh:path s223:commandedByProperty ], - [ sh:class s223:Equipment ; - sh:path s223:actuates ] . + sh:path s223:commandedByProperty ] . s223:AirHandlingUnit a s223:Class, sh:NodeShape ; - rdfs:label "AHU" ; + rdfs:label "Air handling unit" ; + rdfs:comment "An assembly consisting of sections containing a fan or fans and other necessary equipment to perform one or more of the following functions: circulating, filtration, heating, cooling, heat recovery, humidifying, dehumidifying, and mixing of air. It is usually connected to an air-distribution system." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An AirHandlingUnit must provide service using Air." ; - sh:minCount 2 ; + sh:property [ rdfs:comment "An AirHandlingUnit shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An AirHandlingUnit must provide service using Air." ; + [ rdfs:comment "An AirHandlingUnit shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . +s223:Aspect-Alarm a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Alarm" . + +s223:Aspect-CatalogNumber a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-CatalogNumber" ; + rdfs:comment "The value of the associated Property identifies the catalog number." . + +s223:Aspect-Command a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Command" . + +s223:Aspect-Deadband a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Deadband" . + +s223:Aspect-Delta a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Delta" ; + rdfs:comment "Used to signify the associated Property has a delta (difference) value." . + +s223:Aspect-DryBulb a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-DryBulb" ; + rdfs:comment "The associated Property is a DryBulb temperature." . + +s223:Aspect-Efficiency a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Efficiency" ; + rdfs:comment "The efficiency of something characterized by a dimensionless value of this Property." . + +s223:Aspect-Face a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Face" ; + rdfs:comment "The value of the associated Property identifies a property related to a face, e.g. Coil Face Velocity." . + +s223:Aspect-Fault a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Fault" . + +s223:Aspect-HighLimit a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-High limit" . + +s223:Aspect-Latent a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Latent" ; + rdfs:comment "The latent value of something characterized by this Property." . + +s223:Aspect-Loss a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Loss" ; + rdfs:comment "The magnitude of loss of something characterized by this Property." . + +s223:Aspect-LowLimit a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Low limit" . + +s223:Aspect-Manufacturer a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Manufacturer" ; + rdfs:comment "The value of the associated Property identifies the manufacturer." . + +s223:Aspect-Maximum a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Maximum" ; + rdfs:comment "The maximum allowable level of something characterized by this Property." . + +s223:Aspect-Minimum a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Minimum" ; + rdfs:comment "The minimum allowable level of something characterized by this Property." . + +s223:Aspect-Model a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Model" ; + rdfs:comment "The value of the associated Property identifies the model." . + +s223:Aspect-Nominal a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Nominal" ; + rdfs:comment "The nominal level of something characterized by this Property." . + +s223:Aspect-NominalFrequency a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Nominal Frequency" ; + rdfs:comment "The value of the associated Property identifies the nominal frequency of the medium" . + +s223:Aspect-PhaseAngle a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Phase angle" . + +s223:Aspect-PowerFactor a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-PowerFactor" ; + rdfs:comment "The power factor of something characterized by a dimensionless value of this Property." . + +s223:Aspect-Rated a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Rated" ; + rdfs:comment "The rated value of something characterized by this Property." . + +s223:Aspect-Sensible a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Sensible" ; + rdfs:comment "The sensible value of something characterized by this Property." . + +s223:Aspect-SerialNumber a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-SerialNumber" ; + rdfs:comment "The value of the associated Property identifies the serial number." . + +s223:Aspect-ServiceFactor a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-ServiceFactor" ; + rdfs:comment "The service factor of something characterized by a dimensionless value of this Property." . + +s223:Aspect-Setpoint a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Setpoint" . + +s223:Aspect-StandardConditions a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-StandardConditions" ; + rdfs:comment "Indicates the Property applies under standard conditions (such as standard temperature and pressure)." . + +s223:Aspect-Standby a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Standby" ; + rdfs:comment "The standby value of something characterized by this Property." . + +s223:Aspect-Startup a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Startup" ; + rdfs:comment "The startup value of something characterized by this Property." . + +s223:Aspect-Threshold a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Threshold" ; + rdfs:comment "The threshold value of something characterized by this Property." . + +s223:Aspect-Total a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Total" ; + rdfs:comment "The total amount of something characterized by this Property." . + +s223:Aspect-WetBulb a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-WetBulb" ; + rdfs:comment "The associated Property is a WetBulb temperature." . + +s223:Aspect-Year a s223:EnumerationKind-Aspect ; + rdfs:label "Aspect-Year" ; + rdfs:comment "The value of the associated Property identifies the year of manufacture." . + +s223:BACnetExternalReference a s223:Class, + sh:NodeShape ; + rdfs:label "BACnetExternalReference" ; + rdfs:comment "BACnetExternalReference is a subclass of ExternalReference that contains BACnet protocol parameter values necessary to associate a property with a value." ; + rdfs:subClassOf s223:ExternalReference ; + sh:property [ a sh:PropertyShape ; + rdfs:comment "If the relation device-identifier is present it associates the external reference with a BACnet device having the specific device identifier." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:device-identifier ; + sh:pattern "^[A-Za-z0-9-]+,[1-9][0-9]*$" ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation device-name is present it associates the external reference with a BACnet device having the specific device name." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:device-name ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation object-identifier is present it associates the external reference with the BACnet object having the specific object identifier." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:object-identifier ; + sh:pattern "^[A-Za-z0-9-]+,[1-9][0-9]*$" ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation object-name is present it associates the external reference with the BACnet object having the specific object name." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:object-name ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation priority-for-writing is present it provides the priority for writing values to the object." ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:priority-for-writing ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation property-array-index is present it provides the index for reading items from a property that is an array." ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:property-array-index ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation property-identifier is present it is either a decimal number or exactly equal to the ASHRAE 135-2020 Clause 21 identifier text of BACnetPropertyIdentifier. If it is omitted, it defaults to \"present-value\" except for BACnet File objects, where absence of property-identifier refers to the entire content of the file accessed with Stream Access." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:property-identifier ] . + s223:Battery a s223:Class, sh:NodeShape ; rdfs:label "Battery" ; + rdfs:comment "A container consisting of one or more cells, in which chemical energy is converted into electricity and used as a source of power." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A Battery may provide Electricity, or both provide and receive Electricity." ; + sh:or ( [ sh:property [ rdfs:comment "A Battery shall have at least one outlet or bidirectional ConnectionPoint using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Battery may provide Electricity, or both provide and receive Electricity." ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Battery shall have at least one outlet or bidirectional ConnectionPoint using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; @@ -138,16 +876,17 @@ s223:Binary-Unknown a s223:EnumerationKind-Binary ; s223:Boiler a s223:Class, sh:NodeShape ; rdfs:label "Boiler" ; + rdfs:comment "A closed, pressure vessel that uses fuel or electricity for heating water or other fluids to supply steam or hot water for heating, humidification, or other applications." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Boiler must provide service using Water." ; + sh:property [ rdfs:comment "A Boiler shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Boiler must provide service using Water." ; + [ rdfs:comment "A Boiler shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -156,58 +895,87 @@ s223:Boiler a s223:Class, s223:ChilledBeam a s223:Class, sh:NodeShape ; - rdfs:label "Chilled Beam" ; + rdfs:label "Chilled beam" ; + rdfs:comment "A structure with a colder surface temperature where air passes through, and air movement is induced in the room to achieve cooling. Cooling medium is generally water." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A ChilledBeam must be associated with the Role-Cooling by hasRole" ; + sh:property [ rdfs:comment "A ChilledBeam shall have at least one inlet using the medium Water." ; sh:minCount 1 ; - sh:path s223:hasRole ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Role-Cooling ] ], - [ rdfs:comment "A ChilledBeam must provide service using Water." ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A ChilledBeam must provide service using Water." ; + [ rdfs:comment "A ChilledBeam shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ] . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A ChilledBeam must be associated with the Role-Cooling using the relation hasRole" ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Role-Cooling ] ] . s223:Chiller a s223:Class, sh:NodeShape ; rdfs:label "Chiller" ; + rdfs:comment "A refrigerating machine used to transfer heat from fluids." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Chiller must provide service using Water." ; + sh:property [ rdfs:comment "A Chiller shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Chiller must provide service using Water." ; + [ rdfs:comment "A Chiller shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ] . +s223:ClosedWorldShape a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that all instances of a class use only the properties defined for that class." ; + sh:message "Predicate {?p} is not defined for instance {$this}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?p ?o +WHERE { +$this a/rdfs:subClassOf* s223:Concept . +$this ?p ?o . +FILTER(STRSTARTS (str(?p), "http://data.ashrae.org/standard223") || STRSTARTS (str(?p), "http://qudt.org/schema/qudt")) +FILTER NOT EXISTS {$this a sh:NodeShape} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . + ?class sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:xone/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:or/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +} +""" ] ; + sh:targetClass s223:Concept . + s223:Compressor a s223:Class, sh:NodeShape ; rdfs:label "Compressor" ; + rdfs:comment "A device for mechanically increasing the pressure of a gas." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Compressor must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; + sh:property [ rdfs:comment "A Compressor shall have at least one inlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Compressor must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; + [ rdfs:comment "A Compressor shall have at least one outlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . @@ -221,38 +989,55 @@ s223:ConcentrationSensor a s223:Class, s223:Controller a s223:Class, sh:NodeShape ; rdfs:label "Controller" ; + rdfs:comment "A device for regulation of a system or component in normal operation, which executes a FunctionBlock." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An instance of Controller can be associated with any number of Function block instances using the relation 'executes'." ; + sh:property [ rdfs:comment "If the relation executes is present it must associate the Controller with a FunctionBlock." ; sh:class s223:FunctionBlock ; - sh:path s223:executes ] . + sh:path s223:executes ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer the hasRole s223:Role-Controller relation for every instance of Controller" ; + sh:object s223:Role-Controller ; + sh:predicate s223:hasRole ; + sh:subject sh:this ] . + +s223:ControllerRoleShape a sh:NodeShape ; + rdfs:comment "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + sh:property [ a sh:PropertyShape ; + sh:hasValue s223:Role-Controller ; + sh:message "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + sh:minCount 1 ; + sh:path s223:hasRole ] ; + sh:targetSubjectsOf s223:executes . s223:CoolingCoil a s223:Class, sh:NodeShape ; rdfs:label "Cooling coil" ; + rdfs:comment "A coil that provides cooling." ; rdfs:subClassOf s223:Coil ; - sh:property [ rdfs:comment "A cooling coil must be related to the role 'HeatExchanger-Cooling' using the relation 'hasRole'." ; - sh:hasValue s223:HeatExchanger-Cooling ; + sh:property [ rdfs:comment "A cooling coil must be related to the role 'Role-Cooling' using the relation 'hasRole'." ; + sh:hasValue s223:Role-Cooling ; sh:minCount 1 ; sh:path s223:hasRole ] ; sh:rule [ a sh:TripleRule ; rdfs:comment "Cooling coils will always have the role Role-Cooling" ; - sh:object s223:HeatExchanger-Cooling ; + sh:object s223:Role-Cooling ; sh:predicate s223:hasRole ; sh:subject sh:this ] . s223:CoolingTower a s223:Class, sh:NodeShape ; rdfs:label "Cooling tower" ; + rdfs:comment "A heat transfer device in which atmospheric air cools warm water, generally by direct contact via evaporation." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A CoolingTower must provide service using Water." ; + sh:property [ rdfs:comment "A CoolingTower shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A CoolingTower must provide service using Water." ; + [ rdfs:comment "A CoolingTower shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -262,72 +1047,64 @@ s223:CoolingTower a s223:Class, s223:CorrelatedColorTemperatureSensor a s223:Class, sh:NodeShape ; rdfs:label "Correlated color temperature sensor" ; + rdfs:comment "A subclass of LightSensor that observes the color of light." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A CorrelatedColorTemperatureSensor will always observe a Property that has a QuantityKind of ThermodynamicTemperature." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:ThermodynamicTemperature .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . - -s223:DC-12V a s223:Electricity-DC ; - rdfs:label "DC 12V" . - -s223:DC-24V a s223:Electricity-DC ; - rdfs:label "DC 24V" . - -s223:DC-380V a s223:Electricity-DC ; - rdfs:label "DC 380V" . - -s223:DC-48V a s223:Electricity-DC ; - rdfs:label "DC 48V" . - -s223:DC-5V a s223:Electricity-DC ; - rdfs:label "DC 5V" . + sh:property [ rdfs:comment "A CorrelatedColorTemperatureSensor must always observe a Property that has a QuantityKind of ThermodynamicTemperature." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue qudtqk:ThermodynamicTemperature ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:DifferentialSensor a s223:Class, sh:NodeShape ; rdfs:label "Differential sensor" ; + rdfs:comment "A sensor that measures the difference of a quantity between any two points in the system." ; rdfs:subClassOf s223:AbstractSensor ; - sh:property [ rdfs:comment "A Differential Sensor must be defined in terms of the QuantityKind that is being measured" ; - sh:class qudt:QuantityKind ; - sh:minCount 1 ; - sh:path ( s223:observes qudt:hasQuantityKind ) ], - [ rdfs:comment "Ensure that the values of hasMeasurementLocationHigh and hasMeasurementLocationLow are distinct." ; - sh:path s223:hasMeasurementLocationHigh ; + sh:property [ rdfs:comment "A Differential Sensor must have different values for hasObservationLocationHigh and hasObservationLocationLow." ; + sh:path s223:hasObservationLocationHigh ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the values of hasMeasurementLocationHigh and hasMeasurementLocationLow are distinct." ; - sh:message "{$this} cannot have the same value, {?high}, for both hasMeasurementLocationHigh and hasMeasurementLocationLow" ; - sh:prefixes s223: ; + rdfs:comment "Ensure that the values of hasObservationLocationHigh and hasObservationLocationLow are distinct." ; + sh:message "{$this} cannot have the same value, {?high}, for both hasObservationLocationHigh and hasObservationLocationLow" ; + sh:prefixes ; sh:select """ SELECT $this ?high WHERE { - ?this s223:hasMeasurementLocationHigh ?high . - ?this s223:hasMeasurementLocationLow ?low . + $this s223:hasObservationLocationHigh ?high . + $this s223:hasObservationLocationLow ?low . FILTER (?high = ?low) . } -""" ] ] ; - sh:xone ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; +""" ] ], + [ rdfs:comment "A Differential Sensor must be defined in terms of the QuantityKind that is being measured." ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:path ( s223:observes qudt:hasQuantityKind ) ] ; + sh:xone ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:Connection ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocationLow ] ] ), - ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] ), + ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:Connection ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocationHigh ] ] ) . + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] ) . s223:Direction-Bidirectional a s223:EnumerationKind-Direction ; rdfs:label "Direction-Bidirectional" ; @@ -354,6 +1131,10 @@ s223:Domain-Fire a s223:EnumerationKind-Domain ; rdfs:label "Domain-Fire" ; rdfs:comment "The domain Fire represents equipment used to provide fire detection and protection within a building. Example equipment that might be fall within a Fire domain include smoke detectors, alarm annunciators, and emergency public address systems. " . +s223:Domain-HVAC a s223:EnumerationKind-Domain ; + rdfs:label "Domain-HVAC" ; + rdfs:comment "The domain HVAC represents equipment used to provide space conditioning and ventilation within a building. Example equipment that might fall within an HVAC domain include fans, pumps, air-handling units, and variable air volume boxes. " . + s223:Domain-Lighting a s223:EnumerationKind-Domain ; rdfs:label "Domain-Lighting" ; rdfs:comment "The domain Lighting represents equipment used to provide illumination within or outside a building. Example equipment that might fall within a Lighting domain includes luminaires, daylight sensors, and movable sun shades." . @@ -381,31 +1162,24 @@ s223:Domain-Refrigeration a s223:EnumerationKind-Domain ; s223:Door a s223:Class, sh:NodeShape ; rdfs:label "Door" ; + rdfs:comment "A hinged, sliding, or revolving barrier at the entrance to a building or room." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Door must have ConnectionPoints with the medium Medium-Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Door must have ConnectionPoints with the medium Medium-Air." ; + sh:property [ rdfs:comment "A Door shall have at least two bidirectional connection points using the medium Air." ; + sh:minCount 2 ; sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:qualifiedMinCount 2 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . s223:DualDuctTerminal a s223:Class, sh:NodeShape ; - rdfs:label "A dual duct air terminal mixes two independent sources of primary air.", - "Dual duct air terminal." ; + rdfs:label "Dual duct air terminal." ; + rdfs:comment "A dual duct air terminal mixes two independent sources of primary air." ; rdfs:seeAlso s223:TerminalUnit ; rdfs:subClassOf s223:TerminalUnit ; - sh:property [ sh:minCount 3 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A DualDuctTerminal must absorb 2 sources of Air." ; + sh:property [ rdfs:comment "A DualDuctTerminal shall have at least two inlets using the medium Air." ; + sh:minCount 2 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 2 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; @@ -421,16 +1195,14 @@ s223:Duct a s223:Class, s223:DuvSensor a s223:Class, sh:NodeShape ; rdfs:label "Duv sensor" ; + rdfs:comment "A subclass of LightSensor that observes the deviation of the light spectrum from pure blackbody." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A DuvSensor will always observe a Property that has a QuantityKind of Duv." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Duv .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "A DuvSensor must always observe a Property that has a QuantityKind of Duv." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue qudtqk:Duv ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:EM-Microwave a s223:Medium-EM ; rdfs:label "EM-Microwave" . @@ -438,35 +1210,16 @@ s223:EM-Microwave a s223:Medium-EM ; s223:EM-RF a s223:Medium-EM ; rdfs:label "EM-RF" . -s223:Economizer a s223:Class, - sh:NodeShape ; - rdfs:label "Economizer" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An Economizer must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An Economizer must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . - -s223:Effectiveness-Active a s223:EnumerationKind-Effectiveness ; +s223:Effectiveness-Active a s223:Aspect-Effectiveness ; rdfs:label "Active" . s223:ElectricBreaker a s223:Class, sh:NodeShape ; rdfs:label "Electric breaker" ; + rdfs:comment "A piece of equipment designed to open the circuit automatically at a predetermined overcurrent without damage to itself (when properly applied within its rating)." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 1 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricBreaker must provide Electricity." ; + sh:property [ rdfs:comment "An ElectricBreaker shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -476,40 +1229,44 @@ s223:ElectricBreaker a s223:Class, s223:ElectricMeter a s223:Class, sh:NodeShape ; rdfs:label "Electric meter" ; + rdfs:comment "A device that measures the properties of electric energy." ; rdfs:subClassOf s223:Equipment . s223:ElectricOutlet a s223:Class, sh:NodeShape ; - rdfs:label "ElectricOutlet" ; + rdfs:label "Electric outlet" ; + rdfs:comment "A device to which a piece of electrical equipment can be connected in order to provide it with electricity" ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricOutlet must provide service using Electricity." ; + sh:property [ rdfs:comment "An ElectricOutlet shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An ElectricOutlet must provide service using Electricity." ; + [ rdfs:comment "An ElectricOutlet shall have exactly one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; + sh:qualifiedMaxCount 1 ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] . s223:ElectricTransformer a s223:Class, sh:NodeShape ; - rdfs:label "Transformer" ; + rdfs:label "Electric transformer" ; + rdfs:comment "A piece of electrical equipment used to convert alternative current (AC) electric power from one voltage to another voltage." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricTransformer must provide service using Electricity." ; + sh:property [ rdfs:comment "An ElectricTransformer shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An ElectricTransformer must provide service using Electricity." ; + [ rdfs:comment "An ElectricTransformer shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -521,60 +1278,127 @@ s223:ElectricWire a s223:Class, rdfs:label "Electric wire" ; rdfs:comment "An ElectricWire is a subclass of Connection, that represents one or more electrical conductors used to convey electricity." ; rdfs:subClassOf s223:Connection ; - sh:property [ rdfs:comment "An ElectricWire must be associated with one Medium-Electricity using the relation hasMedium" ; + sh:property [ rdfs:comment "If the relation hasElectricalPhase is present it must associate the ElectricWire with an ElectricalPhaseIdentifier or ElectricalVoltagePhases." ; + sh:or ( [ sh:class s223:Aspect-ElectricalPhaseIdentifier ] [ sh:class s223:Aspect-ElectricalVoltagePhases ] ) ; + sh:path s223:hasElectricalPhase ], + [ rdfs:comment "An ElectricWire must be associated with exactly one Medium-Electricity using the relation hasMedium." ; sh:class s223:Medium-Electricity ; sh:maxCount 1 ; sh:minCount 1 ; sh:path s223:hasMedium ] . +s223:ElectricalPhaseIdentifier-A a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier A" ; + rdfs:comment "The value of the associated Property identifies the electrical phase A of the Connection." . + +s223:ElectricalPhaseIdentifier-AB a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier AB" ; + rdfs:comment "The value of the associated Property identifies the electrical phase AB of the Connection." . + +s223:ElectricalPhaseIdentifier-ABC a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier ABC" ; + rdfs:comment "The value of the associated Property identifies the electrical phase ABC of the Connection." . + +s223:ElectricalPhaseIdentifier-B a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier B" ; + rdfs:comment "The value of the associated Property identifies the electrical phase B of the Connection." . + +s223:ElectricalPhaseIdentifier-BC a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier BC" ; + rdfs:comment "The value of the associated Property identifies the electrical phase BC of the Connection." . + +s223:ElectricalPhaseIdentifier-C a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier C" ; + rdfs:comment "The value of the associated Property identifies the electrical phase C of the Connection." . + +s223:ElectricalPhaseIdentifier-CA a s223:Aspect-ElectricalPhaseIdentifier ; + rdfs:label "Electrical Phase Identifier CA" ; + rdfs:comment "The value of the associated Property identifies the electrical phase CA of the Connection." . + +s223:ElectricalVoltagePhases-ABLineLineVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-ABLineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases A and B" . + +s223:ElectricalVoltagePhases-ANLineNeutralVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-ANLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases A and N" . + +s223:ElectricalVoltagePhases-BCLineLineVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-BCLineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases B and C" . + +s223:ElectricalVoltagePhases-BNLineNeutralVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-BNLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases B and N" . + +s223:ElectricalVoltagePhases-CALineLineVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-CALineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases C and A" . + +s223:ElectricalVoltagePhases-CNLineNeutralVoltage a s223:Aspect-ElectricalVoltagePhases ; + rdfs:label "ElectricalVoltagePhases-CNLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases C and N" . + +s223:Electricity-Earth a s223:Medium-Electricity ; + rdfs:label "Electricity-Earth" . + +s223:Electricity-Neutral a s223:Medium-Electricity ; + rdfs:label "Electricity-Neutral" . + +s223:EnumeratedActuatableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Enumerated actuatable property" ; + rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can be changed (actuated)." ; + rdfs:subClassOf s223:ActuatableProperty, + s223:EnumerableProperty . + s223:EthernetSwitch a s223:Class, sh:NodeShape ; rdfs:label "Ethernet switch" ; + rdfs:comment "A device that connects wired devices such as computers, laptops, routers, servers, and printers to one another." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An EthernetSwitch must have at least one bidirectional connection point." ; + sh:property [ rdfs:comment "An EthernetSwitch shall have at least one BidirectionalConnectionPoint using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] . -s223:ExternalSource a s223:Class, - sh:NodeShape ; - rdfs:label "External source" ; - rdfs:subClassOf s223:Concept . - s223:FanCoilUnit a s223:Class, sh:NodeShape ; rdfs:label "Fan coil unit" ; + rdfs:comment "A device consisting of a heat exchanger (coil) and a fan to regulate the temperature of one or more spaces." ; rdfs:subClassOf s223:Equipment ; - sh:or ( sh:property [ sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Coil ] ] sh:property [ sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Coil ] ] ) ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A FanCoilUnit must at least have the role Role-Heating or Role-Cooling." ; + sh:property [ rdfs:comment "A FanCoilUnit must be associated with at least 1 Coil using the relation contains." ; sh:minCount 1 ; - sh:path s223:hasRole ; + sh:path s223:contains ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:in ( s223:Role-Heating s223:Role-Cooling ) ] ], - [ sh:minCount 2 ; + sh:qualifiedValueShape [ sh:class s223:Coil ] ], + [ rdfs:comment "A FanCoilUnit must be associated with at least 1 Fan using the relation contains." ; + sh:minCount 1 ; sh:path s223:contains ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:Fan ] ], - [ rdfs:comment "A FanCoilUnit must provide service using Air." ; + [ rdfs:comment "A FanCoilUnit shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A FanCoilUnit must provide service using Air." ; + [ rdfs:comment "A FanCoilUnit shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A FanCoilUnit must at least have the role Role-Heating or Role-Cooling." ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:in ( s223:Role-Heating s223:Role-Cooling ) ] ] . s223:FanPoweredTerminal a s223:Class, sh:NodeShape ; @@ -590,14 +1414,42 @@ s223:FanPoweredTerminal a s223:Class, s223:Filter a s223:Class, sh:NodeShape ; rdfs:label "Filter" ; + rdfs:comment "A device that removes contaminants from gases or liquids." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Filter must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; + sh:property [ rdfs:comment "A filter should have one common constituent between the inlet and outlet" ; + sh:path s223:hasConnectionPoint ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the filter inlet and outlet have compatible mediums." ; + sh:message "{$this} with inlet medium {?m2} is incompatible with outlet medium {?m1}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m2 ?m1 +WHERE { +$this s223:cnx ?cp, ?cp2 . +?cp a s223:InletConnectionPoint . +?cp2 a s223:OutletConnectionPoint . +?cp s223:hasMedium ?m1 . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +FILTER (NOT EXISTS { + SELECT $this ?con3 ?m1 ?m2 + WHERE { + ?m1 s223:hasConstituent/s223:ofSubstance ?con3 . + ?m2 s223:hasConstituent/s223:ofSubstance ?con3 . + } +} ) . +} +""" ] ], + [ rdfs:comment "A Filter shall have at least one inlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Filter must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; + [ rdfs:comment "A Filter shall have at least one outlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . @@ -611,16 +1463,17 @@ s223:FlowSensor a s223:Class, s223:FumeHood a s223:Class, sh:NodeShape ; rdfs:label "Fume hood" ; + rdfs:comment "A fume-collection device mounted over a work space, table, or shelf and serving to conduct unwanted gases away from an area." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A FumeHood must provide service using Air." ; + sh:property [ rdfs:comment "A FumeHood shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A FumeHood must provide service using Air." ; + [ rdfs:comment "A FumeHood shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -630,18 +1483,20 @@ s223:FumeHood a s223:Class, s223:Furnace a s223:Class, sh:NodeShape ; rdfs:label "Furnace" ; + rdfs:comment "An enclosed chamber or structure in which heat is produced, as by burning fuel or by converting electrical energy. " ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Furnace must provide Air." ; + sh:property [ rdfs:comment "A Furnace shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ sh:path s223:hasConnectionPoint ; + [ rdfs:comment "A Furnace shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . @@ -651,16 +1506,48 @@ s223:Gas-SuperHeated a s223:Phase-Gas ; s223:Generator a s223:Class, sh:NodeShape ; rdfs:label "Generator" ; + rdfs:comment "An energy transducer that transforms non-electric energy into electric energy." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 1 ; + sh:property [ rdfs:comment "A Generator must be associated with at least one ConnectionPoint using the relation hasConnectionPoint." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Generator must provide Electricity." ; + [ rdfs:comment "A Generator shall have at least one outlet using the medium Electricity." ; sh:class s223:OutletConnectionPoint ; sh:minCount 1 ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ; sh:path s223:hasConnectionPoint ] . +s223:GlycolSolution-15Percent a s223:Water-GlycolSolution ; + rdfs:label "GlycolSolution-15Percent" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Glycol conc" ; + s223:hasValue 15.0 ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Water conc" ; + s223:hasValue 85.0 ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] . + +s223:GlycolSolution-30Percent a s223:Water-GlycolSolution ; + rdfs:label "GlycolSolution-30Percent" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Glycol conc" ; + s223:hasValue 30.0 ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Water conc" ; + s223:hasValue 70.0 ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] . + s223:HVACOperatingMode-Auto a s223:EnumerationKind-HVACOperatingMode ; rdfs:label "Auto" . @@ -691,28 +1578,20 @@ s223:HVACOperatingStatus-Off a s223:EnumerationKind-HVACOperatingStatus ; s223:HVACOperatingStatus-Ventilating a s223:EnumerationKind-HVACOperatingStatus ; rdfs:label "Ventilating" . -s223:HasDomainLookingUpRule a sh:NodeShape ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "Traverse up the contains hierarchy to determine the domain" ; - sh:object [ sh:path ( [ sh:zeroOrMorePath [ sh:inversePath s223:contains ] ] s223:hasDomain ) ] ; - sh:predicate s223:hasDomain ; - sh:subject sh:this ] ; - sh:targetClass s223:DomainSpace, - s223:Zone . - s223:HeatPump a s223:Class, sh:NodeShape ; rdfs:label "HeatPump" ; + rdfs:comment "A device that can heat or cool by transferring thermal energy using a reversible refrigeration cycle." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A HeatPump must provide service using Air." ; + sh:property [ rdfs:comment "A HeatPump shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A HeatPump must provide service using Air." ; + [ rdfs:comment "A HeatPump shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -722,25 +1601,28 @@ s223:HeatPump a s223:Class, s223:HeatingCoil a s223:Class, sh:NodeShape ; rdfs:label "Heating coil" ; + rdfs:comment "A coil that provides heating." ; rdfs:subClassOf s223:Coil ; - sh:property [ rdfs:comment "A heating coil must be related to the role 'HeatExchanger-Heating' using the relation 'hasRole'." ; - sh:hasValue s223:HeatExchanger-Heating ; + sh:property [ rdfs:comment "A heating coil must be related to the role 'Role-Heating' using the relation 'hasRole'." ; + sh:hasValue s223:Role-Heating ; sh:minCount 1 ; sh:path s223:hasRole ] ; sh:rule [ a sh:TripleRule ; rdfs:comment "Heating coils will always have the role Role-Heating" ; - sh:object s223:HeatExchanger-Heating ; + sh:object s223:Role-Heating ; sh:predicate s223:hasRole ; sh:subject sh:this ] . s223:Humidifier a s223:Class, sh:NodeShape ; rdfs:label "Humidifier" ; + rdfs:comment "A piece of equipment to add moisture to a gas such as air." ; rdfs:subClassOf s223:Equipment . s223:Humidistat a s223:Class, sh:NodeShape ; rdfs:label "Humidistat" ; + rdfs:comment "An automatic control device used to maintain humidity at a fixed or adjustable setpoint." ; rdfs:subClassOf s223:Equipment . s223:HumiditySensor a s223:Class, @@ -749,28 +1631,26 @@ s223:HumiditySensor a s223:Class, rdfs:comment "A HumiditySensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a humidity measurement. " ; rdfs:subClassOf s223:Sensor ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A HumiditySensor will always observe a Property that has a QuantityKind of RelativeHumidity." ; + rdfs:comment "A HumiditySensor must always observe a Property that has a QuantityKind of RelativeHumidity." ; sh:construct """ CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:RelativeHumidity .} WHERE { $this s223:observes ?prop . } """ ; - sh:prefixes s223: ] . + sh:prefixes ] . s223:IlluminanceSensor a s223:Class, sh:NodeShape ; rdfs:label "Illuminance sensor" ; + rdfs:comment "A subclass of LightSensor that observes the level of illuminance." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A IlluminanceSensor will always observe a Property that has a QuantityKind of Illuminance." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Illuminance .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An IlluminanceSensor will always observe a Property that has a QuantityKind of Illuminance." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue qudtqk:Illuminance ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:InversePropertyShape a sh:NodeShape ; sh:rule [ a sh:SPARQLRule ; @@ -784,26 +1664,27 @@ WHERE { ?p s223:inverseOf ?invP . } """ ; - sh:prefixes s223: ] ; + sh:prefixes ] ; sh:targetClass s223:Concept . s223:Inverter a s223:Class, sh:NodeShape ; rdfs:label "Inverter" ; + rdfs:comment "An electric energy converter that changes direct electric current to alternating current." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An Inverter must provide service using Electricity." ; + sh:property [ rdfs:comment "An Inverter shall have at least one inlet using the medium Electricity-DC." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:node [ sh:property [ sh:class s223:Electricity-DC ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An Inverter must provide service using Electricity." ; + [ rdfs:comment "An Inverter shall have at least one outlet using the medium Electricity-AC." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:node [ sh:property [ sh:class s223:Electricity-AC ; sh:path s223:hasMedium ] ] ] ] . s223:Light-Infrared a s223:EM-Light ; @@ -821,40 +1702,32 @@ s223:Liquid-SubCooled a s223:Phase-Liquid ; s223:Luminaire a s223:Class, sh:NodeShape ; rdfs:label "Luminaire" ; + rdfs:comment "A complete lighting unit consisting of a lamp or lamps together with the housing designed to distribute the light, position and protect the lamps, and connect the lamps to the power supply." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Luminaire must absorb Electricity." ; + sh:property [ rdfs:comment "A Luminaire shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Luminaire must provide Light." ; + [ rdfs:comment "A Luminaire shall have at least one outlet using the medium EM-Light." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; + sh:node [ sh:property [ sh:class s223:EM-Light ; sh:path s223:hasMedium ] ] ] ] . -s223:ManualDamper a s223:Class ; - rdfs:label "Manual damper" ; - rdfs:subClassOf s223:Damper . - s223:MeasuredPropertyRule a sh:NodeShape ; - rdfs:comment "Associate the object of hasMeasurementLocation directly with the observed Property." ; - # TODO: what is this suppsoed to do? Does it need a condition? + rdfs:comment "Associate the object of hasObservationLocation directly with the observed Property." ; sh:rule [ a sh:TripleRule ; - rdfs:comment "Associate the object of hasMeasurementLocation directly with the observed Property." ; - sh:condition [ sh:node [ sh:class s223:Property ] ] ; - sh:object [ sh:path ( [ sh:inversePath s223:hasMeasurementLocation ] s223:observes ) ] ; + rdfs:comment "Associate the object of hasObservationLocation directly with the observed Property." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasObservationLocation ] s223:observes ) ] ; sh:predicate s223:hasProperty ; sh:subject sh:this ] ; sh:targetClass s223:Concept . -s223:Medium-Glycol a s223:EnumerationKind-Medium ; - rdfs:label "Medium-Glycol" . - s223:Modulated-0-10V a s223:Signal-Modulated ; rdfs:label "Modulated 0-10V" . @@ -867,19 +1740,18 @@ s223:Motion-False a s223:Occupancy-Motion ; s223:Motion-True a s223:Occupancy-Motion ; rdfs:label "Motion-True" . -s223:MotorizedDamper a s223:Class ; - rdfs:label "Motorized damper" ; - rdfs:subClassOf s223:Damper . - -s223:MotorizedThreeWayValve a s223:Class, +s223:Motor a s223:Class, sh:NodeShape ; - rdfs:label "Motorized three way valve" ; - rdfs:subClassOf s223:MotorizedValve . - -s223:MotorizedTwoWayValve a s223:Class, - sh:NodeShape ; - rdfs:label "Motorized two way valve" ; - rdfs:subClassOf s223:MotorizedValve . + rdfs:label "Motor" ; + rdfs:comment "A machine in which power is applied to do work by the conversion of various forms of energy into mechanical force and motion." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Motor shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ] ] . s223:Occupancy-Occupied a s223:EnumerationKind-Occupancy ; rdfs:label "Occupied" . @@ -893,45 +1765,44 @@ s223:Occupancy-Unoccupied a s223:EnumerationKind-Occupancy ; s223:OccupantCounter a s223:Class, sh:NodeShape ; rdfs:label "Occupant counter" ; + rdfs:comment "A subclass of OccupancySensor that counts the population within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantCounter will always observe a Property that has a QuantityKind of Population." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Population . -?prop qudt:unit unit:NUM .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An OccupantCounter must always observe a QuantifiableObservableProperty that has a QuantityKind of Population and a Unit of unit:NUM." ; + sh:class s223:QuantifiableObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:hasValue qudtqk:Population ; + sh:maxCount 1 ; + sh:path qudt:hasQuantityKind ], + [ sh:hasValue unit:NUM ; + sh:maxCount 1 ; + sh:path qudt:hasUnit ] ] ; + sh:path s223:observes ] . s223:OccupantMotionSensor a s223:Class, sh:NodeShape ; rdfs:label "Occupant motion sensor" ; + rdfs:comment "A subclass of OccupancySensor that observes motion within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantMotionSensor will always observe a Property that has an EnumerationKind of Occupancy-Motion." ; - sh:construct """ -CONSTRUCT {?prop s223:hasEnumerationKind s223:Occupancy-Motion .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An OccupantMotionSensor must always observe an EnumeratedObservableProperty that has an EnumerationKind of Occupancy-Motion." ; + sh:class s223:EnumeratedObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Occupancy-Motion ; + sh:maxCount 1 ; + sh:path s223:hasEnumerationKind ] ] ; + sh:path s223:observes ] . s223:OccupantPresenceSensor a s223:Class, sh:NodeShape ; rdfs:label "Occupant presence sensor" ; + rdfs:comment "A subclass of OccupancySensor that observes presence within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantPresenceSensor will always observe a Property that has an EnumerationKind of Occupancy-Presence." ; - sh:construct """ -CONSTRUCT {?prop s223:hasEnumerationKind s223:Occupancy-Presence .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An OccupantPresenceSensor will always observe an EnumeratedObservableProperty that has an EnumerationKind of Occupancy-Presence." ; + sh:class s223:EnumeratedObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Occupancy-Presence ; + sh:maxCount 1 ; + sh:path s223:hasEnumerationKind ] ] ; + sh:path s223:observes ] . s223:OnOff-Off a s223:EnumerationKind-OnOff ; rdfs:label "Off" . @@ -942,6 +1813,12 @@ s223:OnOff-On a s223:EnumerationKind-OnOff ; s223:OnOff-Unknown a s223:EnumerationKind-OnOff ; rdfs:label "Unknown" . +s223:OutsidePhysicalSpace a s223:Class, + sh:NodeShape ; + rdfs:label "Outside physical space" ; + rdfs:comment "An OutsidePhysicalSpace is a subclass of PhysicalSpace to represent any physical spaces outside of a facility where, for example, ambient properties might be measured (within a suitably defined DomainSpace)." ; + rdfs:subClassOf s223:PhysicalSpace . + s223:Particulate-PM1.0 a s223:Substance-Particulate ; rdfs:label "Particulate-PM1.0" . @@ -956,9 +1833,9 @@ s223:ParticulateSensor a s223:Class, rdfs:label "Particulate sensor" ; rdfs:comment "A ParticulateSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a particulate concentration measurement." ; rdfs:subClassOf s223:Sensor ; - sh:property [ rdfs:comment "A ParticulateSensor can be associated with a Substance-Particulate by measuresSubstance" ; + sh:property [ rdfs:comment "If the relation ofSubstance is present it must associate the ParticulateSensor with a Substance-Particulate." ; sh:class s223:Substance-Particulate ; - sh:path s223:measuresSubstance ] . + sh:path s223:ofSubstance ] . s223:Phase-Solid a s223:EnumerationKind-Phase ; rdfs:label "Phase-Solid" . @@ -966,19 +1843,39 @@ s223:Phase-Solid a s223:EnumerationKind-Phase ; s223:Phase-Vapor a s223:EnumerationKind-Phase ; rdfs:label "Phase-Vapor" . +s223:PhotovoltaicModule a s223:Class, + sh:NodeShape ; + rdfs:label "Photovoltaic module" ; + rdfs:comment "A piece of equipment that converts sunlight into electricity." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "An PhotovoltaicModule must have at least one inlet using the medium EM-Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "An PhotovoltaicModule shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ] ] . + s223:Pipe a s223:Class, sh:NodeShape ; rdfs:label "Pipe" ; rdfs:comment "A Pipe is a subclass of Connection, that represents a hollow cylinder of metal or other material used to convey a Medium." ; rdfs:subClassOf s223:Connection . -s223:PositionStatus-Closed a s223:EnumerationKind-PositionStatus ; +s223:Position-Closed a s223:EnumerationKind-Position ; rdfs:label "Closed" . -s223:PositionStatus-Open a s223:EnumerationKind-PositionStatus ; +s223:Position-Open a s223:EnumerationKind-Position ; rdfs:label "Open" . -s223:PositionStatus-Unknown a s223:EnumerationKind-PositionStatus ; +s223:Position-Unknown a s223:EnumerationKind-Position ; rdfs:label "Unknown" . s223:Presence-False a s223:Occupancy-Presence ; @@ -996,52 +1893,87 @@ s223:PressureSensor a s223:Class, s223:Pump a s223:Class, sh:NodeShape ; rdfs:label "Pump" ; - rdfs:subClassOf s223:FlowEquipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Pump must provide service using Water." ; + rdfs:comment "A machine for imparting energy to a fluid, drawing a fluid into itself through an entrance port, and forcing the fluid out through an exhaust port." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "The non-electrical ConnectionPoints of a Pump must have compatible Media." ; + sh:path s223:hasConnectionPoint ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "The non-electrical ConnectionPoints of a Pump must have compatible Media." ; + sh:message "{?cpa} and {?cpb} on the Pump {$this} have incompatible Media {$mediuma} and {$mediumb}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cpa ?cpb ?mediuma ?mediumb +WHERE { + $this s223:hasConnectionPoint ?cpa . + $this s223:hasConnectionPoint ?cpb . + FILTER (?cpa != ?cpb) . + ?cpa s223:hasMedium ?mediuma . + FILTER (NOT EXISTS {?mediuma a/rdfs:subClassOf* s223:Medium-Electricity}) . + ?cpb s223:hasMedium ?mediumb . + FILTER (NOT EXISTS {?mediumb a/rdfs:subClassOf* s223:Medium-Electricity}) . + FILTER (?mediuma != ?mediumb) . + FILTER (NOT EXISTS {?mediumb a/rdfs:subClassOf* ?mediuma}) . + FILTER (NOT EXISTS {?mediuma a/rdfs:subClassOf* ?mediumb}) . +} +""" ] ], + [ rdfs:comment "A Pump shall have at least one inlet using the medium Water, Oil or Refrigerant." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Pump must provide service using Water." ; + sh:node [ sh:or ( [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Refrigerant ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Oil ; + sh:path s223:hasMedium ] ] ) ] ] ], + [ rdfs:comment "A Pump shall have at least one outlet using the medium Water, Oil or Refrigerant." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ] . + sh:node [ sh:or ( [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Refrigerant ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Oil ; + sh:path s223:hasMedium ] ] ) ] ] ] . + +s223:QuantifiableActuatableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Quantifiable Actuatable Property" ; + rdfs:comment "This class is for quantifiable properties of which numerical values are specified to be modifiable by a user or a machine outside of the model, like a setpoint." ; + rdfs:subClassOf s223:ActuatableProperty, + s223:QuantifiableProperty . s223:RadiantPanel a s223:Class, sh:NodeShape ; - rdfs:label "RadiantPanel" ; + rdfs:label "Radiant panel" ; + rdfs:comment "A heating or cooling surface that delivers 50% or more of its heat transfer by radiation." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:or ( [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-NaturalGas ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; - sh:minCount 2 ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + [ rdfs:comment "A radiant panel shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ] ] ) ; - sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:property [ rdfs:comment "A radiant panel must hasRole Role-Heating." ; sh:minCount 1 ; sh:path s223:hasRole ; sh:qualifiedMinCount 1 ; @@ -1052,21 +1984,21 @@ s223:Radiator a s223:Class, rdfs:label "Radiator" ; rdfs:comment "A radiator provides heating to a room using electricity, steam or water (e.g., electric baseboard heaters)." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; + sh:or ( [ sh:property [ rdfs:comment "A Radiator shall have at least one inlet using the medium Electricity or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Radiator shall have at least one inlet using the medium Electricity or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; - sh:minCount 2 ; + [ rdfs:comment "A Radiator shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -1084,23 +2016,118 @@ s223:Refrigerant-R-22 a s223:Medium-Refrigerant ; s223:Refrigerant-R-410A a s223:Medium-Refrigerant ; rdfs:label "Refrigerant-R-410A" . +s223:RequiredCommentsShape a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any instance of s223:Class is also a rdfs:subClassOf* s223:Concept." ; + sh:message "Class {$this} must be within the rdfs:subClassOf hierarchy under s223:Concept." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this rdfs:subClassOf* rdf:Property} . +FILTER NOT EXISTS {$this rdfs:subClassOf* s223:Concept} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any instance of s223:Class is also an instance of sh:NodeShape." ; + sh:message "Class {$this} must be declared as an instance of sh:NodeShape." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this a sh:NodeShape} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any instance of s223:Class must have an rdfs:comment." ; + sh:message "Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any property shape must have an rdfs:comment." ; + sh:message "The SPARQLConstraint for path {?path} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?path +WHERE { +$this sh:property ?propshape . +?propshape sh:sparql ?sparqlconstraint . +?propshape sh:path ?path . +FILTER NOT EXISTS {?sparqlconstraint rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any property shape must have an rdfs:comment." ; + sh:message "The property shape with path {?path} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?path +WHERE { +$this sh:property ?propshape . +?propshape sh:path ?path . +FILTER NOT EXISTS {?propshape rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Every Class must have a label." ; + sh:message "{$this} must have an rdfs:label" ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER (NOT EXISTS {$this rdfs:label ?something}) . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that every TripleRule must have an rdfs:comment." ; + sh:message "The TripleRule inferring {?pred} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?pred +WHERE { +$this sh:rule ?rule . +?rule a sh:TripleRule . +?rule sh:predicate ?pred . +FILTER NOT EXISTS {?rule rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that every SPARQLRule must have an rdfs:comment." ; + sh:message "Every SPARQLRule for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +$this sh:rule ?rule . +?rule a sh:SPARQLRule . +FILTER NOT EXISTS {?rule rdfs:comment ?comment} . +} +""" ] ; + sh:targetClass s223:Class . + s223:ResistanceHeater a s223:Class, sh:NodeShape ; - rdfs:label "Electrical Resistance Heater" ; + rdfs:label "Electrical resistance heater" ; rdfs:comment "Resistance heaters provide electrical resistance heating, for example an electric heating coil within a Fan Coil Unit." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "ResistanceHeaters must have the role Role-Heating." ; - sh:minCount 1 ; - sh:path s223:hasRole ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Role-Heating ] ], - [ rdfs:comment "A ResistanceHeater must receive Electricity." ; + sh:property [ rdfs:comment "A ResistanceHeater shall have at least one inlet using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "ResistanceHeaters must have the role Role-Heating." ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Role-Heating ] ] . s223:Role-Condenser a s223:EnumerationKind-Role ; rdfs:label "Role-Condenser" . @@ -1117,6 +2144,9 @@ s223:Role-Evaporator a s223:EnumerationKind-Role ; s223:Role-Exhaust a s223:EnumerationKind-Role ; rdfs:label "Role-Exhaust" . +s223:Role-Expansion a s223:EnumerationKind-Role ; + rdfs:label "Role-Expansion" . + s223:Role-Generator a s223:EnumerationKind-Role ; rdfs:label "Role-Generator" . @@ -1132,6 +2162,9 @@ s223:Role-Primary a s223:EnumerationKind-Role ; s223:Role-Recirculating a s223:EnumerationKind-Role ; rdfs:label "Role-Recirculating" . +s223:Role-Relief a s223:EnumerationKind-Role ; + rdfs:label "Role-Relief" . + s223:Role-Return a s223:EnumerationKind-Role ; rdfs:label "Role-Return" . @@ -1162,14 +2195,55 @@ s223:Signal-IEC14908 a s223:Electricity-Signal ; s223:Signal-USB a s223:Electricity-Signal ; rdfs:label "Signal USB" . -s223:State a s223:Class, +s223:SingleDuctTerminal a s223:Class, + sh:NodeShape ; + rdfs:label "Single Duct Terminal." ; + rdfs:comment "An air-terminal unit assembly having one ducted air inlet and a damper for regulating the airflow rate." ; + rdfs:subClassOf s223:TerminalUnit ; + sh:property [ rdfs:comment "A SingleDuctTerminal must be associated with at least 1 Damper by contains." ; + sh:minCount 1 ; + sh:path s223:contains ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Damper ] ] . + +s223:SolarThermalCollector a s223:Class, sh:NodeShape ; - rdfs:label "State" ; - rdfs:subClassOf s223:Concept . + rdfs:label "Solar thermal collector" ; + rdfs:comment "A device that converts sunlight into thermal energy." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A SolarThermalCollector shall have at least one inlet using the medium EM-Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A SolarThermalCollector shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] ] ] . + +s223:Speed-High a s223:EnumerationKind-Speed ; + rdfs:label "High" . + +s223:Speed-Low a s223:EnumerationKind-Speed ; + rdfs:label "Low" . + +s223:Speed-Medium a s223:EnumerationKind-Speed ; + rdfs:label "Medium" . + +s223:Speed-Off a s223:EnumerationKind-Speed ; + rdfs:label "Off" . s223:Substance-CO a s223:EnumerationKind-Substance ; rdfs:label "Substance-CO" . +s223:Substance-CO2 a s223:EnumerationKind-Substance ; + rdfs:label "Substance-CO2" . + s223:Substance-Soot a s223:EnumerationKind-Substance ; rdfs:label "Substance-Soot" . @@ -1185,7 +2259,7 @@ WHERE { ?p a s223:SymmetricProperty . } """ ; - sh:prefixes s223: ] ; + sh:prefixes ] ; sh:targetClass s223:Concept . s223:TemperatureSensor a s223:Class, @@ -1193,56 +2267,77 @@ s223:TemperatureSensor a s223:Class, rdfs:label "Temp sensor" ; rdfs:comment "A TemperatureSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a temperature measurement." ; rdfs:subClassOf s223:Sensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A TemperatureSensor will always observe a Property that has a QuantityKind of Temperature." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Temperature .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "A TemperatureSensor must always observe a Property that has a QuantityKind of Temperature." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue qudtqk:Temperature ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:Thermostat a s223:Class, sh:NodeShape ; rdfs:label "Thermostat" ; + rdfs:comment "An automatic control device used to maintain temperature at a fixed or adjustable setpoint." ; rdfs:subClassOf s223:Equipment . -s223:ThreeSpeedSetting-High a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "High" . - -s223:ThreeSpeedSetting-Low a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Low" . - -s223:ThreeSpeedSetting-Medium a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Medium" . - -s223:ThreeSpeedSetting-Off a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Off" . - s223:ThreeWayValve a s223:Class, sh:NodeShape ; rdfs:label "Three way valve" ; - rdfs:subClassOf s223:ManualValve . + rdfs:comment "A Valve that can divert a fluid in one of three directions." ; + rdfs:subClassOf s223:Valve ; + sh:property [ rdfs:comment "A ThreeWayValve must have at least three ConnectionPoints using the relation hasConnectionPoint." ; + sh:minCount 3 ; + sh:path s223:hasConnectionPoint ] . + +s223:Turbine a s223:Class, + sh:NodeShape ; + rdfs:label "Turbine" ; + rdfs:comment "An energy transducer that converts mechanical energy into electric energy." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Turbine must be associated with at least one ConnectionPoint using the relation hasConnectionPoint." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ], + [ rdfs:comment "A Turbine shall have at least one outlet using the medium Electricity." ; + sh:class s223:OutletConnectionPoint ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ; + sh:path s223:hasConnectionPoint ] . s223:TwoWayValve a s223:Class, sh:NodeShape ; rdfs:label "Two way valve" ; - rdfs:subClassOf s223:ManualValve . + rdfs:comment "A Valve that can divert a fluid in one of two directions." ; + rdfs:subClassOf s223:Valve ; + sh:property [ rdfs:comment "A TwoWayValve shall have at least one inlet." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], + [ rdfs:comment "A TwoWayValve shall have at least one outlet." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . -s223:VFD a s223:Class, +s223:VariableFrequencyDrive a s223:Class, sh:NodeShape ; - rdfs:label "VFD" ; + rdfs:label "VariableFrequencyDrive" ; + rdfs:comment "An electronic device that varies its output frequency to vary the rotating speed of a motor, given a fixed input frequency. Used with fans or pumps to vary the flow in the system as a function of a maintained pressure." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A VFD must provide service using Electricity." ; + sh:property [ rdfs:comment "If the relation connectedTo is present it must associate the VariableFrequencyDrive with a Equipment." ; + sh:class s223:Equipment ; + sh:path s223:connectedTo ], + [ rdfs:comment "A VariableFrequencyDrive shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A VFD must provide service using Electricity." ; + sh:path s223:hasMedium ] ] ] ; + sh:severity sh:Warning ], + [ rdfs:comment "A VariableFrequencyDrive shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -1279,281 +2374,357 @@ s223:Weekend-Saturday a s223:DayOfWeek-Weekend ; s223:Weekend-Sunday a s223:DayOfWeek-Weekend ; rdfs:label "Sunday" . +s223:Window a s223:Class, + sh:NodeShape ; + rdfs:label "Window" ; + rdfs:comment "A daylight opening on a vertical or nearly vertical area of a room envelope" ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Window shall have at least one inlet using the medium Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Window shall have at least one outlet using the medium Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ] . + s223:WindowShade a s223:Class, sh:NodeShape ; - rdfs:label "WindowShade" ; + rdfs:label "Window shade" ; + rdfs:comment "A window covering that can be moved to block out or allow in light. " ; rdfs:subClassOf s223:Equipment . +s223:ZoneGroup a s223:Class, + sh:NodeShape ; + rdfs:label "Zone group" ; + rdfs:comment "A ZoneGroup is a logical grouping (collection) of Zones for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone." ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "A ZoneGroup must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ], + [ rdfs:comment "A ZoneGroup must be associated with at least one Zone using the relation hasZone." ; + sh:class s223:Zone ; + sh:minCount 1 ; + sh:path s223:hasZone ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosed Zones to determine the domain." ; + sh:object [ sh:path ( s223:hasZone s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . + s223:abstract a rdf:Property ; rdfs:label "abstract" ; + rdfs:comment "If the relation abstract has a value of true, the associated class cannot be instantiated. " ; rdfs:range xsd:boolean . -s223:countConnectedSystemCPs a sh:SPARQLFunction ; - rdfs:comment "Given a SystemConnectionPoint, return the number in the connected set. This is not foolproof yet" ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting SystemConnectionPoint" ; - sh:path s223:scp ] ; - sh:prefixes s223: ; - sh:returnType xsd:integer ; - sh:select """SELECT (COUNT (DISTINCT ?others)AS ?count) -WHERE { -{ -$scp s223:systemConnected+ ?others . -} -UNION -{ -$scp ^s223:systemConnected+ ?others . -} -UNION -{ -$scp s223:systemConnected+/^s223:systemConnected+ ?others . -} -UNION -{ -$scp ^s223:systemConnected+/s223:systemConnected+ ?others . -} -} -GROUP BY $scp - """ . - -s223:hasTemperature a rdf:Property ; - rdfs:label "hasTemperature" ; - rdfs:subPropertyOf s223:hasProperty . +s223:hasSetpoint a rdf:Property ; + rdfs:label "has setpoint" ; + rdfs:comment "This relation binds a control setpoint to the quantifiable property indicating the desired value which the control process is trying to maintain." . s223:inverseOf a rdf:Property ; - rdfs:label "inverse of" . - -s223:lnxConnected a sh:SPARQLFunction ; - rdfs:comment "Given two entities (Junctions or ConnectionPoints), return a Junction in the lnx network, if a path exists." ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting entity" ; - sh:path s223:entity1 ], - [ a sh:Parameter ; - sh:description "The ending entity" ; - sh:path s223:entity2 ] ; - sh:prefixes s223: ; - sh:returnType s223:Junction ; - sh:select """SELECT ?others -WHERE { -$entity1 s223:lnx+ $entity2 . -$entity1 s223:lnx+ ?others . -?others a s223:Junction . -FILTER(?others != $entity1) . -FILTER(?others != $entity2) . -} - """ . - -s223:networkCrossesSystemBoundary a sh:SPARQLFunction ; - rdfs:comment "Given a ConnectionPoint, determine if its contiguous lnx network crosses the containing System boundary. This assumes the network is complete." ; - sh:ask """ -ASK { -$arg1 s223:isConnectionPointOf/^s223:contains ?homeSystem . -$arg1 s223:lnx* ?member . -?class rdfs:subClassOf* s223:ConnectionPoint . -?member a ?class . -?member s223:isConnectionPointOf ?dev . -?dev ^s223:contains ?system . -FILTER (?system != ?homeSystem) . -} - """ ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting ConnectionPoint" ; - sh:path s223:arg1 ] ; - sh:prefixes s223: ; - sh:returnType xsd:boolean . - - rdfs:comment "This graph contains some SPARQLFunction definitions, which are part of SHACL Advanced Features (SHACL AF). Thus, they may not be supported by all SHACL implementations." ; - owl:versionInfo "Created with TopBraid Composer" . - -g36:AirFlowStationAnnotation a sh:NodeShape ; - sh:rule [ a sh:TripleRule ; - sh:condition g36:AirFlowStationRule ; - sh:object g36:AirFlowStation ; - sh:predicate rdf:type ; - sh:subject sh:this ] ; - sh:targetClass s223:Sensor . - -g36:BinaryIn a s223:Class, - sh:NodeShape ; - rdfs:label "Binary in" ; - rdfs:subClassOf s223:EnumeratedObservableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An instance of g36:BinaryIn has a value that is a member of the EnumerationKind g36:RunStatus." ; - sh:object g36:RunStatus ; - sh:predicate s223:hasEnumerationKind ; - sh:subject sh:this ] . - -g36:BinaryOut a s223:Class, - sh:NodeShape ; - rdfs:label "Binary out" ; - rdfs:subClassOf s223:EnumeratedActuatableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An instance of g36:BinaryOut has a value that is a member of the EnumerationKind g36:RunCommand." ; - sh:object g36:RunCommand ; - sh:predicate s223:hasEnumerationKind ; - sh:subject sh:this ] . - -g36:Damper a s223:Class, - sh:Nodeshape ; - rdfs:label "Damper" ; - rdfs:subClassOf s223:Damper ; - sh:node g36:DamperRule . - -g36:RunCommand-Start a g36:RunCommand ; - rdfs:label "Start" . - -g36:RunCommand-Stop a g36:RunCommand ; - rdfs:label "Stop" . + rdfs:label "inverse of" ; + rdfs:comment "The relation inverseOf is a modeling construct to associate relations that are inverses of one another, such as connectedTo and connectedFrom." . -g36:RunStatus-Off a g36:RunStatus ; - rdfs:label "Off" . - -g36:RunStatus-On a g36:RunStatus ; - rdfs:label "On" . - -g36:RunStatus-Unknown a g36:RunStatus ; - rdfs:label "Unknown" . - -g36:VAV_4-1 a s223:Class, - sh:NodeShape ; - sh:class g36:VAV ; - rdfs:label "g36 vav 4-1" ; - sh:property [ sh:class s223:DomainSpace ; - sh:minCount 1 ; - sh:node [ sh:property [ sh:class g36:Zone ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:contains ] ] ] ; - sh:path s223:connectedTo ] . - -spin:allProperties a spin:MagicProperty ; - rdfs:label "Find all Properties" ; - spin:body [ a sp:Select ; - sp:resultVariables ( [ sp:varName "value" ] ) ; - sp:where ( [ a sp:TriplePath ; - sp:object s223:hasProperty ; - sp:path [ a sp:ModPath ; - sp:modMax -2 ; - sp:modMin 0 ; - sp:subPath rdfs:subPropertyOf ] ; - sp:subject [ sp:varName "property" ] ] [ sp:object [ sp:varName "value" ] ; - sp:predicate [ sp:varName "property" ] ; - sp:subject spin:_arg1 ] ) ] ; - spin:constraint [ a spl:Argument ; - spl:optional false ; - spl:predicate sp:arg1 ; - rdfs:comment "The resource that has Properties" ] ; - spin:returnType rdfs:Class ; - rdfs:subClassOf spin:MagicProperties . - -s223:Constant a s223:Class, - sh:NodeShape ; - rdfs:label "Constant" ; - rdfs:comment "A constant is a parameter with constant value, used by the function block to produce one or more output (ex. pi)." ; - rdfs:subClassOf s223:Concept, - s223:Parameter ; - sh:property [ rdfs:comment "An instance of Constant can be associated with any number of Property instances using the relation 'uses'." ; - sh:class s223:Property ; - sh:path s223:uses ] . + a owl:Ontology ; + sh:declare [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; + sh:prefix "rdf" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; + sh:prefix "sh" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; + sh:prefix "role" ], + [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "qudtqk" ], + [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; + sh:prefix "unit" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "quantitykind" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ] . -s223:Domain-HVAC a s223:EnumerationKind-Domain ; - rdfs:label "Domain-HVAC" ; - rdfs:comment "The domain HVAC represents equipment used to provide space conditioning and ventilation within a building. Example equipment that might fall within an HVAC domain include fans, pumps, air-handling units, and variable air volume boxes. " . +bacnet:device-identifier a rdf:Property ; + rdfs:label "Device Identifier" ; + rdfs:comment "The Object_Identifier property of the device object within the BACnet device. See ASHRAE 135-2020 Clause 12.11.1." . + +bacnet:device-name a rdf:Property ; + rdfs:label "Device Name" ; + rdfs:comment "The name of the BACnet device being referenced, more formally the Object_Name property of the device object within the BACnet device. See ASHRAE 135-2020 Clause 12.11.2." . + +bacnet:object-identifier a rdf:Property ; + rdfs:label "object-identifier" ; + rdfs:comment "The Object_Identifier property of the object being referenced. For example, for the object identifier of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.1." . + +bacnet:object-name a rdf:Property ; + rdfs:label "Object Name" ; + rdfs:comment "The Object_Name property of the object being referenced. For example, for the object name of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.2." . + +bacnet:priority-for-writing a rdf:Property ; + rdfs:label "Priority for Writing" ; + rdfs:comment """This parameter shall be an integer in the range 1..16, which indicates the priority assigned to the WriteProperty service. If an attempt +is made to write to a commandable property without specifying the bacnet:priority-for-writing, a default priority of 16 (the lowest priority) shall +be assumed. If an attempt is made to write to a property that is not commandable with a specified priority, the priority shall be +ignored. See ASHRAE 135-2020 Clause 15.9.1.1.5.""" . + +bacnet:property-array-index a rdf:Property ; + rdfs:label "Property Array Index" ; + rdfs:comment """If the property identified is of datatype array, this optional property of type Unsigned shall indicate the array index of +the element of the property referenced by the ReadProperty service or the Read Access Specification of the ReadPropertyMultiple service. If the bacnet:property-array-index is omitted, this shall mean that the entire +array shall be referenced. See ASHRAE 135-2020 Clause 15.5.1.1.3 and Clause 15.7.1.1.1.""" . + +bacnet:property-identifier a rdf:Property ; + rdfs:label "Property Identifier" ; + rdfs:comment "The Object_Identifier property of the object being referenced. For example, for the object identifier of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.1." . + +s223:DCNegativeVoltage-190.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-190.0V" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-190.0V" . + +s223:DCNegativeVoltage-2.5V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-2.5V" ; + s223:hasVoltage s223:Voltage-2V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-2.5V" . + +s223:DCNegativeVoltage-3.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-3.0V" ; + s223:hasVoltage s223:Voltage-3V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-3.0V" . + +s223:DCNegativeVoltage-380.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-380.0V" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-380.0V" . + +s223:DCNegativeVoltage-48.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-48.0V" ; + s223:hasVoltage s223:Voltage-48V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-48.0V" . + +s223:DCNegativeVoltage-5.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-5.0V" ; + s223:hasVoltage s223:Voltage-5V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-5.0V" . + +s223:DCPositiveVoltage-190.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-190.0V" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-190.0V" . + +s223:DCPositiveVoltage-2.5V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-2.5V" ; + s223:hasVoltage s223:Voltage-2V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-2.5V" . + +s223:DCPositiveVoltage-3.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-3.0V" ; + s223:hasVoltage s223:Voltage-3V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-3.0V" . + +s223:DCPositiveVoltage-380.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-380.0V" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-380.0V" . + +s223:DCPositiveVoltage-48.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-48.0V" ; + s223:hasVoltage s223:Voltage-48V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-48.0V" . + +s223:DCPositiveVoltage-5.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-5.0V" ; + s223:hasVoltage s223:Voltage-5V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-5.0V" . -s223:EnumeratedActuatableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Enumerated actuatable property" ; - rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can be changed (actuated)" ; - rdfs:subClassOf s223:ActuatableProperty, - s223:EnumerableProperty . - -s223:FlowEquipment a s223:Class, +s223:Damper a s223:Class, sh:NodeShape ; - rdfs:label "Flow Equipment" ; + rdfs:label "Damper" ; + rdfs:comment "An element inserted into an air-distribution system or element of an air-distribution system permitting modification of the air resistance of the system and consequently changing the airflow rate or shutting off the airflow." ; rdfs:subClassOf s223:Equipment ; - sh:property [ a sh:PropertyShape ; - rdfs:comment "An instance of Flow Equipment must be associated with any number of ConnectionPoint instances using the relation 'has connection point'." ; - sh:class s223:ConnectionPoint ; - sh:minCount 2 ; - sh:name "Inlet or Outlet point property" ; - sh:path s223:hasConnectionPoint ; - sh:severity sh:Info ] . - -s223:FunctionInput a s223:Class, - sh:NodeShape ; - rdfs:label "Input" ; - rdfs:comment "A Function Input is an input to a Function Block. It can be related to a property by s223:uses." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Input must be associated with one Property instance using the relation 'uses'." ; - sh:class s223:Property ; - sh:maxCount 1 ; - sh:message "This Function Input must be associated with exactly one property by s223:uses predicate." ; - sh:minCount 1 ; - sh:path s223:uses ], - [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Input must be associated with exactly one FunctionBlock." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasInput ] ] . - -s223:FunctionOutput a s223:Class, - sh:NodeShape ; - rdfs:label "Output" ; - rdfs:comment "A Function Output is an output from a Function Block and represents the action the function block has on the value its Function Input propert(ies). It is related to a property by s223:produces." ; - rdfs:subClassOf s223:Concept ; - sh:property [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Output must be associated with exactly one FunctionBlock." ; + sh:property [ rdfs:comment "A Damper shall have at least one inlet using the medium Air.", + "Does this need to allow bidirectional connection points?" ; sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasOutput ] ], - [ rdfs:comment "An instance of Output must be associated with any number of Property instances using the relation 'produces'." ; - sh:class s223:Property ; - sh:maxCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Damper shall have at least one outlet using the medium Air." ; sh:minCount 1 ; - sh:path s223:produces ] . + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . s223:HeatExchanger a s223:Class, sh:NodeShape ; rdfs:label "Heat exchanger" ; + rdfs:comment "A component intended to transfer heat from one medium to another while keeping the two media separate" ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 4 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A HeatExchanger must be associated with at least 2 InletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 2 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A HeatExchanger must be associated with at least 2 OutletConnectionPoint using the relation hasConnectionPoint." ; + sh:property [ rdfs:comment "Heat Exchangers should have the same number of non-electrical inlet and outlet connection points." ; sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 2 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ], - [ rdfs:comment "A HeatExchanger can only have HeatExchanger roles" ; - sh:class s223:Role-HeatExchanger ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Heat Exchangers should have the same number of non-electrical inlet and outlet connection points." ; + sh:message "Number of inlets {?incount} are not equivalent with number of outlets {?outcount}." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?incount ?outcount +WHERE { +{ +SELECT $this (COUNT (?cpin) AS ?incount) +WHERE { +?cpin a/rdfs:subClassOf* s223:InletConnectionPoint . +$this s223:hasConnectionPoint ?cpin . +?cpin s223:hasMedium ?inmedium . +FILTER NOT EXISTS { + ?inmedium a/rdfs:subClassOf* s223:Medium-Electricity . + } +} +GROUP BY $this +} +{ +SELECT $this (COUNT (?cpout) AS ?outcount) +WHERE { +?cpout a/rdfs:subClassOf* s223:OutletConnectionPoint . +$this s223:hasConnectionPoint ?cpout . +?cpout s223:hasMedium ?outmedium . +FILTER NOT EXISTS { + ?outmedium a/rdfs:subClassOf* s223:Medium-Electricity . + } +} +GROUP BY $this +} +FILTER (?incount != ?outcount) +} +""" ] ], + [ rdfs:comment "A heat exchanger shall have at least 4 connection points." ; + sh:minCount 4 ; + sh:path s223:hasConnectionPoint ], + [ rdfs:comment "If the relation hasRole is present it must associate the HeatExchanger with a EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; sh:path s223:hasRole ] . -s223:Setpoint a s223:Class, +s223:Junction a s223:Class, sh:NodeShape ; - rdfs:label "Setpoint" ; - rdfs:subClassOf s223:Property, - qudt:Quantity ; - sh:property [ rdfs:comment "A Setpoint can be associated with a decimal value using the relation hasDeadband" ; - sh:datatype xsd:decimal ; - sh:path s223:hasDeadband ], - [ rdfs:comment "A Setpoint can be assicated with a decimal value using the relation hasValue" ; - sh:datatype xsd:decimal ; - sh:path s223:hasValue ] ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasQuantityKind relationship for a Setpoint if it is unambiguous" ; - sh:construct """ -CONSTRUCT {$this qudt:hasQuantityKind ?qk .} + rdfs:label "Junction" ; + rdfs:comment "A Junction is a modeling construct used when a branching point within a Connection (see `s223:Connection`) is of significance, such as specifying the observation location of a Sensor. When a Junction is used, what might have been modeled as a single, branched Connection is separated into three or more separate Connections, all tied together with the Junction and its associated ConnectionPoints." ; + rdfs:subClassOf s223:Connectable ; + sh:or ( [ sh:property [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 3 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 3 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 3 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) ; + sh:property [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Junction." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Junction." ; + sh:message "{$this} with Medium {?m2} is incompatible with {?cp} with Medium {?m1}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m2 ?cp ?m1 WHERE { -FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . -$this ^s223:hasSetpoint ?property . -?property qudt:hasQuantityKind ?qk . +$this s223:cnx ?cp . +?cp a/rdfs:subClassOf* s223:ConnectionPoint . +?cp s223:hasMedium ?m1 . +$this s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . } -""" ; - sh:prefixes s223: ] . - -s223:Substance-CO2 a s223:EnumerationKind-Substance ; - rdfs:label "Substance-CO2" . +""" ] ], + [ rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:message "{?cp1} with Medium {?m1} is incompatible with {?cp2} with Medium {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cp1 ?m1 ?cp2 ?m2 +WHERE { +$this s223:cnx ?cp1 . +?cp1 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp1 s223:hasMedium ?m1 . +$this s223:cnx ?cp2 . +?cp2 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ], + [ rdfs:comment "A Junction must be associated with exactly one EnumerationKind-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasMedium ] . s223:System a s223:Class, sh:NodeShape ; @@ -1561,37 +2732,241 @@ s223:System a s223:Class, rdfs:comment "A System is a logical grouping (collection) of Equipment for some functional or system reason, such as a chilled water system, or HVAC system. A System does not participate in Connections." ; rdfs:subClassOf s223:Concept ; sh:property [ a sh:PropertyShape ; - rdfs:comment "A System can be associated with zero or any number of other instances of Equipment or System using the relation hasMember" ; - sh:minCount 0 ; + rdfs:comment "A System can be associated with at least two instances of Equipment or System using the relation hasMember" ; + sh:minCount 2 ; sh:or ( [ sh:class s223:Equipment ] [ sh:class s223:System ] ) ; - sh:path s223:hasMember ], - [ rdfs:comment "A System can be associated with any number of EnumerationKind-Roles using the relation hasRole" ; + sh:path s223:hasMember ; + sh:severity sh:Warning ], + [ rdfs:comment "If the relation hasRole is present, it must associate the System with an EnumerationKind-Role." ; sh:class s223:EnumerationKind-Role ; - sh:path s223:hasRole ], - s223:hasPropertyShape . + sh:path s223:hasRole ] . -s223:Window a s223:Class, +s223:Voltage-0V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "0V Voltage" ; + s223:hasValue 0.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-10000V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "10000V Voltage" ; + s223:hasValue 10000.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-110V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "110V Voltage" ; + s223:hasValue 110.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-120V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "120V Voltage" ; + s223:hasValue 120.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-127V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "127V Voltage" ; + s223:hasValue 127.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-139V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "139V Voltage" ; + s223:hasValue 139.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-1730V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "1730V Voltage" ; + s223:hasValue 1730.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-1900V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "1900V Voltage" ; + s223:hasValue 1900.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-219V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "219V Voltage" ; + s223:hasValue 219.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-220V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "220V Voltage" ; + s223:hasValue 220.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-231V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "231V Voltage" ; + s223:hasValue 231.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-2400V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "2400V Voltage" ; + s223:hasValue 2400.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-277V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "277V Voltage" ; + s223:hasValue 277.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-3000V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "3000V Voltage" ; + s223:hasValue 3000.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-3300V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "3300V Voltage" ; + s223:hasValue 3300.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-3460V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "3460V Voltage" ; + s223:hasValue 3460.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-347V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "347V Voltage" ; + s223:hasValue 347.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-3810V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "3810V Voltage" ; + s223:hasValue 3810.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-400V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "400V Voltage" ; + s223:hasValue 400.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-415V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "415V Voltage" ; + s223:hasValue 415.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-4160V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "4160V Voltage" ; + s223:hasValue 4160.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-480V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "480V Voltage" ; + s223:hasValue 480.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-5770V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "5770V Voltage" ; + s223:hasValue 5770.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-6000V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "6000V Voltage" ; + s223:hasValue 6000.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-600V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "600V Voltage" ; + s223:hasValue 600.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-6600V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "6600V Voltage" ; + s223:hasValue 6600.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Zone a s223:Class, sh:NodeShape ; - rdfs:label "Window" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Window must provide service using Light." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Window must provide service using Light." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; - sh:path s223:hasMedium ] ] ] ] . + rdfs:label "Zone" ; + rdfs:comment "A Zone is a logical grouping (collection) of domain spaces for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone" ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "The associated Domain of a Zone and the Domain of the DomainSpaces it contains must be the same." ; + sh:path s223:hasDomain ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "The associated Domain of a Zone and the Domain of the DomainSpaces it contains must be the same." ; + sh:message "Zone {$this} has a Domain of {?domain}, but it contains a DomainSpace {?ds} which has a Domain of {?dsdomain}. These should be the same." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?domain ?ds ?dsdomain +WHERE { +$this a s223:Zone . +$this s223:hasDomain ?domain . +$this s223:contains ?ds . +?ds s223:hasDomain ?dsdomain . +FILTER (?domain != ?dsdomain) +} +""" ] ], + [ rdfs:comment "A Zone must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ], + [ rdfs:comment "A Zone must be associated with at least one DomainSpace using the relation hasDomainSpace." ; + sh:class s223:DomainSpace ; + sh:minCount 1 ; + sh:path s223:hasDomainSpace ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosed DomainSpaces to determine the domain." ; + sh:object [ sh:path ( s223:hasDomainSpace s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosing ZoneGroup to determine the domain." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasZone ] s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . s223:actuates a rdf:Property ; rdfs:label "actuates" ; - rdfs:comment "The relation actuates binds an Actuator to the Equipment that it actuates. The Equipment will have the ActuatableProperty that commands the actuator (see `s223:commandedByProperty`)." . + rdfs:comment "The relation actuates binds an Actuator to the Equipment that it actuates. The Equipment will have the ActuatableProperty that commands the Actuator (see `s223:commandedByProperty`)." . s223:connectsFrom a rdf:Property ; rdfs:label "connects from" ; @@ -1599,142 +2974,47 @@ s223:connectsFrom a rdf:Property ; s223:connectsTo a rdf:Property ; rdfs:label "connects to" ; - rdfs:comment "The connectsTo relation binds a specific ConnectionPoint to a Connection; See Figure x.y. The relation connectsTo binds a Connectable thing to a Connection with an implied directionality. A connectsTo B indicates a flow from A to B." . - -s223:executes a rdf:Property ; - rdfs:label "executes" ; - rdfs:comment "The relation executes is used to specify that a controller (see `s223:Controller`) is responsible for the execution of a function block (see `s223:FunctionBlock`). " . + rdfs:comment "The relation connectsTo binds a Connection to a Connectable thing to a Connection with an implied directionality. A connectsTo B indicates a flow from A to B." . s223:hasAspect a rdf:Property ; rdfs:label "has aspect" ; rdfs:comment "hasAspect is used to establish the context of a Property. The value must be an instance of EnumerationKind. For example, if a Property has a Temperature value of 45.3, the hasAspect relation is used to state what that represents, such as a Temperature limit during working hours, etc. A Property can have any number of hasAspect relations, as needed to establish the context." . -s223:hasConstant a rdf:Property ; - rdfs:label "has constant" ; - rdfs:comment "The relation hasConstant is used to relate a constant (see `s223:Constant`) to a function block (see `s223:FunctionBlock`)." . +s223:hasExternalReference a rdf:Property ; + rdfs:label "has external reference" ; + rdfs:comment "The relation hasExternalReference is used to relate a Property to an external telemetry source." . -s223:hasDeadband a rdf:Property ; - rdfs:label "has deadband" . +s223:hasFrequency a rdf:Property ; + rdfs:label "has frequency" ; + rdfs:comment "The relation hasFrequency is used to identify the frequency of an AC electricity enumeration kind. " . + +s223:hasInput a rdf:Property ; + rdfs:label "has function input" ; + rdfs:comment "The relation hasInput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is used as input." . s223:hasMeasurementResolution a rdf:Property ; rdfs:label "has measurement resolution" ; rdfs:comment "The hasMeasurementResolution relation is used to link to a numerical property whose value indicates the smallest recognizable change in engineering units that the sensor can indicate. " . s223:hasMember a rdf:Property ; - rdfs:label "has member" . + rdfs:label "has member" ; + rdfs:comment "The relation hasMember associates a System with its component Equipment and/or Systems." . -s223:hasPhase a rdf:Property ; - rdfs:label "has phase" ; - rdfs:comment "The relation hasPhase is used to indicate the intended phase of the Medium inside a Connection." . +s223:hasNumberOfElectricalPhases a rdf:Property ; + rdfs:label "has number of electrical phases" ; + rdfs:comment "The relation hasNumberOfElectricalPhases is used to identify the number of electrical phases in an AC electricity enumeration kind. " . s223:hasPhysicalLocation a rdf:Property ; rdfs:label "has Physical Location" ; - rdfs:comment "The relation hasPhysicalLocation is used to indicate the physical space (see `s223:PhysicalSpace`) where a piece of equipment (see `s223:Equipment`) is located." . + rdfs:comment "The relation hasPhysicalLocation is used to indicate the PhysicalSpace (see `s223:PhysicalSpace`) where a piece of Equipment (see `s223:Equipment`) is located." . -s223:hasSetpoint a rdf:Property ; - rdfs:label "has setpoint" ; - rdfs:comment "This relation binds a control setpoint to the quantifiable property indicating the desired value which the control process is trying to maintain." . +s223:hasThermodynamicPhase a rdf:Property ; + rdfs:label "has thermodynamic phase" ; + rdfs:comment "The relation hasThermodynamicPhase is used to indicate the thermodynamic phase of the Medium inside a Connection." . s223:ofMedium a rdf:Property ; - rdfs:label "of medium" . - -s223:produces a rdf:Property ; - rdfs:label "produces" ; - rdfs:comment "The relation produces is used to relate a function output (see `s223:FunctionOutput`) to a property (see `s223:Property`). This allows one to specify that the value of this property is produced by the function block output, allowing the users of the model to understand that the value of the property is the result of the algorithm defined by the function block. " . - -s223:scp a rdf:Property . - -g36:AirFlowStation a s223:Class, - sh:NodeShape ; - rdfs:label "Air Flow Station" ; - rdfs:subClassOf s223:Sensor ; - sh:node g36:AirFlowStationRule . - -g36:AnalogOut a s223:Class, - sh:NodeShape ; - rdfs:label "Analog out" ; - rdfs:subClassOf s223:QuantifiableActuatableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An AnalogOut is a QuantifiableActuatableProperty." ; - sh:object s223:QuantifiableActuatableProperty ; - sh:predicate rdf:type ; - sh:subject sh:this ] . - -g36:DamperRule a sh:NodeShape ; - sh:class s223:Damper ; - sh:property [ sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogOut ; - sh:property [ sh:hasValue s223:QuantityKind-RelativePosition ; - sh:path qudt:hasQuantityKind ] ] ] . - -g36:EnumerationKind-Position a s223:Class, - g36:EnumerationKind-Position, - sh:NodeShape ; - rdfs:label "For properties related to position" ; - rdfs:comment "Would like to move this to vocab with other property enumeration kinds" ; - rdfs:subClassOf s223:EnumerationKind . - -g36:VAV a s223:Class, - sh:NodeShape ; - rdfs:label "VAV" ; - rdfs:subClassOf s223:SingleDuctTerminal ; - sh:node g36:VAVRule . - -g36:VAVRule a sh:NodeShape ; - sh:class s223:SingleDuctTerminal ; - sh:property [ sh:class s223:Damper ; - sh:path s223:contains ], - [ sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:property [ sh:hasValue quantitykind:VolumeFlowRate ; - sh:path qudt:hasQuantityKind ] ] ] . - -g36:Zone a s223:Class, - sh:Nodeshape ; - rdfs:label "Zone with relevant points" ; - rdfs:subClassOf s223:Zone ; - sh:node g36:ZoneRule . - -g36:ZoneRule a sh:NodeShape ; - sh:class s223:Zone ; - sh:property [ sh:hasValue s223:Domain-HVAC ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - [ rdfs:comment "Zone Temp" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:hasValue quantitykind:Temperature ; - sh:path qudt:hasQuantityKind ] ] ] ], - [ rdfs:comment "Zone CO2" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:hasValue quantitykind:Concentration ; - sh:path qudt:hasQuantityKind ], - [ sh:hasValue s223:Substance-CO2 ; - sh:path s223:ofSubstance ] ] ] ], - [ rdfs:comment "Zone Occupancy" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:class s223:QuantityKind-Occupancy ; - sh:path qudt:QuantityKind ] ] ] ], - [ rdfs:comment "Window Switch (Should there be an Open/Close Enumeratable property?) " ; - sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:DomainSpace ; - sh:node [ sh:property [ sh:class s223:Window ; - sh:node [ sh:property [ sh:class s223:Sensor ; - sh:path [ sh:inversePath s223:hasMeasurementLocation ] ] ] ; - sh:path s223:connectedTo ] ] ] ] . - - -rdfs:comment a rdf:Property ; - rdfs:label "Description of constraints for s223" ; - rdfs:subPropertyOf rdfs:comment . + rdfs:label "of medium" ; + rdfs:comment "The relation ofMedium is used to associate a Property with a specific Medium." . s223:AbstractSensor a s223:Class, sh:NodeShape ; @@ -1742,53 +3022,96 @@ s223:AbstractSensor a s223:Class, s223:abstract true ; rdfs:comment "This is an abstract class that represents properties that are common to all sensor types." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "A Sensor can be associated with a QuantifiableProperty by hasMeasurementResolution" ; + sh:property [ rdfs:comment "If the relation hasMeasurementResolution is present it must associate the AbstractSensor with a QuantifiableProperty." ; sh:class s223:QuantifiableProperty ; sh:path s223:hasMeasurementResolution ], - [ rdfs:comment "A Sensor can be associated with at most 1 ObservableProperty by observes" ; + [ rdfs:comment "An AbstractSensor must be associated with exactly one ObservableProperty using the relation observes." ; sh:class s223:ObservableProperty ; sh:maxCount 1 ; sh:minCount 1 ; - sh:path s223:observes ], - [ sh:name "Test for compatible declared Substances" ; - sh:path s223:measuresSubstance ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the Substance identified by a sensor via the s223:measuresSubstance relation is compatible with the Substance identified by the Property being measured via the s223:ofSubstance relation." ; - sh:message "Sensor {$this} measures substance {?a}, but the measured Property identifies an incompatible substance of {?b} via the s223:ofSubstance relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT DISTINCT $this ?a ?b -WHERE { -$this s223:measuresSubstance ?a . -$this s223:observes/s223:ofSubstance ?b . -?a a/rdfs:subClassOf* s223:EnumerationKind . -?b a/rdfs:subClassOf* s223:EnumerationKind . -FILTER (?a != ?b ) . -FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . -FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . -} -""" ] ] . + sh:path s223:observes ] . + +s223:Aspect-Effectiveness a s223:Aspect-Effectiveness, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Effectiveness" ; + rdfs:comment "This class enumerates the possible states of effectiveness" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:DCNegativeVoltage-12.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-12.0V" ; + s223:hasVoltage s223:Voltage-12V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-12.0V" . + +s223:DCNegativeVoltage-24.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-24.0V" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-24.0V" . + +s223:DCNegativeVoltage-6.0V a s223:DCVoltage-DCNegativeVoltage ; + rdfs:label "DCNegativeVoltage-6.0V" ; + s223:hasVoltage s223:Voltage-6V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-6.0V" . + +s223:DCPositiveVoltage-12.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-12.0V" ; + s223:hasVoltage s223:Voltage-12V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-12.0V" . + +s223:DCPositiveVoltage-24.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-24.0V" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-24.0V" . + +s223:DCPositiveVoltage-6.0V a s223:DCVoltage-DCPositiveVoltage ; + rdfs:label "DCPositiveVoltage-6.0V" ; + s223:hasVoltage s223:Voltage-6V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-6.0V" . -s223:BidirectionalConnectionPoint a s223:Class, +s223:DomainSpace a s223:Class, sh:NodeShape ; - rdfs:label "Bidirectional Connection Point" ; - rdfs:comment "A BidirectionalConnectionPoint is a predefined subclass of ConnectionPoint. Using a BidirectionalConnectionPoint implies that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation (see `s223:Direction-Bidirectional`) or to model energy transfer occurring without specific flow direction." ; - rdfs:subClassOf s223:ConnectionPoint . + rdfs:label "Domain Space" ; + rdfs:comment "A DomainSpace is a member (or component) of a Zone and is associated with a Domain such as Lighting, HVAC, PhysicalSecurity, etc. Physical spaces enclose Domain spaces." ; + rdfs:subClassOf s223:Connectable ; + sh:property [ rdfs:comment "A DomainSpace must be enclosed by a PhysicalSpace." ; + sh:message "A DomainSpace must be enclosed by a PhysicalSpace." ; + sh:minCount 1 ; + sh:path [ sh:inversePath s223:encloses ] ; + sh:severity sh:Info ], + [ rdfs:comment "A DomainSpace must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosing Zone to determine the domain." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasDomainSpace ] s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . s223:EnumerableProperty a s223:Class, sh:NodeShape ; rdfs:label "Enumerable Property" ; + rdfs:comment "An EnumerableProperty is a property with an enumerated (fixed) set of possible values." ; rdfs:subClassOf s223:Property ; - sh:property [ rdfs:comment "An EnumerableProperty must be associated with one EnumerationKind using the relation hasEnumerationKind" ; - sh:class s223:EnumerationKind ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasEnumerationKind ], - [ rdfs:comment "Checks for valid enumeration value" ; + sh:property [ rdfs:comment "Checks for valid enumeration value consistent with the stated EnumerationKind." ; sh:path s223:hasValue ; sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks for valid enumeration value consistent with the stated EnumerationKind." ; sh:message "{$this} has an enumeration value of {?value} which is not a valid {?kind}." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this ?value ?kind WHERE { @@ -1796,184 +3119,185 @@ $this s223:hasValue ?value . $this s223:hasEnumerationKind ?kind . FILTER (NOT EXISTS {?value a/rdfs:subClassOf* ?kind}) . } -""" ] ] . - -s223:EnumeratedObservableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Enumerated observable property" ; - rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can only be observed (not changed)" ; - rdfs:subClassOf s223:EnumerableProperty, - s223:ObservableProperty . +""" ] ], + [ rdfs:comment "An EnumerableProperty must be associated with exactly one EnumerationKind using the relation hasEnumerationKind." ; + sh:class s223:EnumerationKind ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasEnumerationKind ] . -s223:EnumerationKind-Effectiveness a s223:Class, - s223:EnumerationKind-Effectiveness, +s223:ExternalReference a s223:Class, sh:NodeShape ; - rdfs:label "Effectiveness" ; - rdfs:subClassOf s223:EnumerationKind . + rdfs:label "ExternalReference" ; + s223:abstract true ; + rdfs:comment "ExternalReference is an abstract class that represents a thing that contains API or protocol parameter values necessary to associate a property with a value." ; + rdfs:subClassOf s223:Concept . s223:Fan a s223:Class, sh:NodeShape ; rdfs:label "Fan" ; + rdfs:comment "A machine used to create flow within a gas such as air. " ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Fan must provide service using Air." ; + sh:property [ rdfs:comment "A Fan shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Fan must provide service using Air." ; + [ rdfs:comment "A Fan shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . -s223:Junction a s223:Class, - sh:NodeShape ; - rdfs:label "Junction" ; - rdfs:comment "A Junction is used to join two or more Segments together. This might be where a duct splits or joins." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Junction should be associated with at least two Segments using the relation lnx" ; - sh:class s223:Segment ; - sh:message "Junction is missing one or more Segments" ; - sh:minCount 2 ; - sh:path s223:lnx ; - sh:severity sh:Info ] . +s223:LineNeutralVoltage-208V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "208V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-208V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . -s223:ManualValve a s223:Class, - sh:NodeShape ; - rdfs:label "Manual Valve" ; - rdfs:subClassOf s223:Valve . +s223:LineNeutralVoltage-24V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "24V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . s223:Medium-NaturalGas a s223:Class, - s223:Medium-NaturalGas ; - rdfs:label "Medium-NaturalGas" ; - rdfs:subClassOf s223:EnumerationKind-Medium . - -s223:MotorizedValve a s223:Class, - sh:NodeShape ; - rdfs:label "Motorized Valve" ; - rdfs:subClassOf s223:Valve . - -s223:Parameter a s223:Class, + s223:Medium-NaturalGas, sh:NodeShape ; - rdfs:label "Parameter" ; - rdfs:comment "A parameter belongs to exactly one Function Block." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Parameter can be associated with any number of Property instances using the relation 'uses'." ; - sh:class s223:Property ; - sh:path s223:uses ], - [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Parameter must be associated with exactly one FunctionBlock." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasParameter ] ] . + rdfs:label "Medium-NaturalGas" ; + rdfs:comment "This class has enumerated instances of natural gas in various states." ; + rdfs:subClassOf s223:Substance-Medium . s223:Phase-Gas a s223:Class, s223:Phase-Gas, sh:NodeShape ; rdfs:label "Phase-Gas" ; + rdfs:comment "This class has enumerated instances of gas in various thermodynamic states." ; rdfs:subClassOf s223:EnumerationKind-Phase . s223:Phase-Liquid a s223:Class, s223:Phase-Liquid, sh:NodeShape ; rdfs:label "Phase-Liquid" ; + rdfs:comment "This class has enumerated instances of liquid in various thermodynamic states." ; rdfs:subClassOf s223:EnumerationKind-Phase . -s223:PhysicalSpace a s223:Class, - sh:NodeShape ; - rdfs:label "Physical Space" ; - rdfs:comment "A PhysicalSpace is an architectural concept representing a room, a collection of rooms such as a floor, a part of a room, or any physical space that might not even be thought of as a room, such as a patio space or a roof." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A PhysicalSpace can be associated with any number of other PhysicalSpaces using the relation contains" ; - sh:class s223:PhysicalSpace ; - sh:path s223:contains ], - [ rdfs:comment "A PhysicalSpace can be associated with any number of DomainSpaces using the relation encloses" ; - sh:class s223:DomainSpace ; - sh:path s223:encloses ] . - -s223:QuantifiableActuatableProperty a s223:Class, +s223:QuantifiableObservableProperty a s223:Class, sh:NodeShape ; - rdfs:label "Quantifiable Actuatable Property" ; - rdfs:comment "This class is for quantifiable properties of which numerical values are specified to be modifiable by a user or a machine outside of the model, like a setpoint." ; - rdfs:subClassOf s223:ActuatableProperty, + rdfs:label "Quantifiable Observable Property" ; + rdfs:comment "This class is for quantifiable properties of which numerical values cannot be modified by a user or a machine outside of the model, but only observed, like a temperature reading or a voltage measure." ; + rdfs:subClassOf s223:ObservableProperty, s223:QuantifiableProperty . -s223:QuantityKind-Occupancy a s223:Class, - s223:QuantityKind-Occupancy, - qudt:QuantityKind ; - rdfs:label "quantitykind-occupancy" . - -s223:QuantityKind-RelativePosition a s223:Class, - s223:QuantityKind-RelativePosition, - qudt:QuantityKind ; - rdfs:label "quantitykind-relativeposition" . - -s223:Role-Cooling a s223:EnumerationKind-Role ; - rdfs:label "Role-Cooling" . - -s223:SingleDuctTerminal a s223:Class, - sh:NodeShape ; - rdfs:label "A single duct air terminal that contains a damper." ; - rdfs:subClassOf s223:TerminalUnit ; - sh:property [ rdfs:comment "A SingleDuctTerminal must be associated with at least 1 Damper by contains." ; - sh:minCount 1 ; - sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Damper ] ] . +s223:Role-Controller a s223:EnumerationKind-Role ; + rdfs:label "Role-Controller" . s223:Valve a s223:Class, sh:NodeShape ; rdfs:label "Valve" ; + rdfs:comment "A device to regulate or stop the flow of fluid in a pipe or a duct by throttling." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Valve must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Valve must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . + sh:or ( [ sh:property [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 2 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) . + +s223:Voltage-208V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "208V Voltage" ; + s223:hasValue 208.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-240V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "240V Voltage" ; + s223:hasValue 240.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-2V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "2V Voltage" ; + s223:hasValue 2.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-3V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "3V Voltage" ; + s223:hasValue 3.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . s223:commandedByProperty a rdf:Property ; rdfs:label "commanded by Property" ; rdfs:comment "The relation commandedByProperty binds an Actuator to the ActuatableProperty that it responds to. This Property will be owned by the equipment that it actuates (see `s223:actuates`)." . s223:connectedThrough a rdf:Property ; - rdfs:label "connected through" . + rdfs:label "connected through" ; + rdfs:comment "The relation connectedThrough associates a Connectable with a Connection." . s223:encloses a rdf:Property ; rdfs:label "encloses" ; rdfs:comment "The relation encloses is used to indicate that a domain space (see: `s223:DomainSpace`) can be found inside a physical space (see `s223:PhysicalSpace`). " . -s223:hasInput a rdf:Property ; - rdfs:label "has function input" ; - rdfs:comment "The relation hasInput is used to relate a function input (see `s223:FunctionInput`) to a function block (see `s223:FunctionBlock`). " . +s223:hasElectricalPhase a rdf:Property ; + rdfs:label "has electrical phase" ; + rdfs:comment "The relation hasElectricalPhase is used to indicate the electrical phase identifier or the relevant electrical phases for a voltage difference for AC electricity inside a Connection." . s223:hasOutput a rdf:Property ; rdfs:label "has function output" ; - rdfs:comment "The relation hasOutput is used to relate a function output (see `s223:FunctionOutput`) to a function block (see `s223:FunctionBlock`). " . + rdfs:comment "The relation hasOutput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is calculated by the FunctionBlock." . -s223:hasParameter a rdf:Property ; - rdfs:label "has parameter" ; - rdfs:comment "A Parameter (`s223:Parameter`) is associated to a function block (`s223:FunctionBlock`) using the relation hasParameter. " . +rdfs:comment a rdf:Property ; + rdfs:label "comment" ; + rdfs:comment "Description of constraints for s223." ; + rdfs:subPropertyOf rdfs:comment . -s223:ofSubstance a rdf:Property ; - rdfs:label "of substance" . +s223:Aspect-DayOfWeek a s223:Aspect-DayOfWeek, + s223:Class, + sh:NodeShape ; + rdfs:label "Day of Week" ; + rdfs:comment "This class has enumerated instances of Monday, Tuesday, Wednesday, Thursday, Friday, Saturday and Sunday. The Weekend and Weekday EnumerationKinds define subsets of this EnumerationKind for Mon-Fri and Sat,Sun, respectively" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . -g36:AirFlowStationRule a sh:NodeShape ; - sh:class s223:Sensor ; - sh:property [ sh:class s223:QuantifiableObservableProperty ; +s223:Coil a s223:Class, + sh:NodeShape ; + rdfs:label "Coil" ; + rdfs:comment "A cooling or heating element made of pipe or tube that may or may not be finned and formed into helical or serpentine shape." ; + rdfs:subClassOf s223:HeatExchanger ; + sh:property [ rdfs:comment "A Coil shall have at least one inlet using the medium Air." ; sh:minCount 1 ; - sh:path s223:observes ], - [ sh:class s223:Medium-Air ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Coil shall have at least one outlet using the medium Air." ; sh:minCount 1 ; - sh:path s223:measuresSubstance ] . + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . s223:DayOfWeek-Weekend a s223:Class, s223:DayOfWeek-Weekend, @@ -1981,14 +3305,27 @@ s223:DayOfWeek-Weekend a s223:Class, rdfs:label "Day of week-Weekend", "Weekend" ; rdfs:comment "This class defines the EnumerationKind values of Saturday and Sunday" ; - rdfs:subClassOf s223:EnumerationKind-DayOfWeek . + rdfs:subClassOf s223:Aspect-DayOfWeek . -s223:EnumerationKind-DayOfWeek a s223:Class, - s223:EnumerationKind-DayOfWeek, +s223:EnumeratedObservableProperty a s223:Class, sh:NodeShape ; - rdfs:label "Day of Week" ; - rdfs:comment "This class has enumerated instances of Monday, Tuesday, Wednesday, Thursday, Friday, Saturday and Sunday. The Weekend and Weekday EnumerationKinds define subsets of this EnumerationKind for Mon-Fri and Sat,Sun, respectively" ; - rdfs:subClassOf s223:EnumerationKind . + rdfs:label "Enumerated observable property" ; + rdfs:comment "An EnumeratedObservableProperty is a property with an enumerated (fixed) set of possible values that cannot be changed (can only be observed)." ; + rdfs:subClassOf s223:EnumerableProperty, + s223:ObservableProperty . + +s223:FunctionBlock a s223:Class, + sh:NodeShape ; + rdfs:label "Function block" ; + rdfs:comment "A FunctionBlock is used to model transfer and/or transformation of information (i.e. Property). It has relations to input Properties and output Properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; + rdfs:subClassOf s223:Concept ; + sh:or ( [ sh:property [ rdfs:comment "A Function block must be associated with at least one Property using the relation hasInput." ; + sh:class s223:Property ; + sh:minCount 1 ; + sh:path s223:hasInput ] ] [ sh:property [ rdfs:comment "A Function block must be associated with at least one Property using the relation hasOutput." ; + sh:class s223:Property ; + sh:minCount 1 ; + sh:path s223:hasOutput ] ] ) . s223:LightSensor a s223:Class, sh:NodeShape ; @@ -1996,185 +3333,242 @@ s223:LightSensor a s223:Class, rdfs:comment "A LightSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a luminance measurement." ; rdfs:subClassOf s223:Sensor . -s223:Medium-Refrigerant a s223:Class, - s223:Medium-Refrigerant, - sh:NodeShape ; - rdfs:label "Medium-Refrigerant" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +s223:LineNeutralVoltage-110V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "110V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-110V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-127V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "127V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-127V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-139V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "139V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-139V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-1730V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "1730V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-1730V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-1900V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "1900V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-1900V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-219V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "219V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-219V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-231V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "231V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-231V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-2400V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "2400V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-2400V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-240V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "240V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-240V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-277V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "277V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-277V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-3460V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "3460V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-3460V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-347V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "347V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-347V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-3810V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "3810V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-3810V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineNeutralVoltage-5770V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "5770V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-5770V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Medium-Oil a s223:Class, + s223:Medium-Oil, + sh:NodeShape ; + rdfs:label "Medium-Oil" ; + rdfs:comment "This class has enumerated instances of oil." ; + rdfs:subClassOf s223:Substance-Medium . s223:ObservableProperty a s223:Class, sh:NodeShape ; rdfs:label "Observable Property" ; - rdfs:comment "This class describes non-numeric properties of which real-time value cannot be modified by a user or a machine outside of the model. Sensors reading are typically observable properties as their value naturally fluctuate, but is not meant to be modified by a user." ; + rdfs:comment "This class describes non-numeric properties of which real-time value cannot be modified by a user or a machine outside of the model. Sensor readings are typically observable properties as their values naturally fluctuate, but are not meant to be modified by a user." ; rdfs:subClassOf s223:Property . -s223:Occupancy-Motion a s223:Class, - s223:Occupancy-Motion, - sh:NodeShape ; - rdfs:label "Occupancy Motion" ; - rdfs:subClassOf s223:EnumerationKind-Occupancy . - -s223:Occupancy-Presence a s223:Class, - s223:Occupancy-Presence, - sh:NodeShape ; - rdfs:label "Occupancy Presence" ; - rdfs:subClassOf s223:EnumerationKind-Occupancy . - s223:OccupancySensor a s223:Class, sh:NodeShape ; rdfs:label "Occupancy sensor" ; - rdfs:comment "An OccuppancySensor is a specialization of a Sensor that observes a Property that represents measurement of occupancy in a space." ; + rdfs:comment "An OccupancySensor is a subclass of a Sensor that observes a Property that represents measurement of occupancy in a space." ; rdfs:subClassOf s223:Sensor . -s223:QuantifiableProperty a s223:Class, +s223:PhysicalSpace a s223:Class, sh:NodeShape ; - rdfs:label "Quantifiable Property" ; - rdfs:comment "This class is for quantifiable values that describe an object (System, Equipment, etc.) that are typically static (hasValue). That is, they are neither measured nor specified in the course of operations." ; - rdfs:subClassOf s223:Property, - qudt:Quantity ; - sh:property [ rdfs:comment "A QuantifiableProperty can be associated with any number of Setpoints using the relation hasSetpoint" ; - sh:class s223:Setpoint ; - sh:path s223:hasSetpoint ], - [ rdfs:comment "A QuantifiableProperty can be associated with a decimal value using the relation hasValue" ; - sh:datatype xsd:decimal ; - sh:path s223:hasValue ], - [ rdfs:comment "A QuantifiableProperty must be associated with at least one quantitykind using the relation hasQuantityKind." ; - sh:minCount 1 ; - sh:path qudt:hasQuantityKind ], - [ rdfs:comment "A QuantifiableProperty should be associated with at least one unit using the relation unit." ; - sh:minCount 1 ; - sh:path qudt:unit ; - sh:severity sh:Info ], - [ rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds" ; - sh:path qudt:hasQuantityKind ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses QuantityKind {?pqk} with DimensionVector {?pdv}, while Setpoint {?setpoint} uses QuantityKind {?sqk} with DimensionVector {?sdv}. These are non-commensurate" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?pqk ?sqk ?pdv ?sdv -WHERE { -$this qudt:hasQuantityKind ?pqk . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:hasQuantityKind ?sqk . -?pqk qudt:hasDimensionVector ?pdv . -?sqk qudt:hasDimensionVector ?sdv . -FILTER (?pqk != ?sqk) . -FILTER (?pdv != ?sdv) . -} -""" ] ], - [ rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units" ; - sh:path qudt:unit ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. These are non-commensurate." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?punit ?sunit -WHERE { -$this qudt:unit ?punit . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:unit ?sunit . -?punit qudt:hasDimensionVector ?pdv . -?sunit qudt:hasDimensionVector ?sdv . -FILTER (?punit != ?sunit) . -FILTER (?pdv != ?sdv) . -} -""" ] ], - [ rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it" ; - sh:path qudt:unit ; - sh:severity sh:Info ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. Be careful." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?punit ?sunit -WHERE { -$this qudt:unit ?punit . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:unit ?sunit . -?punit qudt:hasDimensionVector ?pdv . -?sunit qudt:hasDimensionVector ?sdv . -FILTER (?punit != ?sunit) . -FILTER (?pdv = ?sdv) . -} -""" ] ] ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasQuantityKind relationship if it is unambiguous" ; - sh:construct """ -CONSTRUCT { -$this qudt:hasQuantityKind ?uniqueqk -} -WHERE { -{ -SELECT $this (COUNT (DISTINCT (?qk)) AS ?count) -WHERE { -FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . -$this qudt:unit/qudt:hasQuantityKind ?qk . -} -GROUP BY $this -} -FILTER (?count = 1) -$this qudt:unit/qudt:hasQuantityKind ?uniqueqk . -} -""" ; - sh:prefixes s223: ] ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Checks for consistent dimension vectors for a QuantityKind and the Unit" ; - sh:message "Inconsistent dimensionalities among the Property's Unit and Property's Quantity Kind" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?count -WHERE { -{ SELECT $this (COUNT (DISTINCT ?qkdv) AS ?count) - WHERE -{ - { - $this qudt:hasQuantityKind/qudt:hasDimensionVector ?qkdv . - } - UNION - { - $this qudt:unit/qudt:hasDimensionVector ?qkdv . - } -} - GROUP BY $this -} -FILTER (?count > 1) . -} -""" ] . + rdfs:label "Physical Space" ; + rdfs:comment "A PhysicalSpace is an architectural concept representing a room, a collection of rooms such as a floor, a part of a room, or any physical space that might not even be thought of as a room, such as a patio space or a roof." ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "If the relation contains is present it must associate the PhysicalSpace with a PhysicalSpace." ; + sh:class s223:PhysicalSpace ; + sh:path s223:contains ], + [ rdfs:comment "If the relation encloses is present it must associate the PhysicalSpace with a DomainSpace." ; + sh:class s223:DomainSpace ; + sh:path s223:encloses ] . s223:Signal-Modulated a s223:Class, s223:Signal-Modulated, sh:NodeShape ; rdfs:label "Signal-Modulated" ; + rdfs:comment "This class has enumerated instances of electric signals at various voltage ranges." ; rdfs:subClassOf s223:Electricity-Signal . -s223:SymmetricProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Symmetric property" ; - rdfs:comment "Symmetric properties used to associate adjacent entities. See s223:cnx, s223:connected, s223:lnx" ; - rdfs:subClassOf rdf:Property . +s223:Voltage-12V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "12V Voltage" ; + s223:hasValue 12.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-190V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "190V Voltage" ; + s223:hasValue 190.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-48V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "48V Voltage" ; + s223:hasValue 48.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-5V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "5V Voltage" ; + s223:hasValue 5.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-6V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "6V Voltage" ; + s223:hasValue 6.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Water-GlycolSolution a s223:Class, + s223:Water-GlycolSolution, + sh:NodeShape ; + rdfs:label "Water-GlycolSolution" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Unspecified" ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Unspecified" ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind qudtqk:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] ; + rdfs:comment "This class has enumerated instances of water-glycol solutions in various concentrations." ; + rdfs:subClassOf s223:Medium-Water ; + sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Water." ; + sh:path s223:hasConstituent ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:QuantifiableProperty ; + sh:node [ sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Water." ; + sh:hasValue s223:Medium-Water ; + sh:path s223:ofSubstance ], + [ rdfs:comment "The quantity kind of the constituent must be VolumeFraction." ; + sh:hasValue qudtqk:VolumeFraction ; + sh:path qudt:hasQuantityKind ] ] ] ], + [ rdfs:comment "There must be at least two QuantifiableProperties that characterize the constituents of a Water-GlycolSolution." ; + sh:class s223:QuantifiableProperty ; + sh:minCount 2 ; + sh:path s223:hasConstituent ], + [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Glycol." ; + sh:path s223:hasConstituent ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:QuantifiableProperty ; + sh:node [ sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Glycol." ; + sh:hasValue s223:Medium-Glycol ; + sh:path s223:ofSubstance ], + [ rdfs:comment "The quantity kind of the constituent must be VolumeFraction." ; + sh:hasValue qudtqk:VolumeFraction ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:connected a s223:SymmetricProperty, rdf:Property ; rdfs:label "connected" ; rdfs:comment "The relation connected indicates that two connectable things are connected without regard to any directionality of a process flow. " . +s223:executes a rdf:Property ; + rdfs:label "executes" ; + rdfs:comment "The relation executes is used to specify that a Controller (see `s223:Controller`) is responsible for the execution of a FunctionBlock (see `s223:FunctionBlock`). " . + +s223:hasDomainSpace a rdf:Property ; + rdfs:label "has domain space" ; + rdfs:comment "The relation hasDomainSpace is used to associate a Zone with the DomainSpace(s) that make up that Zone." . + s223:hasEnumerationKind a rdf:Property ; rdfs:label "has enumeration kind" ; - rdfs:comment "The relation hasEnumerationKind associates an EnumerableProperty with a class of enumeration values. This is used to, for example, identify what kind of substance is transported along a Connection or which day of the week a setpoint is active" . + rdfs:comment "The relation hasEnumerationKind associates an EnumerableProperty with a class of enumeration values. This is used to, for example, identify what kind of substance is transported along a Connection or which day of the week a setpoint is active." . + +s223:hasObservationLocationLow a rdf:Property ; + rdfs:label "has observation location low" ; + rdfs:comment "The relation hasObservationLocationLow associates a differential sensor to one of the topological locations where a differential property is observed (see `s223:observes`)." ; + rdfs:subPropertyOf s223:hasObservationLocation . -s223:lnx a s223:SymmetricProperty ; - rdfs:label "lnx" ; - rdfs:comment "The lnx property is a symmetric property associating adjacent entities in a Segment-Junction Network." . +s223:hasProperty a rdf:Property ; + rdfs:label "has Property" ; + rdfs:comment "The relation hasProperty associates any 223 Concept with a Property." . -s223:measuresSubstance a rdf:Property ; - rdfs:label "measures Substance" ; - rdfs:comment "The relation measuresSubstance is used to relate a sensor (see `s223:Sensor`) to a substance (see `s223:EnumerationKind-Substance`). Some sensors measure a specific property inside a medium and this substance can be defined by relating the sensor to it using the relation measuresSubstance (ex. Substance-CO2 in Medium-Air). " . +s223:hasValue a rdf:Property ; + rdfs:label "hasValue" ; + rdfs:comment "hasValue is used to contain a fixed value that is part of a 223 model, rather than a computed, measured, or externally derived variable." . -s223:uses a rdf:Property ; - rdfs:label "uses" ; - rdfs:comment "The relation uses is used to relate a function block input (see `s223:FunctionInput`) to a property (see `s223:Property`). This allows one to specify that the value of this property is used by the function block. " . +s223:hasZone a rdf:Property ; + rdfs:label "has zone" ; + rdfs:comment "The relation hasZone is used to associate a ZoneGroup with the Zones that make up that ZoneGroup." . -qudt:unit rdfs:comment "A reference to the unit of measure of a QuantifiableProperty of interest." . +s223:isConnectionPointOf a rdf:Property ; + rdfs:label "is connection point of" ; + s223:inverseOf s223:hasConnectionPoint ; + rdfs:comment "The relation isConnectionPointOf is part of a pair of relations that bind a ConnectionPoint to a Connectable thing. It is the inverse of the relation hasConnectionPoint (see `s223:hasConnectionPoint`)." . s223:ActuatableProperty a s223:Class, sh:NodeShape ; @@ -2182,28 +3576,59 @@ s223:ActuatableProperty a s223:Class, rdfs:comment "This class describes non-numeric properties of which real-time value can be modified by a user or a machine outside of the model." ; rdfs:subClassOf s223:Property . -s223:Coil a s223:Class, +s223:DC-12V a s223:Class, + s223:DC-12V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "12V" ; + s223:hasVoltage s223:Voltage-12V ; + rdfs:comment "This class has enumerated instances of all polarities of 12 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-24V a s223:Class, + s223:DC-24V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "24V" ; + s223:hasVoltage s223:Voltage-24V ; + rdfs:comment "This class has enumerated instances of all polarities of 24 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-380V a s223:Class, + s223:DC-380V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "380V" ; + s223:hasVoltage s223:Voltage-380V ; + rdfs:comment "This class has enumerated instances of all polarities of 380 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-48V a s223:Class, + s223:DC-48V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "48V" ; + s223:hasVoltage s223:Voltage-48V ; + rdfs:comment "This class has enumerated instances of all polarities of 48 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-5V a s223:Class, + s223:DC-5V, + s223:Electricity-DC, sh:NodeShape ; - rdfs:label "Coil" ; - rdfs:subClassOf s223:HeatExchanger ; - sh:property [ rdfs:comment "A Coil must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Coil must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . + rdfs:label "5V" ; + s223:hasVoltage s223:Voltage-5V ; + rdfs:comment "This class has enumerated instances of all polarities of 5 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . -s223:EM-Light a s223:Class, - s223:EM-Light, +s223:DC-6V a s223:Class, + s223:DC-6V, + s223:Electricity-DC, sh:NodeShape ; - rdfs:label "EM-Light" ; - rdfs:subClassOf s223:Medium-EM . + rdfs:label "6V" ; + s223:hasVoltage s223:Voltage-6V ; + rdfs:comment "This class has enumerated instances of all polarities of 6 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . s223:EnumerationKind-Binary a s223:Class, s223:EnumerationKind-Binary, @@ -2223,92 +3648,180 @@ s223:EnumerationKind-OnOff a s223:Class, s223:EnumerationKind-OnOff, sh:NodeShape ; rdfs:label "OnOff enumeration" ; + rdfs:comment "This class has enumerated instances of states of either on or off." ; rdfs:subClassOf s223:EnumerationKind . -s223:EnumerationKind-PositionStatus a s223:Class, - s223:EnumerationKind-PositionStatus, +s223:EnumerationKind-Position a s223:Class, + s223:EnumerationKind-Position, sh:NodeShape ; - rdfs:label "Position status" ; + rdfs:label "Position" ; + rdfs:comment "This class has enumerated instances of position such as closed or open." ; rdfs:subClassOf s223:EnumerationKind . s223:EnumerationKind-RunStatus a s223:Class, s223:EnumerationKind-RunStatus, sh:NodeShape ; rdfs:label "Run status" ; + rdfs:comment "This class is a more general form of EnumerationKind-OnOff, allowing for additional status values beyond on or off." ; rdfs:subClassOf s223:EnumerationKind . -s223:FunctionBlock a s223:Class, - sh:NodeShape ; - rdfs:label "Function block" ; - rdfs:comment "A FunctionBlock is used to model transfer and/or transformation of information (i.e. Property). It has relations to input properties and output properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Function block can be associated with any number of Constant instances using the relation 'has constant'." ; - sh:class s223:Constant ; - sh:path s223:hasConstant ], - [ rdfs:comment "An instance of Function block can be associated with any number of Input instances using the relation 'has function input'." ; - sh:class s223:FunctionInput ; - sh:path s223:hasInput ], - [ rdfs:comment "An instance of Function block can be associated with any number of Output instances using the relation 'has function output'." ; - sh:class s223:FunctionOutput ; - sh:path s223:hasOutput ], - [ rdfs:comment "An instance of Function block can be associated with any number of Parameter instances using the relation 'has parameter'." ; - sh:class s223:Parameter ; - sh:path s223:hasParameter ] . +s223:LineLineVoltage-10000V a s223:Numerical-LineLineVoltage ; + rdfs:label "10000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-10000V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-190V a s223:Numerical-LineLineVoltage ; + rdfs:label "190V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-208V a s223:Numerical-LineLineVoltage ; + rdfs:label "208V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-208V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-220V a s223:Numerical-LineLineVoltage ; + rdfs:label "220V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-220V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-3000V a s223:Numerical-LineLineVoltage ; + rdfs:label "3000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-3000V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-3300V a s223:Numerical-LineLineVoltage ; + rdfs:label "3300V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-3300V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-380V a s223:Numerical-LineLineVoltage ; + rdfs:label "380V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-400V a s223:Numerical-LineLineVoltage ; + rdfs:label "400V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-400V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-415V a s223:Numerical-LineLineVoltage ; + rdfs:label "415V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-415V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-4160V a s223:Numerical-LineLineVoltage ; + rdfs:label "4160V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-4160V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-480V a s223:Numerical-LineLineVoltage ; + rdfs:label "480V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-480V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-6000V a s223:Numerical-LineLineVoltage ; + rdfs:label "6000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-6000V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-600V a s223:Numerical-LineLineVoltage ; + rdfs:label "600V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-600V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:LineLineVoltage-6600V a s223:Numerical-LineLineVoltage ; + rdfs:label "6600V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-6600V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . s223:Medium-EM a s223:Class, s223:Medium-EM, sh:NodeShape ; rdfs:label "Electromagnetic Wave" ; - rdfs:subClassOf s223:EnumerationKind-Medium . + rdfs:comment "This class has enumerated instances of electromagnetic energy at any frequency range." ; + rdfs:subClassOf s223:Substance-Medium . -s223:QuantifiableObservableProperty a s223:Class, +s223:Medium-Glycol a s223:Substance-Medium ; + rdfs:label "Medium-Glycol" . + +s223:Numerical-DCVoltage a s223:Class, + s223:EnumerationKind-Numerical, sh:NodeShape ; - rdfs:label "Quantifiable Observable Property" ; - rdfs:comment "This class is for quantifiable properties of which numerical values cannot be modified by a user or a machine outside of the model, but only observed, like a temperature reading or a voltage measure." ; - rdfs:subClassOf s223:ObservableProperty, - s223:QuantifiableProperty . + rdfs:label "Numerical-DCVoltage" ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common positive and negative voltages, plus zero volts." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A DC-Voltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . -s223:Role-Heating a s223:EnumerationKind-Role ; - rdfs:label "Role-Heating" . +s223:Occupancy-Motion a s223:Class, + s223:Occupancy-Motion, + sh:NodeShape ; + rdfs:label "Occupancy Motion" ; + rdfs:comment "This class has enumerated instances indicating whether motion is detected or not." ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:Occupancy-Presence a s223:Class, + s223:Occupancy-Presence, + sh:NodeShape ; + rdfs:label "Occupancy Presence" ; + rdfs:comment "This class has enumerated instances indicating whether physical presence is detected or not." ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:Role-Cooling a s223:EnumerationKind-Role ; + rdfs:label "Role-Cooling" . s223:TerminalUnit a s223:Class, sh:NodeShape ; - rdfs:label "An air terminal that modulates the volume of air delivered to a space." ; + rdfs:label "Terminal Unit" ; + rdfs:comment "An air terminal that modulates the volume of air delivered to a space." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A TerminalUnit must provide service using Air." ; + sh:property [ rdfs:comment "A TerminalUnit shall have at least one inlet ConnectionPoint using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A TerminalUnit must provide service using Air." ; + [ rdfs:comment "A TerminalUnit shall have at least one outlet ConnectionPoint using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . -s223:Zone a s223:Class, - sh:NodeShape ; - rdfs:label "Zone" ; - rdfs:comment "A Zone is a logical grouping (collection) of domain spaces for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone" ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Zone can be associated with any number of other DomainSpaces or Zones using the relation contains" ; - sh:or ( [ sh:class s223:DomainSpace ] [ sh:class s223:Zone ] ) ; - sh:path s223:contains ], - [ rdfs:comment "A Zone must be associated with one EnumerationKind-Domain using the relation hasDomain" ; - sh:class s223:EnumerationKind-Domain ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - s223:hasPropertyShape ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "Traverse down the contains hierarchy to determine the domain" ; - sh:object [ sh:path ( [ sh:zeroOrMorePath s223:contains ] s223:hasDomain ) ] ; - sh:predicate s223:hasDomain ; - sh:subject sh:this ] . +s223:Voltage-24V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "24V Voltage" ; + s223:hasValue 24.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Voltage-380V a s223:Numerical-Voltage, + s223:QuantifiableProperty ; + rdfs:label "380V Voltage" ; + s223:hasValue 380.0 ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . s223:connectedFrom a rdf:Property ; rdfs:label "connected from" ; @@ -2321,115 +3834,84 @@ s223:connectsAt a rdf:Property ; s223:inverseOf s223:connectsThrough ; rdfs:comment "The connectsAt relation binds a Connection to a specific ConnectionPoint. See Figure x.y." . -s223:connectsThrough a rdf:Property ; - rdfs:label "connects through" ; - s223:inverseOf s223:connectsAt ; - rdfs:comment "The relation connectedThrough binds a Connectable thing to a Connection without regard to the direction of flow. It is used to discover what connection links two connectable things." . - -s223:hasMeasurementLocationLow a rdf:Property ; - rdfs:label "has measurement location low" ; - rdfs:comment "The relation hasMeasurementLocationLow associates a differential sensor to one of the topological locations where a differential property is measured." ; - rdfs:subPropertyOf s223:hasMeasurementLocation . - -s223:hasValue a rdf:Property ; - rdfs:label "hasValue" ; - rdfs:comment "hasValue is used to contain a fixed value that is part of a 223 model, rather than a computed, measured, or externally derived variable." . - -g36:AnalogIn a s223:Class, - sh:NodeShape ; - rdfs:label "Analog in" ; - rdfs:subClassOf s223:QuantifiableObservableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An AnalogIn is a QuantifiableObervableProperty.", - "Getting validation reports about AnalogIn not being Property or ObservableProperty. Should probably move this rule up." ; - sh:object s223:QuantifiableObservableProperty ; - sh:predicate rdf:type ; - sh:subject sh:this ] . +s223:hasObservationLocationHigh a rdf:Property ; + rdfs:label "has observation location high" ; + rdfs:comment "The relation hasObservationLocationHigh associates a differential sensor to one of the topological locations where a differential property is observed (see `s223:observes`)." ; + rdfs:subPropertyOf s223:hasObservationLocation . -g36:RunCommand a s223:Class, - g36:RunCommand, +s223:EnumerationKind-Speed a s223:Class, + s223:EnumerationKind-Speed, sh:NodeShape ; - rdfs:label "Run command" ; + rdfs:label "Speed" ; + rdfs:comment "This class has enumerated instances of speed settings of High, Medium, Low (plus Off)." ; rdfs:subClassOf s223:EnumerationKind . -s223:DomainSpace a s223:Class, - sh:NodeShape ; - rdfs:label "Domain Space" ; - rdfs:comment "A DomainSpace is a member (or component) of a Zone and is associated with a Domain such as Lighting, HVAC, PhysicalSecurity, etc. Physical spaces enclose Domain spaces." ; - rdfs:subClassOf s223:Connectable ; - sh:property [ rdfs:comment "A DomainSpace must be associated with one EnumerationKind-Domain using the relation hasDomain" ; - sh:class s223:EnumerationKind-Domain ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - [ rdfs:comment "This DomainSpace must eventually be enclosed by a PhysicalSpace." ; - sh:message "This DomainSpace must eventually be enclosed by a PhysicalSpace." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:encloses ] ; - sh:severity sh:Info ], - s223:hasPropertyShape . - -s223:EnumerationKind-ThreeSpeedSetting a s223:Class, - s223:EnumerationKind-ThreeSpeedSetting, +s223:Medium-Refrigerant a s223:Class, + s223:Medium-Refrigerant, sh:NodeShape ; - rdfs:label "Three speed setting" ; - rdfs:subClassOf s223:EnumerationKind . + rdfs:label "Medium-Refrigerant" ; + rdfs:comment "This class has enumerated instances of commonly used refrigerants." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:Numerical-Frequency a s223:Class, + s223:Numerical-Frequency, + sh:NodeShape ; + rdfs:label "Dimensioned Frequency" ; + qudt:hasQuantityKind qudtqk:Frequency ; + qudt:hasUnit unit:HZ ; + rdfs:comment "This class has enumerated instances of common electrical frequencies." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A Numerical-Frequency must have a Quantity Kind of Frequency" ; + sh:hasValue qudtqk:Frequency ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A Numerical-Frequency must have a unit of Hertz" ; + sh:hasValue unit:HZ ; + sh:path qudt:hasUnit ] . -s223:Segment a s223:Class, +s223:Numerical-NumberOfElectricalPhases a s223:Class, + s223:Numerical-NumberOfElectricalPhases, sh:NodeShape ; - rdfs:label "Segment" ; - rdfs:comment "When necessary, a Connection may be subdivided into a network of Segments, joined at Junctions. This can be useful for identifying a duct segment of a duct before a split, for example." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Segment must be associated with two Junctions or ConnectionPoints using the relation lnx" ; - sh:maxCount 2 ; - sh:message "Segment is missing one or both endpoints (Junction or ConnectionPoint)" ; - sh:minCount 2 ; - sh:or ( [ sh:class s223:Junction ] [ sh:class s223:ConnectionPoint ] ) ; - sh:path s223:lnx ; - sh:qualifiedMaxCount 1 ; - sh:qualifiedValueShape [ sh:class s223:ConnectionPoint ] ; - sh:severity sh:Warning ] . + rdfs:label "Dimensionless Number of Electrical Phases" ; + qudt:hasQuantityKind qudtqk:Dimensionless ; + qudt:hasUnit unit:NUM ; + rdfs:comment "This class has enumerated instances of number of electrical phases." ; + rdfs:subClassOf s223:EnumerationKind-Numerical . s223:Substance-Particulate a s223:Class, s223:Substance-Particulate, sh:NodeShape ; rdfs:label "Particulate" ; + rdfs:comment "This class has enumerated instances of particulates in various size ranges." ; rdfs:subClassOf s223:EnumerationKind-Substance . -s223:hasMeasurementLocationHigh a rdf:Property ; - rdfs:label "has measurement location high" ; - rdfs:comment "The relation hasMeasurementLocationHigh associates a differential sensor to one of the topological locations where a differential property is measured." ; - rdfs:subPropertyOf s223:hasMeasurementLocation . +s223:connectedTo a rdf:Property ; + rdfs:label "connected to" ; + s223:inverseOf s223:connectedFrom ; + rdfs:comment "The relation connectedTo indicates that connectable things are connected with a specific flow direction. A is connectedTo B, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedFrom (see `s223:connectedFrom`)." ; + rdfs:domain s223:Equipment . -s223:isConnectionPointOf a rdf:Property ; - rdfs:label "is connection point of" ; - s223:inverseOf s223:hasConnectionPoint ; - rdfs:comment "The relation isConnectionPointOf is part of a pair of relations that bind a ConnectionPoint to a Connectable thing. It is the inverse of the relation hasConnectionPoint (see `s223:hasConnectionPoint`)." . +s223:connectsThrough a rdf:Property ; + rdfs:label "connects through" ; + s223:inverseOf s223:connectsAt ; + rdfs:comment "The relation connectedThrough binds a Connectable thing to a Connection without regard to the direction of flow. It is used to discover what connection links two connectable things." . -g36:RunStatus a s223:Class, - g36:RunStatus, - sh:NodeShape ; - rdfs:label "Run status" ; - rdfs:subClassOf s223:EnumerationKind . +s223:hasConstituent a rdf:Property ; + rdfs:label "has constituent" ; + rdfs:comment "The relation hasConstituent is used to indicate what substances constitute a material. The possible values are defined in EnumerationKind-Substance (see `s223:EnumerationKind-Substance`)." . -s223:Damper a s223:Class, +s223:hasVoltage a rdf:Property ; + rdfs:label "hasVoltage" ; + rdfs:comment "The relation hasVoltage is used to identify the voltage of an electricity enumeration kind. " . + +s223:ofSubstance a rdf:Property ; + rdfs:label "of substance" ; + rdfs:comment "The relation ofSubstance is used to associate a Property with a specific Substance." . + +s223:BidirectionalConnectionPoint a s223:Class, sh:NodeShape ; - rdfs:label "Damper" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Damper must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Damper must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . + rdfs:label "Bidirectional Connection Point" ; + rdfs:comment "A BidirectionalConnectionPoint is a predefined subclass of ConnectionPoint. Using a BidirectionalConnectionPoint implies that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation (see `s223:Direction-Bidirectional`) or to model energy transfer occurring without specific flow direction." ; + rdfs:subClassOf s223:ConnectionPoint . s223:DayOfWeek-Weekday a s223:Class, s223:DayOfWeek-Weekday, @@ -2437,117 +3919,199 @@ s223:DayOfWeek-Weekday a s223:Class, rdfs:label "Day of week-Weekday", "Weekday" ; rdfs:comment "This class defines the EnumerationKind values of Monday, Tuesday, Wednesday, Thursday, and Friday" ; - rdfs:subClassOf s223:EnumerationKind-DayOfWeek . - -s223:Electricity-DC a s223:Class, - s223:Electricity-DC, - sh:NodeShape ; - rdfs:label "DC Electricity" ; - rdfs:subClassOf s223:Medium-Electricity . + rdfs:subClassOf s223:Aspect-DayOfWeek . s223:Electricity-Signal a s223:Class, s223:Electricity-Signal, sh:NodeShape ; rdfs:label "Electricity Signal" ; + rdfs:comment "This class has enumerated instances of common communication protocols, mostly at the physical OSI layer." ; rdfs:subClassOf s223:Medium-Electricity . s223:EnumerationKind-HVACOperatingMode a s223:Class, s223:EnumerationKind-HVACOperatingMode, sh:NodeShape ; - rdfs:label "HVAC system/equipment operating mode. The policy under which the system is operating." ; + rdfs:label "HVAC operating mode" ; + rdfs:comment "HVACOperatingMode has enumerated instances of the policy under which the HVAC system or equipment is operating." ; rdfs:subClassOf s223:EnumerationKind . s223:EnumerationKind-HVACOperatingStatus a s223:Class, s223:EnumerationKind-HVACOperatingStatus, sh:NodeShape ; - rdfs:label "HVAC system/equipment operating status. What the system is currently doing." ; + rdfs:label "HVAC operating status" ; + rdfs:comment "HVACOperatingStatus has enumerated instances of the HVAC system/equipment operating status." ; rdfs:subClassOf s223:EnumerationKind . s223:EnumerationKind-Occupancy a s223:Class, s223:EnumerationKind-Occupancy, sh:NodeShape ; rdfs:label "Occupancy status" ; + rdfs:comment "This class has enumerated instances of occupancy status, i.e. the state of being used or occupied." ; rdfs:subClassOf s223:EnumerationKind . s223:EnumerationKind-Phase a s223:Class, s223:EnumerationKind-Phase, sh:NodeShape ; rdfs:label "EnumerationKind-Phase" ; + rdfs:comment "This class has enumerated instances of thermodynamic phase, i.e. states of matter." ; rdfs:subClassOf s223:EnumerationKind . +s223:LineNeutralVoltage-120V a s223:Numerical-LineNeutralVoltage ; + rdfs:label "120V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-120V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:Role-Heating a s223:EnumerationKind-Role ; + rdfs:label "Role-Heating" . + +s223:hasObservationLocation a rdf:Property ; + rdfs:label "has observation location" ; + rdfs:comment "The relation hasObservationLocation associates a sensor to the topological location where it is observing the property (see `s223:observes`). The observation location can be a Connectable (see `s223:Connectable`)." . + +qudt:hasUnit rdfs:comment "A reference to the unit of measure of a QuantifiableProperty of interest." . + s223:EnumerationKind-Substance a s223:Class, s223:EnumerationKind-Substance, sh:NodeShape ; rdfs:label "Substance" ; rdfs:comment "This class has enumerated instances of the substances that are consumed, produced, transported, sensed, controlled or otherwise interacted with (e.g. water, air, etc.)." ; - rdfs:subClassOf s223:EnumerationKind . - -s223:connectedTo a rdf:Property ; - rdfs:label "connected to" ; - s223:inverseOf s223:connectedFrom ; - rdfs:comment "The relation connectedTo indicates that connectable things are connected with a specific flow direction. A is connectedTo B, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedFrom (see `s223:connectedFrom`)." ; - rdfs:domain s223:Equipment . - -s223:hasPropertyShape a sh:PropertyShape ; - rdfs:label "has Property Shape" ; - rdfs:comment "Can be associated with a Property by hasProperty" ; - sh:class s223:Property ; - sh:path s223:hasProperty . - -s223:observes a rdf:Property ; - rdfs:label "observes" ; - rdfs:comment "The relation observes binds a sensor to the ObservableProperty representing the measured value." . + rdfs:subClassOf s223:EnumerationKind ; + sh:property [ rdfs:comment "A substance may only have atomic constituents, it may not have a constituent that also has constituents." ; + sh:path s223:hasConstituent ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a substance has a constituent, that constituent may not itself have constituents." ; + sh:message "This substance {$this} has a constituent {?constituent} that itself has constituents {?nextConstituent}. Create new substance with only atomic constituents." ; + sh:prefixes ; + sh:select """ +SELECT $this ?constituent ?nextConstituent +WHERE { +$this s223:hasConstituent ?constituent . +?constituent s223:ofSubstance/s223:hasConstituent ?nextConstituent . +} +""" ] ], + [ rdfs:comment "If the relation hasConstituent is present, it must associate an EnumerationKind-Substance with one or more Properties that identify and characterize those constituents." ; + sh:class s223:Property ; + sh:path s223:hasConstituent ] . -s223:cnx a s223:SymmetricProperty ; - rdfs:label "cnx" ; - rdfs:comment "The cnx property is a symmetric property used to associate adjacent entities in a connection path (comprised of Equipment-ConnectionPoint-Connection-ConnectionPoint-Equipment sequences)." . +s223:contains a rdf:Property ; + rdfs:label "contains" ; + rdfs:comment "The relation contains associates a PhysicalSpace or a piece of Equipment to a PhysicalSpace or another piece of Equipment, respectively." . -s223:hasDomain a rdf:Property ; - rdfs:label "has domain" ; - rdfs:comment "The relation hasDomain is used to indicate what domain a Zone or DomainSpace pertains to (e.g. HVAC, lighting, electrical, etc.). Possible values are defined in EnumerationKind-Domain (see `s223:EnumerationKind-Domain`)." . +s223:EnumerationKind-Numerical a s223:Class, + s223:EnumerationKind-Numerical, + sh:NodeShape ; + rdfs:label "EnumerationKind-Numerical" ; + qudt:hasQuantityKind qudtqk:Unknown ; + qudt:hasUnit unit:UNKNOWN ; + rdfs:comment "This class has enumerated instances of contexts often used with the s223:hasAspect relation for a s223:Property with a numerical value, unit and quantitykind." ; + rdfs:subClassOf s223:EnumerationKind, + s223:QuantifiableProperty . -s223:mapsTo a rdf:Property ; - rdfs:label "mapsTo" ; - rdfs:comment "The relation mapsTo is used to associate a ConnectionPoint of an Equipment to a corresponding ConnectionPoint of the Equipment containing it. The associated ConnectionPoints must have the same direction (see `s223:EnumerationKind-Direction`)." . +s223:Sensor a s223:Class, + sh:NodeShape ; + rdfs:label "Sensor" ; + rdfs:comment "A Sensor observes an ObservableProperty (see `s223:ObservableProperty`) which may be quantifiable (see `s223:QuantifiableObservableProperty`), such as a temperature, flowrate, or concentration, or Enumerable (see `s223:EnumeratedObservableProperty`), such as an alarm state or occupancy state." ; + rdfs:subClassOf s223:AbstractSensor ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the hasObservationLocation relation for a Sensor from the Property that it is observing, only if that property is associated with a single entity." ; + sh:construct """ +CONSTRUCT {$this s223:hasObservationLocation ?something .} +WHERE { +{ +SELECT ?prop (COUNT (DISTINCT ?measurementLocation) AS ?count) $this +WHERE { +FILTER (NOT EXISTS {$this s223:hasObservationLocation ?anything}) . +$this s223:observes ?prop . +?measurementLocation s223:hasProperty ?prop . +} +GROUP BY ?prop $this +} +FILTER (?count = 1) . +?something s223:hasProperty ?prop . +{?something a/rdfs:subClassOf* s223:Connectable} +UNION +{?something a/rdfs:subClassOf* s223:Connection} +UNION +{?something a/rdfs:subClassOf* s223:ConnectionPoint} +} +""" ; + sh:name "InferredMeasurementLocation" ; + sh:prefixes ] ; + sh:xone ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:Connectable ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:Connection ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] ), + ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty using the relation observes." ; + sh:class s223:QuantifiableObservableProperty ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:observes ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty using the relation observes." ; + sh:class s223:EnumeratedObservableProperty ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:observes ] ] ) . -qudt:hasQuantityKind rdfs:comment "A reference to the QuantityKind of a QuantifiableProperty of interest, e.g. quantitykind:Temperature." . +s223:Aspect-ElectricalVoltagePhases a s223:Aspect-ElectricalVoltagePhases, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Electrical Voltage Phases" ; + rdfs:comment "This class enumerates the relevant electrical phases for a voltage difference for AC electricity inside a Connection." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . s223:Connection a s223:Class, sh:NodeShape ; rdfs:label "Connection" ; - rdfs:comment """A Connection is the modeling construct used to represent a physical thing (e.g., pipe, duct, or wire) that is used to convey some Medium (e.g., water, air, or electricity) between two connectable things. All Connections have two or more ConnectionPoints bound to either Equipment (see `s223:Equipment`) or DomainSpace (see `s223:DomainSpace`). If the direction of flow is constrained, that constraint is indicated by using one or more InletConnectionPoints (see `s223:InletConnectionPoint`) to represent the inflow points and OutletConnectionPoints (see `s223:OutletConnectionPoint`) to represent the outflow points. + rdfs:comment """A Connection is the modeling construct used to represent a physical thing (e.g., pipe, duct, or wire) that is used to convey some Medium (e.g., water, air, or electricity), or a virtual connection to convey electromagnetic radiation (e.g. light or wifi signal) between two connectable things. All Connections have two or more ConnectionPoints bound to either Equipment (see `s223:Equipment`), DomainSpace (see `s223:DomainSpace`), or Junction (see `s223:Junction`) See Figure 6-2. If the direction of flow is constrained, that constraint is indicated by using one or more InletConnectionPoints (see `s223:InletConnectionPoint`) to represent the inflow points and OutletConnectionPoints (see `s223:OutletConnectionPoint`) to represent the outflow points. -A Connection may contain branches or intersections. These are modeled using Segments (see `s223:Segment`) and Junctions (see `s223:Junction`). +A Connection may contain branches or intersections. These may be modeled using Junctions if it is necessary to identify a specific intersection. (see `s223:Junction`). +![Graphical Depiction of Connection.](figures/Figure_5-3_Connection.svg) """ ; rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Connection can be associated with any number of ConnectionPoints using the relation connectsAt" ; - sh:class s223:ConnectionPoint ; - sh:path s223:connectsAt ], - [ rdfs:comment "A Connection can be associated with any number of Connectables using the relation connectsFrom" ; - sh:class s223:Connectable ; - sh:name "ConnectionToUpstreamConnectableShape" ; - sh:path s223:connectsFrom ], - [ rdfs:comment "A Connection can be associated with any number of Connectables using the relation connectsTo" ; - sh:class s223:Connectable ; - sh:name "ConnectionToDownstreamConnectableShape" ; - sh:path s223:connectsTo ], - [ rdfs:comment "A Connection must be associated with one EnumerationKind-Medium using the relation hasMedium" ; - sh:class s223:EnumerationKind-Medium ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:name "Connection medium" ; - sh:path s223:hasMedium ], - [ sh:class s223:EnumerationKind-Phase ; - sh:path s223:hasPhase ], - [ rdfs:comment "A Connection can be associated with an EnumerationKind-Role using the relation hasRole" ; - sh:class s223:EnumerationKind-Role ; - sh:path s223:hasRole ], - [ sh:name "Test for compatible declared Medium" ; + sh:or ( [ sh:property [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 1 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 1 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 2 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) ; + sh:property [ rdfs:comment "A Connection must only have a cnx relation with a ConnectionPoint" ; + sh:path s223:cnx ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A Connection must only have a cnx relation with a ConnectionPoint" ; + sh:message "{$this} cannot have a s223:cnx relation to {?something}, because {?something} is not a ConnectionPoint." ; + sh:prefixes ; + sh:select """SELECT $this ?something +WHERE { +$this s223:cnx ?something . +FILTER NOT EXISTS {?something a/rdfs:subClassOf* s223:ConnectionPoint} . +}""" ] ], + [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Connection." ; + sh:name "Test for compatible declared Medium" ; sh:path s223:hasMedium ; sh:sparql [ a sh:SPARQLConstraint ; rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Connection." ; sh:message "{$this} with Medium {?m2} is incompatible with {?cp} with Medium {?m1}." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this ?m2 ?cp ?m1 WHERE { @@ -2560,9 +4124,59 @@ FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . } """ ] ], - s223:hasPropertyShape ; + [ rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:message "{?cp1} with Medium {?m1} is incompatible with {?cp2} with Medium {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cp1 ?m1 ?cp2 ?m2 +WHERE { +$this s223:cnx ?cp1 . +?cp1 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp1 s223:hasMedium ?m1 . +$this s223:cnx ?cp2 . +?cp2 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ], + [ rdfs:comment "If the relation connectsAt is present it must associate the Connection with a ConnectionPoint." ; + sh:class s223:ConnectionPoint ; + sh:path s223:connectsAt ], + [ rdfs:comment "If the relation connectsFrom is present it must associate the Connection with a Connectable." ; + sh:class s223:Connectable ; + sh:name "ConnectionToUpstreamConnectableShape" ; + sh:path s223:connectsFrom ], + [ rdfs:comment "If the relation connectsTo is present it must associate the Connection with a Connectable." ; + sh:class s223:Connectable ; + sh:name "ConnectionToDownstreamConnectableShape" ; + sh:path s223:connectsTo ], + [ rdfs:comment "A Connection must be associated with exactly one EnumerationKind-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "Connection medium" ; + sh:path s223:hasMedium ], + [ rdfs:comment "If the relation hasRole is present it must associate the Connection with an EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ], + [ rdfs:comment "If the relation hasThermodynamicPhase is present it must associate the Connection with an EnumerationKind-Phase." ; + sh:class s223:EnumerationKind-Phase ; + sh:maxCount 1 ; + sh:path s223:hasThermodynamicPhase ], + [ rdfs:comment "A Connection must have two or more cnx relations to ConnectionPoints" ; + sh:class s223:ConnectionPoint ; + sh:message "A Connection must have two or more cnx relations to ConnectionPoints" ; + sh:minCount 2 ; + sh:path s223:cnx ; + sh:severity sh:Info ] ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectsFrom relationship" ; + rdfs:comment "Infer the connectsFrom relation using connectsAt" ; sh:construct """ CONSTRUCT {$this s223:connectsFrom ?equipment .} WHERE { @@ -2572,9 +4186,9 @@ $this s223:connectsAt ?cp . } """ ; sh:name "InferredConnectionToUpstreamEquipmentProperty" ; - sh:prefixes s223: ], + sh:prefixes ], [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectsTo relationship" ; + rdfs:comment "Infer the connectsTo relation using connectsAt" ; sh:construct """ CONSTRUCT {$this s223:connectsTo ?equipment .} WHERE { @@ -2584,29 +4198,219 @@ $this s223:connectsAt ?cp . } """ ; sh:name "InferredConnectionToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], + sh:prefixes ], [ a sh:TripleRule ; - rdfs:comment "Infer cnx relationship from connectsAt", + rdfs:comment "Infer cnx relation using connectsAt", "InferredConnectionToConnectionPointBaseProperty" ; sh:object [ sh:path s223:connectsAt ] ; sh:predicate s223:cnx ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer cnx relationship from connectsThrough", + rdfs:comment "Infer cnx relation using connectsThrough", "InferredConnectionToConnectionPointBasePropertyFromInverse" ; sh:object [ sh:path [ sh:inversePath s223:connectsThrough ] ] ; sh:predicate s223:cnx ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer the connectsAt relationship from cnx", + rdfs:comment "Infer the connectsAt relation using cnx", "InferredConnectionToConnectionPointProperty" ; sh:object [ sh:path s223:cnx ] ; sh:predicate s223:connectsAt ; sh:subject sh:this ] . -s223:hasMeasurementLocation a rdf:Property ; - rdfs:label "has measurement location" ; - rdfs:comment "The relation hasMeasurementLocation associates a sensor to the topological location where it is measuring. The measurement location can be a ConnectionPoint, Connection, Segment or a DomainSpace." . +s223:EM-Light a s223:Class, + s223:EM-Light, + sh:NodeShape ; + rdfs:label "EM-Light" ; + rdfs:comment "The EM-Light class has enumerated instances of what are considered visible or near-visible light." ; + rdfs:subClassOf s223:Medium-EM . + +s223:LineLineVoltage-240V a s223:Numerical-LineLineVoltage ; + rdfs:label "240V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-240V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . + +s223:mapsTo a rdf:Property ; + rdfs:label "mapsTo" ; + rdfs:comment "The relation mapsTo is used to associate a ConnectionPoint of a Connectable to a corresponding ConnectionPoint of the one containing it (see `pub:equipment-containment`). The associated ConnectionPoints must have the same direction (see `s223:EnumerationKind-Direction`) and compatiable medium Substance-Medium." . + +s223:Aspect-ElectricalPhaseIdentifier a s223:Aspect-ElectricalPhaseIdentifier, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Electrical phase identifier" ; + rdfs:comment "The value of the associated Property identifies the electrical phase of the Connection." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:DCVoltage-DCNegativeVoltage a s223:Class, + s223:DCVoltage-DCNegativeVoltage, + sh:NodeShape ; + rdfs:label "DC Negative Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common negative voltages." ; + rdfs:subClassOf s223:Numerical-DCVoltage . + +s223:DCVoltage-DCPositiveVoltage a s223:Class, + s223:DCVoltage-DCPositiveVoltage, + sh:NodeShape ; + rdfs:label "DC Positive Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common positive voltages." ; + rdfs:subClassOf s223:Numerical-DCVoltage . + +s223:ConnectionPoint a s223:Class, + sh:NodeShape ; + rdfs:label "ConnectionPoint" ; + s223:abstract true ; + rdfs:comment """ +A ConnectionPoint is an abstract modeling construct used to represent the fact that one connectable thing can be connected to another connectable thing using a Connection. It is the abstract representation of the flange, wire terminal, or other physical feature where a connection is made. Equipment, DomainSpaces and Junctions can have one or more ConnectionPoints (see `s223:Connectable`). + +A ConnectionPoint is constrained to relate to a specific medium such as air, water, or electricity which determines what other things can be connected to it. For example, constraining a ConnectionPoint to be for air means it cannot be used for an electrical connection. + +A ConnectionPoint belongs to exactly one connectable thing (see `s222:Connectable'). + +ConnectionPoints are represented graphically in this standard by a triangle with the point indicating a direction of flow, or a diamond in the case of a bidirectional flow as shown in Figure 6-1. + +![Graphical Representation of a ConnectionPoint.](figures/Figure_5-2_Graphical_Depiciton_of_Connection_Points.svg) + + """ ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, and is not associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint probably needs an association with a Connection." ; + sh:path s223:connectsThrough ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, and is not associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint probably needs an association with a Connection." ; + sh:message "ConnectionPoint {$this} probably needs an association with a Connection." ; + sh:prefixes ; + sh:select """ + SELECT $this + WHERE { + FILTER NOT EXISTS {$this s223:connectsThrough ?anything1} . + FILTER NOT EXISTS {$this s223:mapsTo ?anything2} . + $this s223:isConnectionPointOf ?equipment . + FILTER NOT EXISTS {?containerEquipment s223:contains ?equipment} . + } + """ ] ], + [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; + sh:message "{$this} declares a Medium of {?a}, but the Medium of {?b} is declared by {?target} pointed to by the mapsTo+ relation." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?a ?b ?target +WHERE { +$this s223:hasMedium ?a . +$this s223:mapsTo+ ?target . +?target s223:hasMedium ?b . +?a a/rdfs:subClassOf* s223:EnumerationKind-Medium . +?b a/rdfs:subClassOf* s223:EnumerationKind-Medium . +FILTER (?a != ?b ) . +FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . +FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . +} +""" ] ], + [ rdfs:comment "A ConnectionPoint must not have both a mapsTo and a connectsThrough relation." ; + sh:path s223:mapsTo ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A ConnectionPoint must not have both a mapsTo and a connectsThrough relation." ; + sh:message "{$this} cannot have both a mapsTo {?uppercp} and a connectsThrough {?connection}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?uppercp ?connection +WHERE { +$this s223:mapsTo ?uppercp . +$this s223:connectsThrough ?connection . +?connection a/rdfs:subClassOf* s223:Connection . +} +""" ] ], + [ rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, but is associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint might need a mapsTo relation to a ConnectionPoint of the containing Equipment." ; + sh:path s223:mapsTo ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, but is associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint might need a mapsTo relation to a ConnectionPoint of the containing Equipment." ; + sh:message "ConnectionPoint {$this} could be missing a mapsTo relation to a ConnectionPoint of {?containerEquipment} because it is associated with a Junction or Equipment that is contained by {?containerEquipment}." ; + sh:prefixes ; + sh:select """ + SELECT $this ?containerEquipment + WHERE { + FILTER NOT EXISTS {$this s223:connectsThrough ?anything1} . + FILTER NOT EXISTS {$this s223:mapsTo ?anything2} . + $this s223:isConnectionPointOf ?equipment . + ?containerEquipment s223:contains ?equipment . + } + """ ] ], + [ rdfs:comment "If a ConnectionPoint mapsTo another ConnectionPoint, the respective Equipment should have a contains relation." ; + sh:path s223:mapsTo ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint mapsTo another ConnectionPoint, the respective Equipment should have a contains relation." ; + sh:message "{?otherEquipment} should contain {?equipment} because ConnectionPoint {$this} has a mapsTo relation." ; + sh:prefixes ; + sh:select """ +SELECT $this ?equipment ?otherEquipment +WHERE { +$this s223:mapsTo ?otherCP . +?equipment s223:hasConnectionPoint $this . +?otherEquipment s223:hasConnectionPoint ?otherCP . +FILTER NOT EXISTS {?otherEquipment s223:contains ?equipment} +} +""" ] ], + [ rdfs:comment "A ConnectionPoint must be associated with at most one Connectable using the cnx relation." ; + sh:message "A ConnectionPoint must be associated with at most one Connectable using the cnx relation." ; + sh:path s223:cnx ; + sh:qualifiedMaxCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Connectable ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A ConnectionPoint must be associated with at most one Connection using the cnx relation" ; + sh:message "A ConnectionPoint must be associated with at most one Connection using the cnx relation" ; + sh:path s223:cnx ; + sh:qualifiedMaxCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Connection ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A ConnectionPoint must be associated with at most one Connection using the relation connectsThrough." ; + sh:class s223:Connection ; + sh:maxCount 1 ; + sh:message "This ConnectionPoint must be associated with at most one Connection." ; + sh:name "ConnectionPointToConnectionShape" ; + sh:path s223:connectsThrough ; + sh:severity sh:Info ], + [ rdfs:comment "If the relation hasElectricalPhase is present it must associate the ConnectionPoint with an ElectricalPhaseIdentifier or ElectricalVoltagePhases." ; + sh:or ( [ sh:class s223:Aspect-ElectricalPhaseIdentifier ] [ sh:class s223:Aspect-ElectricalVoltagePhases ] ) ; + sh:path s223:hasElectricalPhase ], + [ rdfs:comment "A ConnectionPoint must be associated with exactly one Substance-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "ConnectionPoint medium" ; + sh:path s223:hasMedium ], + [ rdfs:comment "If the relation hasRole is present it must associate the ConnectionPoint with an EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ], + [ rdfs:comment "A ConnectionPoint must be associated with exactly one Connectable using the relation isConnectionPointOf." ; + sh:class s223:Connectable ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "ConnectionPointToEquipmentShape" ; + sh:path s223:isConnectionPointOf ], + [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the relation mapsTo" ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:path s223:mapsTo ], + [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the inverse of relation mapsTo" ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:path [ sh:inversePath s223:mapsTo ] ] . + +s223:DCVoltage-DCZeroVoltage a s223:Numerical-DCVoltage ; + rdfs:label "DCVoltage-DCZero voltage" ; + s223:hasVoltage s223:Voltage-0V ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V . s223:Property a s223:Class, sh:NodeShape ; @@ -2614,43 +4418,61 @@ s223:Property a s223:Class, rdfs:comment """An attribute, quality, or characteristic of a feature of interest. The Property class is the parent of all variations of a property, which are: -ActuatableProperty - parent of subclass of properties that can be modified by user or machine outside of the model (typically command) -ObservableProperty - parent of subclass of properties that can not be modified by user or machine outside of the model (typically measures) -EnumerableProperty - parent of subclass of properties defined by EnumerationKind -QuantifiableProperty - parent of subclass of properties defined by numerical values +ActuatableProperty - parent of subclass of properties that can be modified by user or machine outside of the model (typically command); +ObservableProperty - parent of subclass of properties that can not be modified by user or machine outside of the model (typically measures); +EnumerableProperty - parent of subclass of properties defined by EnumerationKind; +QuantifiableProperty - parent of subclass of properties defined by numerical values. And their different associations : -QuantifiableActuatableProperty -QuantifiableObservableProperty -EnumeratedObservableProperty -EnumeratedActuatableProperty +QuantifiableActuatableProperty, +QuantifiableObservableProperty, +EnumeratedObservableProperty, +EnumeratedActuatableProperty. A QuantifiableProperty (or subClass thereof) must always be associated with a Unit and a QuantityKind, either explicitly from the Property, or through the associated Value. If the Unit is defined, the SHACL reasoner (if invoked) will figure out and assert the QuantityKind (the most general version). Enumerable properties must be associated with an EnumerationKind. """ ; rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Property can be associated with any number of EnumerationKinds using the relation hasAspect" ; + sh:property [ rdfs:comment "" ; + sh:path s223:ofSubstance ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If an incoming relation hasConstituent exists, then the Property must have a declared substance using the relation ofSubstance." ; + sh:message "Property {$this} is referred to by {?something} with s223:hasConstituent, but the Property has no value for s223:ofSubstance." ; + sh:prefixes ; + sh:select """ +SELECT $this ?something +WHERE { +?something s223:hasConstituent $this . +FILTER NOT EXISTS {$this s223:ofSubstance ?someSubstance} . +} +""" ] ], + [ rdfs:comment "If the relation hasAspect is present, it must associate the Property with an EnumerationKind." ; sh:class s223:EnumerationKind ; sh:path s223:hasAspect ], - [ rdfs:comment "A Property can use at most one relation hasValue if it is required to provide a static value in the model. It is not meant for real-time value (see ref:hasExternalReference)" ; + [ rdfs:comment "If the relation hasExternalReference is present it must associate the Property with an ExternalReference." ; + sh:class s223:ExternalReference ; + sh:path s223:hasExternalReference ], + [ rdfs:comment "A Property can use at most one relation hasValue if it is required to provide a static value in the model. It is not meant for real-time value (see `s223:hasExternalReference`)." ; sh:maxCount 1 ; sh:path s223:hasValue ], - [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Medium using the relation ofMedium" ; - sh:class s223:EnumerationKind-Medium ; + [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Medium using the relation ofMedium." ; + sh:class s223:Substance-Medium ; sh:maxCount 1 ; sh:path s223:ofMedium ], - [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Substance using the relation ofSubstance" ; + [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Substance using the relation ofSubstance." ; sh:class s223:EnumerationKind-Substance ; sh:maxCount 1 ; sh:path s223:ofSubstance ], - [ rdfs:comment "A Property can be associated with any number of ExternalReferences using the relation hasExternalReference" ; - sh:class ref:ExternalReference ; - sh:path ref:hasExternalReference ] ; + [ rdfs:comment "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; + sh:class s223:FunctionBlock ; + sh:maxCount 1 ; + sh:message "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; + sh:path [ sh:inversePath s223:hasOutput ] ] ; sh:sparql [ a sh:SPARQLConstraint ; rdfs:comment "A Property instance cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; sh:message "{$this} cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this WHERE { @@ -2659,54 +4481,71 @@ $this a/rdfs:subClassOf* s223:ObservableProperty . } """ ] . -s223:hasProperty a rdf:Property ; - rdfs:label "has Property" . +s223:hasDomain a rdf:Property ; + rdfs:label "has domain" ; + rdfs:comment "The relation hasDomain is used to indicate what domain a Zone or DomainSpace pertains to (e.g. HVAC, lighting, electrical, etc.). Possible values are defined in EnumerationKind-Domain (see `s223:EnumerationKind-Domain`)." . + +s223:observes a rdf:Property ; + rdfs:label "observes" ; + rdfs:comment "The relation observes binds a sensor to one ObservableProperty `see s223:ObservableProperty` which is used by the sensor to generate a measurement value (ex. a temperature) or a simple observation of a stimulus causing a reaction (a current binary switch that closes a dry contact when a fan is powered on)." . + +qudt:hasQuantityKind rdfs:comment "A reference to the QuantityKind of a QuantifiableProperty of interest, e.g. quantitykind:Temperature." . s223:Connectable a s223:Class, sh:NodeShape ; rdfs:label "Connectable" ; s223:abstract true ; - rdfs:comment "Connectable is an abstract class representing a thing (Equipment or DomainSpace) that can be connected via ConnectionPoints and Connections." ; + rdfs:comment "Connectable is an abstract class representing a thing such as, Equipment (see `s223:Equipment`), DomainSpace (see `s223:DomainSpace`), or Junction (see `s223:Junction`) that can be connected via ConnectionPoints and Connections." ; rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connected" ; + sh:property [ rdfs:comment "For a Connectable, cnx relation must associate the Connectable to a ConnectionPoint" ; + sh:path s223:cnx ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A Connectable should only have a s223:cnx relation with a ConnectionPoint" ; + sh:message "{$this} cannot have a s223:cnx relation to {?something}, because {?something} is not a ConnectionPoint." ; + sh:prefixes ; + sh:select """SELECT $this ?something +WHERE { +$this s223:cnx ?something . +FILTER NOT EXISTS {?something a/rdfs:subClassOf* s223:ConnectionPoint} . +}""" ] ], + [ rdfs:comment "If a Connectable has s223:connected or s223:connectedTo (i.e. high-level connection specification), it must also have the supporting cnx relations (low-level connection specification)." ; + sh:path s223:cnx ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a Connectable has s223:connected or s223:connectedTo (i.e. high-level connection specification), it must also have the supporting cnx relations (low-level connection specification)." ; + sh:message "{$this} is s223:connected (high-level) to {?otherC} but not connected at the cnx-level." ; + sh:prefixes ; + sh:select """ +SELECT $this ?otherC +WHERE { +$this s223:connected ?otherC . +FILTER NOT EXISTS {$this s223:cnx+ ?otherC} +} +""" ] ], + [ rdfs:comment "If the relation cnx is present it must associate the Connectable with a ConnectionPoint." ; + sh:class s223:ConnectionPoint ; + sh:path s223:cnx ], + [ rdfs:comment "If the relation connected is present it must associate the Connectable with a Connectable." ; sh:class s223:Connectable ; sh:name "SymmetricConnectableToConnectableShape" ; sh:path s223:connected ], - [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connectedFrom" ; + [ rdfs:comment "If the relation connectedFrom is present it must associate the Connectable with a Connectable." ; sh:class s223:Connectable ; sh:path s223:connectedFrom ], - [ rdfs:comment "A Connectable can be associated with any number of Connections using the relation connectedThrough" ; + [ rdfs:comment "If the relation connectedThrough is present it must associate the Connectable with a Connection." ; sh:class s223:Connection ; sh:name "EquipmentToConnectionShape" ; sh:path s223:connectedThrough ], - [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connectedTo" ; + [ rdfs:comment "If the relation connectedTo is present it must associate the Connectable with a Connectable." ; sh:class s223:Connectable ; sh:name "ConnectableToConnectableShape" ; sh:path s223:connectedTo ], - [ rdfs:comment "A Connectable can be associated with any number of ConnectionPoints using the relation hasConnectionPoint" ; + [ rdfs:comment "If the relation hasConnectionPoint is present it must associate the Connectable with a ConnectionPoint." ; sh:class s223:ConnectionPoint ; sh:name "EquipmentToConnectionPointShape" ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A ConnectionPoint must be associated with Equipment or DomainSpace using the relation hasConnectionPoint." ; - sh:message "This ConnectionPoint must be associated with Equipment or PhysicalSpace using the relation hasConnectionPoint." ; - sh:path s223:isConnectionPointOf ; - sh:severity sh:Info ], - [ rdfs:comment "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:path s223:mapsTo ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "If a Connectable is s223:connected (high-level), it must eventually have the underlying cnx relations." ; - sh:message "{$this} is s223:connected (high-level) to {?otherC} but not yet connected at the cnx-level." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?otherC -WHERE { -$this s223:connected ?otherC . -FILTER NOT EXISTS {$this s223:cnx+ ?otherC} -} -""" ; - sh:severity sh:Warning ] ] ; + sh:path s223:hasConnectionPoint ] ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the connected relationship for BiDirectional connections" ; + rdfs:comment "Infer the connected relation for BiDirectional connections" ; sh:construct """ CONSTRUCT {$this s223:connected ?d2 .} WHERE { @@ -2717,27 +4556,27 @@ FILTER NOT EXISTS {?d2 s223:contains* $this} . } """ ; sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], + sh:prefixes ], [ a sh:TripleRule ; - rdfs:comment "Infer the connected relationship using connectedTo" ; + rdfs:comment "Infer the connected relation using connectedTo" ; sh:name "InferredEquipmentToEquipmentPropertyfromconnectedTo" ; sh:object [ sh:path s223:connectedTo ] ; sh:predicate s223:connected ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer the connectedThrough relationship using hasConnectionPoint and connectsThrough" ; + rdfs:comment "Infer the connectedThrough relation using hasConnectionPoint and connectsThrough" ; sh:name "InferredEquipmentToConnectionProperty" ; sh:object [ sh:path ( s223:hasConnectionPoint s223:connectsThrough ) ] ; sh:predicate s223:connectedThrough ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer the hasConnectionPoint relationship using cnx" ; + rdfs:comment "Infer the hasConnectionPoint relation using cnx" ; sh:name "InferredEquipmentToConnectionPointProperty" ; sh:object [ sh:path s223:cnx ] ; sh:predicate s223:hasConnectionPoint ; sh:subject sh:this ], [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectedFrom relationship" ; + rdfs:comment "Infer the connectedFrom relations using connectsThrough and connectsFrom." ; sh:construct """ CONSTRUCT {$this s223:connectedFrom ?equipment .} WHERE { @@ -2747,9 +4586,9 @@ $this s223:hasConnectionPoint ?cp . } """ ; sh:name "InferredEquipmentToUpstreamEquipmentProperty" ; - sh:prefixes s223: ], + sh:prefixes ], [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectedTo relationship" ; + rdfs:comment "Infer the connectedTo relation using connectsThrough and connectsTo." ; sh:construct """ CONSTRUCT {$this s223:connectedTo ?equipment .} WHERE { @@ -2759,209 +4598,85 @@ $this s223:hasConnectionPoint ?cp . } """ ; sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], + sh:prefixes ], [ a sh:TripleRule ; - rdfs:comment "Infer the cnx relationship from hasConnectionPoint" ; + rdfs:comment "Infer the cnx relationship using hasConnectionPoint." ; sh:name "InferredEquipmentToConnectionPointCnxProperty" ; sh:object [ sh:path s223:hasConnectionPoint ] ; sh:predicate s223:cnx ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer the cnx relationship from isConnectionPointOf" ; + rdfs:comment "Infer the cnx relation using isConnectionPointOf." ; sh:name "InferredEquipmentToConnectionPointCnxPropertyFromInverse" ; sh:object [ sh:path [ sh:inversePath s223:isConnectionPointOf ] ] ; sh:predicate s223:cnx ; sh:subject sh:this ], [ a sh:TripleRule ; - rdfs:comment "Infer the connected relationship using connectedFrom" ; + rdfs:comment "Infer the connected relation using connectedFrom" ; sh:name "InferredEquipmentToEquipmentPropertyfromconnectedFrom" ; sh:object [ sh:path s223:connectedFrom ] ; sh:predicate s223:connected ; sh:subject sh:this ] . -s223:EnumerationKind-Medium a s223:Class, - s223:EnumerationKind-Medium, +s223:Substance-Medium a s223:Class, + s223:Substance-Medium, sh:NodeShape ; rdfs:label "Medium" ; - rdfs:subClassOf s223:EnumerationKind . + rdfs:comment "This class has enumerated instances of a physical substance or anything that allows for the transfer of energy or information." ; + rdfs:subClassOf s223:EnumerationKind-Substance . -s223:ConnectionPoint a s223:Class, +s223:Electricity-DC a s223:Class, + s223:Electricity-DC, sh:NodeShape ; - rdfs:label "ConnectionPoint" ; - s223:abstract true ; - rdfs:comment """ -A ConnectionPoint is an abstract modeling construct used to represent the fact that one connectable thing can be connected to another connectable thing using a Connection. It is the abstract representation of the flange, wire terminal, or other physical feature where a connection is made. Equipment and DomainSpaces can have one or more ConnectionPoints (see `s223:Connectable` and `s223:Connection`). - -A ConnectionPoint must constrained to relate to a specific medium such as air, water, or electricity which determines what other things can be connected to it. For example, constraining a ConnectionPoint to be for air means it cannot be used for an electrical connection. - -A ConnectionPoint belongs to exactly one connectable thing. - -ConnectionPoints are represented graphically in this standard by a triangle with the point indicating a direction of flow, or a diamond in the case of a bidirectional connection as shown in Figure 5-2. - -![Figure 5-2. Graphical Representation of a ConnectionPoint.](figures/Figure_5-2_Graphical_Depiciton_of_Connection_Points.svg) - - """ ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A ConnectionPoint should be associated with one Connection using the relation connectsThrough" ; - sh:class s223:Connection ; - sh:maxCount 1 ; - sh:message "This ConnectionPoint should eventually be associated with exactly one Connection." ; - sh:minCount 1 ; - sh:name "ConnectionPointToConnectionShape" ; - sh:path s223:connectsThrough ; - sh:severity sh:Info ], - [ rdfs:comment "A ConnectionPoint must be associated with one EnumerationKind-Medium using the relation hasMedium" ; - sh:class s223:EnumerationKind-Medium ; - sh:maxCount 1 ; + rdfs:label "Electricity DC" ; + s223:hasVoltage s223:Numerical-Voltage ; + rdfs:comment "This class has enumerated instances of all DC forms of electricity." ; + rdfs:subClassOf s223:Medium-Electricity ; + sh:property [ rdfs:comment "An electricity DC medium must have two reference voltages." ; sh:minCount 1 ; - sh:name "ConnectionPoint medium" ; - sh:path s223:hasMedium ], - [ rdfs:comment "A ConnectionPoint can be associated with at most one Connectable using the relation isConnectionPointOf" ; - sh:class s223:Connectable ; - sh:maxCount 1 ; - sh:name "ConnectionPointToEquipmentShape" ; - sh:path s223:isConnectionPointOf ], - [ rdfs:comment "A ConnectionPoint can be associated with any number of Segments using the relation lnx" ; - sh:class s223:Segment ; - sh:path s223:lnx ], - [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the relation mapsTo" ; - sh:class s223:ConnectionPoint ; - sh:maxCount 1 ; - sh:path s223:mapsTo ], - [ s223:description "A ConnectionPoint must be associated with Equipment or DomainSpace using the relation hasConnectionPoint." ; - sh:message "This ConnectionPoint must be associated with Equipment or PhysicalSpace using the relation hasConnectionPoint." ; - sh:path s223:isConnectionPointOf ; - sh:severity sh:Info ], - [ s223:description "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:path s223:mapsTo ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:message "{?otherEquipment} should contain {?equipment} because ConnectionPoint {$this} has a mapsTo relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?equipment ?otherEquipment -WHERE { -$this s223:mapsTo ?otherCP . -?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -FILTER NOT EXISTS {?otherEquipment s223:contains ?equipment} -} -""" ] ], - [ sh:name "Test for compatible declared Medium" ; - sh:path s223:hasMedium ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; - sh:message "{$this} declares a Medium of {?a}, but the Medium of {?b} is declared by {?target} pointed to by the mapsTo+ relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT DISTINCT $this ?a ?b ?target -WHERE { -$this s223:hasMedium ?a . -$this s223:mapsTo+ ?target . -?target s223:hasMedium ?b . -?a a/rdfs:subClassOf* s223:EnumerationKind-Medium . -?b a/rdfs:subClassOf* s223:EnumerationKind-Medium . -FILTER (?a != ?b ) . -FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . -FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . -} -""" ] ], - s223:hasPropertyShape . - -s223:Sensor a s223:Class, - sh:NodeShape ; - rdfs:label "Sensor" ; - rdfs:comment "A Sensor observes an ObservableProperty (see `s223:ObservableProperty`) which may be quantifiable (see `s223:QuantifiableObservableProperty`), such as a temperature, flowrate, or concentration, or Enumerable (see `s223:EnumeratedObservableProperty)`, such as an alarm state or occupancy state." ; - rdfs:subClassOf s223:AbstractSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasMeasurementLocation relationship for a Sensor from the Property that it is observing, only if the location is unambiguous." ; - sh:construct """ -CONSTRUCT {$this s223:hasMeasurementLocation ?something .} -WHERE { -{ -SELECT ?prop (COUNT (DISTINCT ?measurementLocation) AS ?count) $this -WHERE { -FILTER (NOT EXISTS {$this s223:hasMeasurementLocation ?anything}) . -$this s223:observes ?prop . -?measurementLocation s223:hasProperty ?prop . -} -GROUP BY ?prop $this -} -FILTER (?count = 1) . -?something s223:hasProperty ?prop . -{?something a/rdfs:subClassOf* s223:Connectable} -UNION -{?something a/rdfs:subClassOf* s223:Connection} -UNION -{?something a/rdfs:subClassOf* s223:Segment} -UNION -{?something a/rdfs:subClassOf* s223:ConnectionPoint} -} -""" ; - sh:name "InferredMeasurementLocation" ; - sh:prefixes s223: ] ; - sh:xone ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Connection ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocation ] ] ), - ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty by observes." ; - sh:class s223:QuantifiableObservableProperty ; - sh:path s223:observes ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty by observes." ; - sh:class s223:EnumeratedObservableProperty ; - sh:path s223:observes ] ] ) . - -s223:EnumerationKind-Domain a s223:Class, - s223:EnumerationKind-Domain, - sh:NodeShape ; - rdfs:label "EnumerationKind Domain" ; - rdfs:subClassOf s223:EnumerationKind . - -s223:hasRole a rdf:Property ; - rdfs:label "hasRole" ; - rdfs:comment "The relation hasRole is used to indicate the role of an Equipment, Connection, or System within a building (e.g., a heating coil will be associated with Role-Heating). Possible values are defined in EnumerationKind-Role (see `s223:EnumerationKind-Role`)." . - -s223:contains a rdf:Property ; - rdfs:label "contains" . - -s223:Electricity-AC a s223:Class, - s223:Electricity-AC, - sh:NodeShape ; - rdfs:label "AC Electricity" ; - rdfs:subClassOf s223:Medium-Electricity . - -s223:Medium-Water a s223:Class, - s223:Medium-Water, - sh:NodeShape ; - rdfs:label "Medium-Water" ; - rdfs:subClassOf s223:EnumerationKind-Medium . + sh:or ( [ sh:class s223:Numerical-DCVoltage ] [ sh:class s223:Numerical-Voltage ] ) ; + sh:path s223:hasVoltage ] . -s223:EnumerationKind-Role a s223:Class, - s223:EnumerationKind-Role, +s223:EnumerationKind-Domain a s223:Class, + s223:EnumerationKind-Domain, sh:NodeShape ; - rdfs:label "Role" ; + rdfs:label "EnumerationKind Domain" ; + rdfs:comment "A Domain represents a categorization of building services or specialization used to characterize equipment or spaces in a building. Example domains include HVAC, Lighting, and Plumbing." ; rdfs:subClassOf s223:EnumerationKind . s223:Concept a s223:Class, sh:NodeShape ; rdfs:label "Concept" ; s223:abstract true ; - rdfs:comment "This is the superclass of all classes defined in the 223 standard." ; + rdfs:comment "All classes defined in the 223 standard are subclasses of s223:Concept." ; rdfs:subClassOf rdfs:Resource ; - sh:property [ rdfs:comment "A Concept can use the relation cnx" ; - sh:path s223:cnx ], - [ rdfs:comment "A Concept can use the relation hasProperty" ; + sh:property [ rdfs:comment "If the relation hasProperty is present, it must associate the concept with a Property." ; + sh:class s223:Property ; sh:path s223:hasProperty ], - [ rdfs:comment "A Concept can use the relation label" ; - sh:path rdfs:label ] ; + [ rdfs:comment "A Concept must be associated with at least one label using the relation label." ; + sh:minCount 1 ; + sh:path rdfs:label ; + sh:severity sh:Warning ] ; sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Flag entities that have a hasMedium value which is incompatible with the ofMedium value of an associated Property." ; + sh:message "{$this} hasMedium of {?m1}, but is associated with property {?prop} that has ofMedium of {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m1 ?prop ?m2 +WHERE { +$this s223:hasMedium ?m1 . +$this ?p ?prop . +?prop a/rdfs:subClassOf* s223:Property . +?prop s223:ofMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ], + [ a sh:SPARQLConstraint ; rdfs:comment "Ensure that any instance that is declared to be an instance of an abstract class must also be declared an instance of at least one subClass of that abstract class" ; sh:message "{$this} cannot be declared an instance of only abstract class {?class}." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT DISTINCT $this ?class WHERE { @@ -2976,155 +4691,175 @@ FILTER (!bound (?otherClass)) . } """ ] . +s223:cnx a s223:SymmetricProperty ; + rdfs:label "cnx" ; + rdfs:comment "The cnx relation is a symmetric property used to associate adjacent entities in a connection path (comprised of Equipment-ConnectionPoint-Connection-ConnectionPoint-Equipment sequences)." . + +s223:hasRole a rdf:Property ; + rdfs:label "hasRole" ; + rdfs:comment "The relation hasRole is used to indicate the role of an Equipment, Connection, ConnectionPoint, or System within a building (e.g., a heating coil will be associated with Role-Heating). Possible values are defined in EnumerationKind-Role (see `s223:EnumerationKind-Role`)." . + +s223:Numerical-LineLineVoltage a s223:Class, + s223:Numerical-LineLineVoltage, + sh:NodeShape ; + rdfs:label "Dimensioned Line-Line Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common line-line voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "An AC-Numerical-LineLineVoltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . + s223:EnumerationKind a s223:Class, s223:EnumerationKind, sh:NodeShape ; rdfs:label "Enumeration kind" ; - rdfs:comment "This is the encapsulating class for all EnumerationKinds. EnumerationKinds define the (closed) set of permissible values for a given purpose. For example, the DayOfWeek EnumerationKind enumerates the days of the week and allows no other values." ; - rdfs:subClassOf s223:Concept . + rdfs:comment """This is the encapsulating class for all EnumerationKinds. + EnumerationKinds define the (closed) set of permissible values for a given purpose. + For example, the DayOfWeek EnumerationKind enumerates the days of the week and allows no other values. + +EnumeratinKinds are arranged in a tree hierarchy. +As you navigate down the tree each branch or leaf value is a more specific instance of the EnumerationKind. +Certain validation constraints exist in the standard that evaluate compatibility of EnumerationKinds. +Two values are deemed compatible if they are the same or if one is a direct ancestor (or descendant) of the other.""" ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "An EnumerationKind must not use the generalized hasProperty relation. Some EnumerationKinds have specifically-defined relations to Property." ; + sh:maxCount 0 ; + sh:message "An EnumerationKind must not use the generalized hasProperty relation. EnumerationKind is a controlled vocabulary which must not be modified within a model." ; + sh:path s223:hasProperty ] . + +s223:Numerical-LineNeutralVoltage a s223:Class, + s223:Numerical-LineNeutralVoltage, + sh:NodeShape ; + rdfs:label "Dimensioned Line-Neutral Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common line-neutral voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "An AC-Numerical-LineNeutralVoltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . + +s223:Medium-Air a s223:Class, + s223:Medium-Air, + sh:NodeShape ; + rdfs:label "Medium-Air" ; + rdfs:comment "This class has enumerated instances of Air in various states." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:EnumerationKind-Role a s223:Class, + s223:EnumerationKind-Role, + sh:NodeShape ; + rdfs:label "Role" ; + rdfs:comment "This class has enumerated instances of roles played by entities, such as cooling, generator, relief, return." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:Medium-Water a s223:Class, + s223:Medium-Water, + sh:NodeShape ; + rdfs:label "Medium-Water" ; + rdfs:comment "This class has enumerated instances of water and aqueous solutions in various states." ; + rdfs:subClassOf s223:Substance-Medium . s223:Medium-Electricity a s223:Class, s223:Medium-Electricity, sh:NodeShape ; rdfs:label "Electricity" ; - rdfs:subClassOf s223:EnumerationKind-Medium . + rdfs:comment "This class has enumerated instances of all forms of electricity, including AC and DC." ; + rdfs:subClassOf s223:Substance-Medium . -s223:Medium-Air a s223:Class, - s223:Medium-Air, - sh:NodeShape ; - rdfs:label "Medium-Air" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +s223:Frequency-50Hz a s223:Numerical-Frequency ; + rdfs:label "50 Hertz" ; + s223:hasValue 50.0 ; + qudt:hasQuantityKind qudtqk:Frequency ; + qudt:hasUnit unit:HZ . + +s223:NumberOfElectricalPhases-ThreePhase a s223:Numerical-NumberOfElectricalPhases ; + rdfs:label "Three Phase AC Electricity" ; + s223:hasValue 3.0 ; + qudt:hasQuantityKind qudtqk:Dimensionless ; + qudt:hasUnit unit:NUM . s223:OutletConnectionPoint a s223:Class, sh:NodeShape ; rdfs:label "Outlet Connection Point" ; - rdfs:comment "An OutletConnectionPoint indicates that a substance must flow out of the domain space at this connection point and cannot flow in the other direction. An OutletConnectionPoint is a predefined subclass of ConnectionPoint." ; + rdfs:comment "An OutletConnectionPoint indicates that a substance must flow out of a Connectable (see 's223:Connectable') at this connection point and cannot flow in the other direction. An OutletConnectionPoint is a predefined subclass of ConnectionPoint." ; rdfs:subClassOf s223:ConnectionPoint ; - sh:property [ rdfs:comment "An OutletConnectionPoint can be associated with one other OutletConnectionPoint using the relation mapsTo" ; - sh:class s223:OutletConnectionPoint ; - sh:path s223:mapsTo ], - [ rdfs:comment "Ensure an OutletCP does not mapsTo a subordinate OutletCP that is part of an internal Connection" ; + sh:property [ rdfs:comment "Ensure an OutletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; sh:path s223:mapsTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure a CP does not mapsTo a subordinate CP that is part of an internal Connection" ; - sh:message "{$this} should not have a mapsTo {?otherCP} because {?otherCP} participates in an internal Connection to {?destinationDevice}." ; - sh:prefixes s223: ; + rdfs:comment "Ensure an OutletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; + sh:message "{$this} must have a mapsTo an OutletConnectionPoint of {?parentEquipment} and not an external Connection to {?destinationEquipment}." ; + sh:prefixes ; sh:select """ -SELECT $this ?otherCP ?destinationDevice +SELECT $this ?parentEquipment ?destinationEquipment WHERE { -$this s223:mapsTo ?otherCP . ?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -?otherCP s223:connectsThrough/s223:connectsTo ?destinationDevice . -?destinationDevice s223:contains ?equipment . +?parentEquipment s223:contains ?equipment . +$this s223:connectsThrough/s223:connectsTo ?destinationEquipment . +FILTER NOT EXISTS {?parentEquipment s223:contains ?destinationEquipment} . +FILTER NOT EXISTS {$this s223:mapsTo ?anything} . } -""" ] ] . +""" ] ], + [ rdfs:comment "If the relation mapsTo is present it must associate the OutletConnectionPoint with an OutletConnectionPoint." ; + sh:class s223:OutletConnectionPoint ; + sh:path s223:mapsTo ] . s223:InletConnectionPoint a s223:Class, sh:NodeShape ; rdfs:label "Inlet Connection Point" ; rdfs:comment "An InletConnectionPoint indicates that a substance must flow into the equipment or domain space at this connection point and cannot flow the other direction. An IntletConnectionPoint is a subclass of ConnectionPoint." ; rdfs:subClassOf s223:ConnectionPoint ; - sh:property [ rdfs:comment "An InletConnectionPoint can ne associated with one other InletConnectionPoint using the relation mapsTo" ; - sh:class s223:InletConnectionPoint ; - sh:path s223:mapsTo ], - [ rdfs:comment "Ensure an InletCP does not mapsTo a subordinate InletCP that is part of an internal Connection" ; + sh:property [ rdfs:comment "Ensure an InletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; sh:path s223:mapsTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure a CP does not mapsTo a subordinate CP that is part of an internal Connection" ; - sh:message "{$this} should not have a mapsTo {?otherCP} because {?otherCP} participates in an internal Connection from {?destinationDevice}." ; - sh:prefixes s223: ; + rdfs:comment "Ensure an InletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; + sh:message "{$this} must have a mapsTo an InletConnectionPoint of {?parentEquipment} and not an external Connection from {?sourceEquipment}." ; + sh:prefixes ; sh:select """ -SELECT $this ?otherCP ?destinationDevice +SELECT $this ?parentEquipment ?sourceEquipment WHERE { -$this s223:mapsTo ?otherCP . ?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -?otherCP s223:connectsThrough/s223:connectsFrom ?destinationDevice . -?destinationDevice s223:contains ?equipment . +?parentEquipment s223:contains ?equipment . +$this s223:connectsThrough/s223:connectsFrom ?sourceEquipment . +FILTER NOT EXISTS {?parentEquipment s223:contains ?sourceEquipment} . +FILTER NOT EXISTS {$this s223:mapsTo ?anything} . } -""" ] ] . +""" ] ], + [ rdfs:comment "If the relation mapsTo is present it must associate the InletConnectionPoint with an InletConnectionPoint." ; + sh:class s223:InletConnectionPoint ; + sh:path s223:mapsTo ] . -s223: a owl:Ontology ; - sh:declare [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; - sh:prefix "role" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "qudtqk" ], - [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - sh:prefix "unit" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "quantitykind" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; - sh:prefix "role" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "qudtqk" ], - [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - sh:prefix "unit" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/enumeration#"^^xsd:anyURI ; - sh:prefix "enum" ], - [ sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; - sh:prefix "rdf" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; - sh:prefix "sh" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ] . +s223:EnumerationKind-Aspect a s223:Class, + s223:EnumerationKind, + s223:EnumerationKind-Aspect, + sh:NodeShape ; + rdfs:label "Enumeration Kind-Aspect", + "EnumerationKind-Aspect" ; + rdfs:comment "This class has enumerated instances to specify contexts used with the s223:hasAspect relation for a s223:Property with a non-numerical value." ; + rdfs:subClassOf s223:EnumerationKind . s223:Equipment a s223:Class, sh:NodeShape ; rdfs:label "Equipment" ; - rdfs:comment "A Equipment is the modeling construct used to represent a mechanical device designed to accomplish a specific task that one might buy from a vendor. Examples of possible devices include a pump, fan, heat exchanger, luminaire, temperature sensor, or flow meter." ; + rdfs:comment """An Equipment is the modeling construct used to represent a mechanical device designed to accomplish a specific task, + or a complex device that contains component pieces of Equipment. Unlike a System, Equipment can have ConnectionPoints and participate + in the flow of one or more kinds of Medium. Examples of possible equipment include a Pump, Fan, HeatExchanger, Luminaire, + TemperatureSensor, FlowSensor or more complex examples such as a chilled water plant. + The graphical depiction of Equipment used in this standard is a rounded cornered rectangle as show in Figure 5-1. + ![Graphical Depiction of Equipment.](figures/Figure_5-1Graphical_Depiciton_of_Equipment.svg)""" ; rdfs:subClassOf s223:Connectable ; - sh:property [ a sh:PropertyShape ; - rdfs:comment "A Equipment can be associated with Equipment by contains" ; - sh:class s223:Equipment ; - sh:minCount 0 ; - sh:name "device contains shape" ; - sh:path s223:contains ], - [ rdfs:comment "A Equipment can be associated with an ActuatableProperty by commandedByProperty" ; - sh:class s223:ActuatableProperty ; - sh:path s223:commandedByProperty ], - [ rdfs:comment "A Equipment can be associated with a PhysicalSpace by hasPhysicalLocation" ; - sh:class s223:PhysicalSpace ; - sh:path s223:hasPhysicalLocation ], - [ rdfs:comment "A Equipment can be associated with an EnumerationKind-Role by hasRole" ; - sh:class s223:EnumerationKind-Role ; - sh:path s223:hasRole ], - [ rdfs:comment "Make sure that a containing Equipment inherits the incoming connectedFrom relations of contained Equipment if they are not internal connections." ; + sh:property [ rdfs:comment "Disallow contained equipment from having external incoming connections." ; sh:path s223:connectedFrom ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Make sure that a containing Equipment inherits the incoming connectedFrom relations of contained Equipment if they are not internal connections." ; - sh:message "{?container} does not have a connectedFrom relation to {?otherDev} even though {?container} contains {$this} which does." ; - sh:prefixes s223: ; + rdfs:comment "Disallow contained equipment from having external incoming connections." ; + sh:message "{$this} should not have a connection from external equipment {?otherDev} because {?container} contains {$this}." ; + sh:prefixes ; sh:select """ SELECT $this ?container ?otherDev WHERE { @@ -3132,15 +4867,14 @@ $this s223:connectedFrom ?otherDev . $this ^s223:contains ?container . ?container a/rdfs:subClassOf* s223:Equipment . FILTER NOT EXISTS {?container s223:contains ?otherDev .} -FILTER NOT EXISTS {?container s223:connectedFrom ?otherDev .} } """ ] ], - [ rdfs:comment "Make sure that a containing Equipment inherits the outgoing connectedTo relations of contained Equipment if they are not internal connections." ; + [ rdfs:comment "Disallow contained equipment from having external outgoing connections." ; sh:path s223:connectedTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Make sure that a containing Equipment inherits the outgoing connectedTo relations of contained Equipment if they are not internal connections." ; - sh:message "{?container} does not have a connectedTo relation to {?otherDev} even though {?container} contains {$this} which does." ; - sh:prefixes s223: ; + rdfs:comment "Disallow contained equipment from having external outgoing connections." ; + sh:message "{$this} should not have a connection to external equipment {?otherDev} because {?container} contains {$this}." ; + sh:prefixes ; sh:select """ SELECT $this ?container ?otherDev WHERE { @@ -3148,15 +4882,15 @@ $this s223:connectedTo ?otherDev . $this ^s223:contains ?container . ?container a/rdfs:subClassOf* s223:Equipment . FILTER NOT EXISTS {?container s223:contains ?otherDev .} -FILTER NOT EXISTS {?container s223:connectedTo ?otherDev .} } """ ] ], [ rdfs:comment "Warning about a subClass of Equipment of type A containing something that is in the same subClass branch." ; sh:path s223:contains ; + sh:severity sh:Warning ; sh:sparql [ a sh:SPARQLConstraint ; rdfs:comment "Warning about a subClass of Equipment of type A containing something that is in the same subClass branch." ; sh:message "{$this}, of type {?type1}, contains {?subEquip} of type {?type2}, that could result in double-counting items in the class hierarchy of {?type1}." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this ?subEquip ?type1 ?type2 WHERE { @@ -3173,13 +4907,43 @@ UNION ?type1 rdfs:subClassOf* ?type2 . } } -""" ; - sh:severity sh:Warning ] ], - s223:hasPropertyShape ; +""" ] ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation contains is present it must associate the Equipment with either Equipment or Junction." ; + sh:name "device contains shape" ; + sh:or ( [ sh:class s223:Equipment ] [ sh:class s223:Junction ] ) ; + sh:path s223:contains ], + [ rdfs:comment "If the relation commandedByProperty is present it must associate the Equipment with a ActuatableProperty." ; + sh:class s223:ActuatableProperty ; + sh:path s223:commandedByProperty ], + [ rdfs:comment "If the relation executes is present it must associate the Equipment with a FunctionBlock." ; + sh:class s223:FunctionBlock ; + sh:path s223:executes ], + [ rdfs:comment "If the relation hasPhysicalLocation is present it must associate the Equipment with a PhysicalSpace." ; + sh:class s223:PhysicalSpace ; + sh:path s223:hasPhysicalLocation ], + [ rdfs:comment "If the relation hasRole is present it must associate the Equipment with a EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ] ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer a higher-level cnx and Medium from the mapsTo relation" ; + rdfs:comment "For equipment contained within another piece of equipment use the mapsTo relation to infer a Medium from the containing equipment." ; + sh:construct """ +CONSTRUCT { + ?childCp s223:hasMedium ?medium . +} +WHERE { + $this s223:hasConnectionPoint ?cp . + ?childCp s223:mapsTo ?cp . + ?cp s223:connectsThrough ?connection . + ?cp s223:hasMedium ?medium . + FILTER NOT EXISTS {?childCp s223:hasMedium ?something} . +} +""" ; + sh:prefixes ], + [ a sh:SPARQLRule ; + rdfs:comment "For equipment containing another piece of equipment, use the mapsTo relation to infer a Medium from the contained equipment." ; sh:construct """ -CONSTRUCT {?parentCp s223:cnx ?connection . +CONSTRUCT { ?parentCp s223:hasMedium ?medium . } WHERE { @@ -3187,16 +4951,156 @@ WHERE { ?cp s223:mapsTo ?parentCp . ?cp s223:connectsThrough ?connection . ?cp s223:hasMedium ?medium . + FILTER NOT EXISTS {?parentCp s223:hasMedium ?something} . +} +""" ; + sh:prefixes ] . + +s223:Numerical-Voltage a s223:Class, + s223:Numerical-Voltage, + sh:NodeShape ; + rdfs:label "Dimensioned Voltage" ; + qudt:hasQuantityKind qudtqk:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "Does this fix the error?", + "This class has enumerated instances of common voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A Numerical-Voltage must have a Quantity Kind of Voltage" ; + sh:hasValue qudtqk:Voltage ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A Numerical-Voltage must have a unit of Volts" ; + sh:hasValue unit:V ; + sh:path qudt:hasUnit ] . + +s223:NumberOfElectricalPhases-SinglePhase a s223:Numerical-NumberOfElectricalPhases ; + rdfs:label "Single Phase AC Electricity" ; + s223:hasValue 1.0 ; + qudt:hasQuantityKind qudtqk:Dimensionless ; + qudt:hasUnit unit:NUM . + +s223:QuantifiableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Quantifiable Property" ; + rdfs:comment "This class is for quantifiable values that describe an object (System, Equipment, etc.) that are typically static (hasValue). That is, they are neither measured nor specified in the course of operations." ; + rdfs:subClassOf s223:Property, + qudt:Quantity ; + sh:property [ rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it." ; + sh:path qudt:hasUnit ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it." ; + sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. Be careful." ; + sh:prefixes ; + sh:select """ +SELECT $this ?setpoint ?punit ?sunit +WHERE { +$this qudt:hasUnit ?punit . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasUnit ?sunit . +?punit qudt:hasDimensionVector ?pdv . +?sunit qudt:hasDimensionVector ?sdv . +FILTER (?punit != ?sunit) . +FILTER (?pdv = ?sdv) . +} +""" ] ], + [ rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds." ; + sh:path qudt:hasQuantityKind ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds." ; + sh:message "{$this} uses QuantityKind {?pqk} with DimensionVector {?pdv}, while Setpoint {?setpoint} uses QuantityKind {?sqk} with DimensionVector {?sdv}. These are non-commensurate" ; + sh:prefixes ; + sh:select """ +SELECT $this ?setpoint ?pqk ?sqk ?pdv ?sdv +WHERE { +$this qudt:hasQuantityKind ?pqk . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasQuantityKind ?sqk . +?pqk qudt:hasDimensionVector ?pdv . +?sqk qudt:hasDimensionVector ?sdv . +FILTER (?pqk != ?sqk) . +FILTER (?pdv != ?sdv) . +} +""" ] ], + [ rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units." ; + sh:path qudt:hasUnit ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units." ; + sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. These are non-commensurate." ; + sh:prefixes ; + sh:select """ +SELECT $this ?setpoint ?punit ?sunit +WHERE { +$this qudt:hasUnit ?punit . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasUnit ?sunit . +?punit qudt:hasDimensionVector ?pdv . +?sunit qudt:hasDimensionVector ?sdv . +FILTER (?punit != ?sunit) . +FILTER (?pdv != ?sdv) . +} +""" ] ], + [ rdfs:comment "A QuantifiableProperty can be associated with a decimal value using the relation hasValue." ; + sh:datatype xsd:decimal ; + sh:path s223:hasValue ], + [ rdfs:comment "A QuantifiableProperty must be associated with at least one QuantityKind using the relation hasQuantityKind." ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A QuantifiableProperty must be associated with at least one Unit using the relation hasUnit." ; + sh:class qudt:Unit ; + sh:minCount 1 ; + sh:path qudt:hasUnit ; + sh:severity sh:Info ] ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the hasQuantityKind relation if it is unambiguous." ; + sh:construct """ +CONSTRUCT { +$this qudt:hasQuantityKind ?uniqueqk +} +WHERE { +{ +SELECT $this (COUNT (DISTINCT (?qk)) AS ?count) +WHERE { +FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . +$this qudt:hasUnit/qudt:hasQuantityKind ?qk . +} +GROUP BY $this +} +FILTER (?count = 1) +$this qudt:hasUnit/qudt:hasQuantityKind ?uniqueqk . } """ ; - sh:prefixes s223: ] . + sh:prefixes ] ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks for consistent dimension vectors for a QuantityKind and the Unit" ; + sh:message "Inconsistent dimensionalities among the Property's Unit and Property's Quantity Kind" ; + sh:prefixes ; + sh:select """ +SELECT $this ?count +WHERE { +{ SELECT $this (COUNT (DISTINCT ?qkdv) AS ?count) + WHERE +{ + { + $this qudt:hasQuantityKind/qudt:hasDimensionVector ?qkdv . + } + UNION + { + $this qudt:hasUnit/qudt:hasDimensionVector ?qkdv . + } +} + GROUP BY $this +} +FILTER (?count > 1) . +} +""" ] . rdf:Property a sh:NodeShape ; - sh:property [ rdfs:comment "This Property must have aa label" ; + sh:property [ rdfs:comment "This Property must have a label" ; sh:path rdfs:label ; sh:sparql [ a sh:SPARQLConstraint ; sh:message "{$this} must have an rdfs:label" ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this WHERE { @@ -3204,12 +5108,53 @@ BIND(REPLACE(STR($this), "^(.*)(/|#)([^#/]*)$", "$1") AS ?prop) . FILTER (?prop = "http://data.ashrae.org/standard223") . FILTER (NOT EXISTS {$this rdfs:label ?something}) . } +""" ] ], + [ rdfs:comment "This Property must have a comment" ; + sh:path rdfs:comment ; + sh:sparql [ a sh:SPARQLConstraint ; + sh:message "{$this} must have an rdfs:comment" ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +BIND(REPLACE(STR($this), "^(.*)(/|#)([^#/]*)$", "$1") AS ?prop) . +FILTER (?prop = "http://data.ashrae.org/standard223") . +FILTER (NOT EXISTS {$this rdfs:comment ?something}) . +} """ ] ] . +s223:Frequency-60Hz a s223:Numerical-Frequency ; + rdfs:label "60 Hertz" ; + s223:hasValue 60.0 ; + qudt:hasQuantityKind qudtqk:Frequency ; + qudt:hasUnit unit:HZ . + s223:hasMedium a rdf:Property ; rdfs:label "has Medium" ; rdfs:comment "The relation hasMedium is used to indicate what medium is flowing through the connection (e.g., air, water, electricity). The possible values are defined in EnumerationKind-Medium (see `s223:EnumerationKind-Medium`)." . +s223:Electricity-AC a s223:Class, + s223:Electricity-AC, + sh:NodeShape ; + rdfs:label "Electricity AC" ; + s223:hasFrequency s223:Numerical-Frequency ; + s223:hasNumberOfElectricalPhases s223:Numerical-NumberOfElectricalPhases ; + s223:hasVoltage s223:Numerical-Voltage ; + rdfs:comment "This class has enumerated instances of all AC forms of electricity." ; + rdfs:subClassOf s223:Medium-Electricity ; + sh:property [ rdfs:comment "An electricity AC medium must have a frequency" ; + sh:class s223:Numerical-Frequency ; + sh:minCount 1 ; + sh:path s223:hasFrequency ], + [ rdfs:comment "An electricity AC medium must have a number of electrical phases." ; + sh:class s223:Numerical-NumberOfElectricalPhases ; + sh:minCount 1 ; + sh:path s223:hasNumberOfElectricalPhases ], + [ rdfs:comment "An electricity AC medium must have a voltage." ; + sh:minCount 1 ; + sh:or ( [ sh:class s223:Numerical-LineLineVoltage ] [ sh:class s223:Numerical-LineNeutralVoltage ] [ sh:class s223:Numerical-Voltage ] ) ; + sh:path s223:hasVoltage ] . + s223:hasConnectionPoint a rdf:Property ; rdfs:label "has connection point" ; s223:inverseOf s223:isConnectionPointOf ; @@ -3217,20 +5162,3 @@ s223:hasConnectionPoint a rdf:Property ; [] sh:minCount 1 . -s223:EnumerationKind-FlowStatus a s223:Class, s223:EnumerationKind-FlowStatus, sh:NodeShape ; - rdfs:label "flow status" ; - rdfs:subClassOf s223:EnumerationKind . - - -s223:Role-HeatExchanger a s223:Class, s223:HeatExchanger-Role, sh:NodeShape ; - rdfs:label "hx role" ; - rdfs:subClassOf s223:EnumerationKind-Role . -s223:HeatExchanger-Evaporator a s223:Role-HeatExchanger ; - rdfs:label "evaporator" . -s223:HeatExchanger-Cooling a s223:Role-HeatExchanger ; - rdfs:label "cooling" . -s223:HeatExchanger-Heating a s223:Role-HeatExchanger ; - rdfs:label "heating" . -s223:FCU a s223:Class, sh:NodeShape ; - rdfs:label "fcu" ; - rdfs:subClassOf s223:TerminalUnit. From c5e3a9adbfbbc7c6d7e55006b2f3a6281d6e4b33 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Dec 2023 12:04:55 -0700 Subject: [PATCH 07/61] add model builder impl --- buildingmotif/model_builder.py | 127 +++++++++++++++++++++++++++++++++ 1 file changed, 127 insertions(+) create mode 100644 buildingmotif/model_builder.py diff --git a/buildingmotif/model_builder.py b/buildingmotif/model_builder.py new file mode 100644 index 000000000..7c0ca767c --- /dev/null +++ b/buildingmotif/model_builder.py @@ -0,0 +1,127 @@ +import secrets +from typing import Dict, List + +from rdflib import BNode, Graph, Literal, Namespace, URIRef +from rdflib.term import Node + +from buildingmotif.dataclasses import Library, Template +from buildingmotif.namespaces import RDF, RDFS + + +class TemplateBuilderContext: + """ + A context for building templates. This class allows the user to + add templates to the context and then access them by name. The + context also allows the user to compile all of the templates in + the context into a single graph. + """ + + def __init__(self, ns: Namespace): + """ + Creates a new TemplateBuilderContext. The context will create + entities in the given namespace. + + :param ns: The namespace to use for the context + """ + self.templates: Dict[str, Template] = {} + self.wrappers: List[TemplateWrapper] = [] + self.ns: Namespace = ns + + def add_template(self, template: Template): + """ + Adds a template to the context with all of its dependencies + inlined. Allows the user of the context to access the template + by name. + + :param template: The template to add to the context + """ + self.templates[template.name] = template.inline_dependencies() + + def add_templates_from_library(self, library: Library): + """ + Adds all of the templates from a library to the context + + :param library: The library to add to the context + """ + for template in library.get_templates(): + self.add_template(template) + + def __getitem__(self, template_name): + if template_name in self.templates: + w = TemplateWrapper(self.templates[template_name], self.ns) + self.wrappers.append(w) + return w + else: + raise KeyError(f"Invalid template name: {template_name}") + + def compile(self) -> Graph: + """ + Compiles all of the template wrappers and concatenates them into a single Graph + + :return: A graph containing all of the compiled templates + """ + graph = Graph() + for wrapper in self.wrappers: + graph += wrapper.compile() + # add a label to every instance if it doesn't have one. Make + # the label the same as the value part of the URI + for s, p, o in graph.triples((None, RDF.type, None)): + if (s, RDFS.label, None) not in graph: + # get the 'value' part of the o URI using qname + _, _, value = graph.namespace_manager.compute_qname(str(o)) + graph.add((s, RDFS.label, Literal(value))) + return graph + + +class TemplateWrapper: + def __init__(self, template: Template, ns: Namespace): + """ + Creates a new TemplateWrapper. The wrapper is used to bind + parameters to a template and then compile the template into + a graph. + + :param template: The template to wrap + :param ns: The namespace to use for the wrapper; all bindings will be added to this namespace + """ + self.template = template + self.bindings: Dict[str, Node] = {} + self.ns = ns + + def __getitem__(self, param): + if param in self.bindings: + return self.bindings[param] + elif param not in self.template.all_parameters: + raise KeyError(f"Invalid parameter: {param}") + # if the param is not bound, then invent a name + # by prepending the parameter name to a random string + self.bindings[param] = self.ns[param + "_" + secrets.token_hex(4)] + return self.bindings[param] + + def __setitem__(self, param, value): + if param not in self.template.all_parameters: + raise KeyError(f"Invalid parameter: {param}") + # if value is not a URIRef, Literal or BNode, then put it in the namespace + if not isinstance(value, (URIRef, Literal, BNode)): + value = self.ns[value] + # check datatype of value is URIRef, Literal or BNode + if not isinstance(value, (URIRef, Literal, BNode)): + raise TypeError(f"Invalid type for value: {type(value)}") + self.bindings[param] = value + + def compile(self) -> Graph: + """ + Compiles the template into a graph. If there are still parameters + to be bound, then the template will be returned. Otherwise, the + template will be filled and the resulting graph will be returned. + + :return: A graph containing the compiled template + :rtype: Graph + """ + tmp = self.template.evaluate(self.bindings) + # if this is true, there are still parameters to be bound + if isinstance(tmp, Template): + bindings, graph = tmp.fill(self.ns, include_optional=False) + self.bindings.update(bindings) + return graph + else: + return tmp From 3ce1cd1f38a7a65fc28f622a3297cdde6ae3c9e0 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Dec 2023 12:57:02 -0700 Subject: [PATCH 08/61] add QUDT --- libraries/qudt/README.md | 5 + libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl | 19 + libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl | 3664 ++ .../SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl | 804 + libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl | 6087 +++ .../VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl | 3839 ++ libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl | 431 + .../VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl | 23896 ++++++++++++ ...QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl | 805 + .../VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl | 262 + libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl | 30702 ++++++++++++++++ .../qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl | 2577 ++ 12 files changed, 73091 insertions(+) create mode 100644 libraries/qudt/README.md create mode 100644 libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl create mode 100644 libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl create mode 100644 libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl create mode 100644 libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl diff --git a/libraries/qudt/README.md b/libraries/qudt/README.md new file mode 100644 index 000000000..fea824449 --- /dev/null +++ b/libraries/qudt/README.md @@ -0,0 +1,5 @@ +## QUDT Ontology + +The QUDT files can be downloaded from the GitHub server at https://github.com/qudt/qudt-public-repo. +Specific files can be cherry-picked as needed, or an entire Release can be downloaded as a zip file at https://github.com/qudt/qudt-public-repo/releases. + diff --git a/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl b/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl new file mode 100644 index 000000000..926715065 --- /dev/null +++ b/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl @@ -0,0 +1,19 @@ +# baseURI: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/schema/shacl/qudt +# imports: http://qudt.org/2.1/schema/extensions/functions + +@prefix owl: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix xsd: . + + + a owl:Ontology ; + owl:imports ; + owl:imports ; + owl:versionInfo "Created with TopBraid Composer" ; + rdfs:comment "Facade graph for single place to redirect QUDT schema imports. Note that currently, the functions import uses SPIN and OWL."; + rdfs:label "QUDT SCHEMA Facade graph - v2.1.32" ; +. diff --git a/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl b/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl new file mode 100644 index 000000000..e1ab9da54 --- /dev/null +++ b/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl @@ -0,0 +1,3664 @@ +# baseURI: http://qudt.org/2.1/schema/shacl/qudt +# imports: http://qudt.org/2.1/schema/shacl/overlay/qudt +# imports: http://www.linkedmodel.org/schema/dtype +# imports: http://www.linkedmodel.org/schema/vaem +# imports: http://www.w3.org/2004/02/skos/core +# imports: http://www.w3.org/ns/shacl# + +@prefix dc: . +@prefix dcterms: . +@prefix dtype: . +@prefix owl: . +@prefix prov: . +@prefix quantitykind: . +@prefix qudt: . +@prefix qudt.type: . +@prefix rdf: . +@prefix rdfs: . +@prefix sh: . +@prefix skos: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + +dcterms:abstract + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "abstract" ; +. +dcterms:contributor + a rdf:Property ; + rdfs:label "contributor" ; +. +dcterms:created + a rdf:Property ; + rdfs:label "created" ; +. +dcterms:creator + a rdf:Property ; + rdfs:label "creator" ; +. +dcterms:description + a rdf:Property ; + rdfs:label "description" ; +. +dcterms:isReplacedBy + a rdf:Property ; + rdfs:label "is replaced by" ; +. +dcterms:modified + a rdf:Property ; + rdfs:label "modified" ; +. +dcterms:rights + a rdf:Property ; + rdfs:label "rights" ; +. +dcterms:source + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "source" ; +. +dcterms:subject + a rdf:Property ; + rdfs:label "subject" ; +. +dcterms:title + a rdf:Property ; + rdfs:label "title" ; +. + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_SHACLQUDT-SCHEMA ; + rdfs:isDefinedBy ; + rdfs:label "QUDT SHACL Schema Version 2.1.33" ; + owl:imports ; + owl:imports ; + owl:imports ; + owl:imports ; + owl:imports sh: ; + owl:versionIRI ; +. +qudt:AbstractQuantityKind + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Quantity Kind (abstract)" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:AbstractQuantityKind-broader ; + sh:property qudt:AbstractQuantityKind-latexSymbol ; + sh:property qudt:AbstractQuantityKind-symbol ; +. +qudt:AbstractQuantityKind-broader + a sh:PropertyShape ; + sh:path skos:broader ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; +. +qudt:AbstractQuantityKind-latexSymbol + a sh:PropertyShape ; + sh:path qudt:latexSymbol ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:AbstractQuantityKind-symbol + a sh:PropertyShape ; + sh:path qudt:symbol ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:AngleUnit + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "All units relating to specificaiton of angles. " ; + rdfs:isDefinedBy ; + rdfs:label "Angle unit" ; + rdfs:subClassOf qudt:DimensionlessUnit ; + skos:exactMatch ; +. +qudt:Aspect + a qudt:AspectClass ; + a sh:NodeShape ; + rdfs:comment "An aspect is an abstract type class that defines properties that can be reused."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Aspect" ; + rdfs:subClassOf rdfs:Resource ; +. +qudt:AspectClass + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Aspect Class" ; + rdfs:subClassOf rdfs:Class ; +. +qudt:BaseDimensionMagnitude + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI ; + qudt:informativeReference "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; + rdfs:comment """

A Dimension expresses a magnitude for a base quantiy kind such as mass, length and time.

+

DEPRECATED - each exponent is expressed as a property. Keep until a validaiton of this has been done.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Base Dimension Magnitude" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:BaseDimensionMagnitude-hasBaseQuantityKind ; + sh:property qudt:BaseDimensionMagnitude-vectorMagnitude ; +. +qudt:BaseDimensionMagnitude-hasBaseQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasBaseQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:BaseDimensionMagnitude-vectorMagnitude + a sh:PropertyShape ; + sh:path qudt:vectorMagnitude ; + rdfs:isDefinedBy ; + sh:datatype xsd:float ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:BigEndian + a qudt:EndianType ; + dtype:literal "big" ; + rdfs:isDefinedBy ; + rdfs:label "Big Endian" ; +. +qudt:BinaryPrefix + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A Binary Prefix is a prefix for multiples of units in data processing, data transmission, and digital information, notably the bit and the byte, to indicate multiplication by a power of 2." ; + rdfs:isDefinedBy ; + rdfs:label "Binary Prefix" ; + rdfs:subClassOf qudt:Prefix ; +. +qudt:BitEncoding + a qudt:BitEncodingType ; + qudt:bits 1 ; + rdfs:isDefinedBy ; + rdfs:label "Bit Encoding" ; +. +qudt:BitEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A bit encoding is a correspondence between the two possible values of a bit, 0 or 1, and some interpretation. For example, in a boolean encoding, a bit denotes a truth value, where 0 corresponds to False and 1 corresponds to True." ; + rdfs:isDefinedBy ; + rdfs:label "Bit Encoding" ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:BitEncoding + ) ; + ] ; +. +qudt:BooleanEncoding + a qudt:BooleanEncodingType ; + qudt:bits 1 ; + rdfs:isDefinedBy ; + rdfs:label "Boolean Encoding" ; +. +qudt:BooleanEncodingType + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Boolean encoding type" ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:BooleanEncoding + qudt:BitEncoding + qudt:OctetEncoding + ) ; + ] ; +. +qudt:ByteEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "This class contains the various ways that information may be encoded into bytes." ; + rdfs:isDefinedBy ; + rdfs:label "Byte Encoding" ; + rdfs:subClassOf qudt:Encoding ; +. +qudt:CT_COUNTABLY-INFINITE + a qudt:CardinalityType ; + dcterms:description "A set of numbers is called countably infinite if there is a way to enumerate them. Formally this is done with a bijection function that associates each number in the set with exactly one of the positive integers. The set of all fractions is also countably infinite. In other words, any set \\(X\\) that has the same cardinality as the set of the natural numbers, or \\(| X | \\; = \\; | \\mathbb N | \\; = \\; \\aleph0\\), is said to be a countably infinite set."^^qudt:LatexString ; + qudt:informativeReference "http://www.math.vanderbilt.edu/~schectex/courses/infinity.pdf"^^xsd:anyURI ; + qudt:literal "countable" ; + rdfs:isDefinedBy ; + rdfs:label "Countably Infinite Cardinality Type" ; +. +qudt:CT_FINITE + a qudt:CardinalityType ; + dcterms:description "Any set \\(X\\) with cardinality less than that of the natural numbers, or \\(| X | \\\\; < \\; | \\\\mathbb N | \\), is said to be a finite set."^^qudt:LatexString ; + qudt:literal "finite" ; + rdfs:isDefinedBy ; + rdfs:label "Finite Cardinality Type" ; +. +qudt:CT_UNCOUNTABLE + a qudt:CardinalityType ; + dcterms:description "Any set with cardinality greater than that of the natural numbers, or \\(| X | \\; > \\; | \\mathbb N | \\), for example \\(| R| \\; = \\; c \\; > |\\mathbb N |\\), is said to be uncountable."^^qudt:LatexString ; + qudt:literal "uncountable" ; + rdfs:isDefinedBy ; + rdfs:label "Uncountable Cardinality Type" ; +. +qudt:CardinalityType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set \\(A = {2, 4, 6}\\) contains 3 elements, and therefore \\(A\\) has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers."^^qudt:LatexString ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cardinal_number"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cardinality"^^xsd:anyURI ; + qudt:plainTextDescription "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set 'A = {2, 4, 6}' contains 3 elements, and therefore 'A' has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers." ; + rdfs:isDefinedBy ; + rdfs:label "Cardinality Type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:CardinalityType-literal ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:CT_COUNTABLY-INFINITE + qudt:CT_FINITE + qudt:CT_UNCOUNTABLE + ) ; + ] ; +. +qudt:CardinalityType-literal + a sh:PropertyShape ; + sh:path qudt:literal ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:CharEncoding + a qudt:BooleanEncodingType ; + a qudt:CharEncodingType ; + dc:description "7 bits of 1 octet" ; + qudt:bytes 1 ; + rdfs:isDefinedBy ; + rdfs:label "Char Encoding" ; +. +qudt:CharEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "The class of all character encoding schemes, each of which defines a rule or algorithm for encoding character data as a sequence of bits or bytes." ; + rdfs:isDefinedBy ; + rdfs:label "Char Encoding Type" ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:CharEncoding + ) ; + ] ; +. +qudt:Citation + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Provides a simple way of making citations."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Citation" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Citation-description ; + sh:property qudt:Citation-url ; +. +qudt:Citation-description + a sh:PropertyShape ; + sh:path dcterms:description ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:Citation-url + a sh:PropertyShape ; + sh:path qudt:url ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; +. +qudt:Comment + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Comment" ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:Comment-description ; + sh:property qudt:Comment-rationale ; +. +qudt:Comment-description + a sh:PropertyShape ; + sh:path dcterms:description ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Comment-rationale + a sh:PropertyShape ; + sh:path qudt:rationale ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; + sh:minCount 0 ; +. +qudt:Concept + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "The root class for all QUDT concepts."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Concept" ; + rdfs:subClassOf rdfs:Resource ; + sh:property qudt:Concept-abbreviation ; + sh:property qudt:Concept-code ; + sh:property qudt:Concept-deprecated ; + sh:property qudt:Concept-description ; + sh:property qudt:Concept-guidance ; + sh:property qudt:Concept-hasRule ; + sh:property qudt:Concept-id ; + sh:property qudt:Concept-isReplacedBy ; + sh:property qudt:Concept-plainTextDescription ; +. +qudt:Concept-abbreviation + a sh:PropertyShape ; + sh:path qudt:abbreviation ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Concept-code + a sh:PropertyShape ; + sh:path qudt:code ; + rdfs:isDefinedBy ; +. +qudt:Concept-deprecated + a sh:PropertyShape ; + sh:path qudt:deprecated ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; +. +qudt:Concept-description + a sh:PropertyShape ; + sh:path dcterms:description ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Concept-guidance + a sh:PropertyShape ; + sh:path qudt:guidance ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; +. +qudt:Concept-hasRule + a sh:PropertyShape ; + sh:path qudt:hasRule ; + rdfs:isDefinedBy ; + sh:class qudt:Rule ; +. +qudt:Concept-id + a sh:PropertyShape ; + sh:path qudt:id ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Concept-isReplacedBy + a sh:PropertyShape ; + sh:path dcterms:isReplacedBy ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Concept-plainTextDescription + a sh:PropertyShape ; + sh:path qudt:plainTextDescription ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:ConstantValue + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Used to specify the values of a constant."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Constant value" ; + rdfs:subClassOf qudt:QuantityValue ; + sh:property qudt:ConstantValue-exactConstant ; + sh:property qudt:ConstantValue-informativeReference ; +. +qudt:ConstantValue-exactConstant + a sh:PropertyShape ; + sh:path qudt:exactConstant ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; +. +qudt:ConstantValue-informativeReference + a sh:PropertyShape ; + sh:path qudt:informativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; +. +qudt:CountingUnit + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Used for all units that express counts. Examples are Atomic Number, Number, Number per Year, Percent and Sample per Second."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Counting Unit" ; + rdfs:subClassOf qudt:DimensionlessUnit ; +. +qudt:CurrencyUnit + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Currency Units have their own subclass of unit because: (a) they have additonal properites such as 'country' and (b) their URIs do not conform to the same rules as other units."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Currency Unit" ; + rdfs:subClassOf qudt:DimensionlessUnit ; + sh:property qudt:CurrencyUnit-currencyCode ; + sh:property qudt:CurrencyUnit-currencyExponent ; + sh:property qudt:CurrencyUnit-currencyNumber ; +. +qudt:CurrencyUnit-currencyCode + a sh:PropertyShape ; + sh:path qudt:currencyCode ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; +. +qudt:CurrencyUnit-currencyExponent + a sh:PropertyShape ; + sh:path qudt:currencyExponent ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; +. +qudt:CurrencyUnit-currencyNumber + a sh:PropertyShape ; + sh:path qudt:currencyNumber ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; +. +qudt:DataEncoding + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "

Data Encoding expresses the properties that specify how data is represented at the bit and byte level. These properties are applicable to describing raw data.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Data Encoding" ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:DataEncoding-bitOrder ; + sh:property qudt:DataEncoding-byteOrder ; + sh:property qudt:DataEncoding-encoding ; +. +qudt:DataEncoding-bitOrder + a sh:PropertyShape ; + sh:path qudt:bitOrder ; + rdfs:isDefinedBy ; + sh:class qudt:EndianType ; + sh:maxCount 1 ; +. +qudt:DataEncoding-byteOrder + a sh:PropertyShape ; + sh:path qudt:byteOrder ; + rdfs:isDefinedBy ; + sh:class qudt:EndianType ; + sh:maxCount 1 ; +. +qudt:DataEncoding-encoding + a sh:PropertyShape ; + sh:path qudt:encoding ; + rdfs:isDefinedBy ; + sh:class qudt:Encoding ; + sh:maxCount 1 ; +. +qudt:Datatype + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A data type is a definition of a set of values (for example, \"all integers between 0 and 10\"), and the allowable operations on those values; the meaning of the data; and the way values of that type can be stored. Some types are primitive - built-in to the language, with no visible internal structure - e.g. Boolean; others are composite - constructed from one or more other types (of either kind) - e.g. lists, arrays, structures, unions. Object-oriented programming extends this with classes which encapsulate both the structure of a type and the operations that can be performed on it. Some languages provide strong typing, others allow implicit type conversion and/or explicit type conversion." ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_type"^^xsd:anyURI ; + qudt:informativeReference "http://foldoc.org/data+type"^^xsd:anyURI ; + qudt:informativeReference "http://www.princeton.edu/~achaney/tmve/wiki100k/docs/Data_type.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Datatype" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Datatype-ansiSQLName ; + sh:property qudt:Datatype-basis ; + sh:property qudt:Datatype-bounded ; + sh:property qudt:Datatype-cName ; + sh:property qudt:Datatype-cardinality ; + sh:property qudt:Datatype-id ; + sh:property qudt:Datatype-javaName ; + sh:property qudt:Datatype-jsName ; + sh:property qudt:Datatype-matlabName ; + sh:property qudt:Datatype-microsoftSQLServerName ; + sh:property qudt:Datatype-mySQLName ; + sh:property qudt:Datatype-odbcName ; + sh:property qudt:Datatype-oleDBName ; + sh:property qudt:Datatype-oracleSQLName ; + sh:property qudt:Datatype-orderedType ; + sh:property qudt:Datatype-protocolBuffersName ; + sh:property qudt:Datatype-pythonName ; + sh:property qudt:Datatype-vbName ; +. +qudt:Datatype-ansiSQLName + a sh:PropertyShape ; + sh:path qudt:ansiSQLName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-basis + a sh:PropertyShape ; + sh:path qudt:basis ; + rdfs:isDefinedBy ; + sh:class qudt:Datatype ; + sh:maxCount 1 ; +. +qudt:Datatype-bounded + a sh:PropertyShape ; + sh:path qudt:bounded ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Datatype-cName + a sh:PropertyShape ; + sh:path qudt:cName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-cardinality + a sh:PropertyShape ; + sh:path qudt:cardinality ; + rdfs:isDefinedBy ; + sh:class qudt:CardinalityType ; + sh:maxCount 1 ; +. +qudt:Datatype-id + a sh:PropertyShape ; + sh:path qudt:id ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-javaName + a sh:PropertyShape ; + sh:path qudt:javaName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-jsName + a sh:PropertyShape ; + sh:path qudt:jsName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-matlabName + a sh:PropertyShape ; + sh:path qudt:matlabName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-microsoftSQLServerName + a sh:PropertyShape ; + sh:path qudt:microsoftSQLServerName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-mySQLName + a sh:PropertyShape ; + sh:path qudt:mySQLName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; +. +qudt:Datatype-odbcName + a sh:PropertyShape ; + sh:path qudt:odbcName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-oleDBName + a sh:PropertyShape ; + sh:path qudt:oleDBName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-oracleSQLName + a sh:PropertyShape ; + sh:path qudt:oracleSQLName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-orderedType + a sh:PropertyShape ; + sh:path qudt:orderedType ; + rdfs:isDefinedBy ; + sh:class qudt:OrderedType ; + sh:maxCount 1 ; +. +qudt:Datatype-protocolBuffersName + a sh:PropertyShape ; + sh:path qudt:protocolBuffersName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-pythonName + a sh:PropertyShape ; + sh:path qudt:pythonName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Datatype-vbName + a sh:PropertyShape ; + sh:path qudt:vbName ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:DateTimeStringEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "Date Time encodings are logical encodings for expressing date/time quantities as strings by applying unambiguous formatting and parsing rules." ; + rdfs:isDefinedBy ; + rdfs:label "Date Time String Encoding Type" ; + rdfs:subClassOf qudt:StringEncodingType ; + sh:property qudt:DateTimeStringEncodingType-allowedPattern ; +. +qudt:DateTimeStringEncodingType-allowedPattern + a sh:PropertyShape ; + sh:path qudt:allowedPattern ; + rdfs:isDefinedBy ; + sh:minCount 1 ; +. +qudt:DecimalPrefix + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A Decimal Prefix is a prefix for multiples of units that are powers of 10." ; + rdfs:isDefinedBy ; + rdfs:label "Decimal Prefix" ; + rdfs:subClassOf qudt:Prefix ; +. +qudt:DerivedUnit + a rdfs:Class ; + a sh:NodeShape ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Category:SI_derived_units"^^xsd:anyURI ; + rdfs:comment "A DerivedUnit is a type specification for units that are derived from other units."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Derived Unit" ; + rdfs:subClassOf qudt:Unit ; +. +qudt:DimensionlessUnit + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A Dimensionless Unit is a quantity for which all the exponents of the factors corresponding to the base quantities in its quantity dimension are zero."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Dimensionless Unit" ; + rdfs:subClassOf qudt:Unit ; +. +qudt:Discipline + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Discipline" ; + rdfs:subClassOf qudt:Concept ; +. +qudt:DoublePrecisionEncoding + a qudt:FloatingPointEncodingType ; + qudt:bytes 64 ; + rdfs:isDefinedBy ; + rdfs:label "Single Precision Real Encoding" ; +. +qudt:Encoding + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "An encoding is a rule or algorithm that is used to convert data from a native, or unspecified form into a specific form that satisfies the encoding rules. Examples of encodings include character encodings, such as UTF-8." ; + rdfs:isDefinedBy ; + rdfs:label "Encoding" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Encoding-bits ; + sh:property qudt:Encoding-bytes ; +. +qudt:Encoding-bits + a sh:PropertyShape ; + sh:path qudt:bits ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; +. +qudt:Encoding-bytes + a sh:PropertyShape ; + sh:path qudt:bytes ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; +. +qudt:EndianType + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Endianness"^^xsd:anyURI ; + qudt:plainTextDescription "In computing, endianness is the ordering used to represent some kind of data as a sequence of smaller units. Typical cases are the order in which integer values are stored as bytes in computer memory (relative to a given memory addressing scheme) and the transmission order over a network or other medium. When specifically talking about bytes, endianness is also referred to simply as byte order. Most computer processors simply store integers as sequences of bytes, so that, conceptually, the encoded value can be obtained by simple concatenation. For an 'n-byte' integer value this allows 'n!' (n factorial) possible representations (one for each byte permutation). The two most common of them are: increasing numeric significance with increasing memory addresses, known as little-endian, and its opposite, called big-endian." ; + rdfs:isDefinedBy ; + rdfs:label "Endian Type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt.type:LittleEndian + qudt.type:BigEndian + ) ; + ] ; +. +qudt:EnumeratedQuantity + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Enumerated Quantity" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:EnumeratedQuantity-enumeratedValue ; + sh:property qudt:EnumeratedQuantity-enumeration ; +. +qudt:EnumeratedQuantity-enumeratedValue + a sh:PropertyShape ; + sh:path qudt:enumeratedValue ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:maxCount 1 ; +. +qudt:EnumeratedQuantity-enumeration + a sh:PropertyShape ; + sh:path qudt:enumeration ; + rdfs:isDefinedBy ; + sh:class qudt:Enumeration ; + sh:maxCount 1 ; +. +qudt:EnumeratedValue + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description """

This class is for all enumerated and/or coded values. For example, it contains the dimension objects that are the basis elements in some abstract vector space associated with a quantity kind system. Another use is for the base dimensions for quantity systems. Each quantity kind system that defines a base set has a corresponding ordered enumeration whose elements are the dimension objects for the base quantity kinds. The order of the dimensions in the enumeration determines the canonical order of the basis elements in the corresponding abstract vector space.

+ +

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

+ +

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Enumerated Value" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + rdfs:subClassOf dtype:EnumeratedValue ; + sh:property qudt:EnumeratedValue-abbreviation ; + sh:property qudt:EnumeratedValue-description ; + sh:property qudt:EnumeratedValue-symbol ; +. +qudt:EnumeratedValue-abbreviation + a sh:PropertyShape ; + sh:path qudt:abbreviation ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:EnumeratedValue-description + a sh:PropertyShape ; + sh:path dcterms:description ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:EnumeratedValue-symbol + a sh:PropertyShape ; + sh:path qudt:symbol ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Enumeration + a rdfs:Class ; + a sh:NodeShape ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Enumeration"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enumerated_type"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; + rdfs:comment """

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

+ +

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Enumeration" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf dtype:Enumeration ; + sh:property qudt:Enumeration-abbreviation ; + sh:property qudt:Enumeration-default ; + sh:property qudt:Enumeration-element ; +. +qudt:Enumeration-abbreviation + a sh:PropertyShape ; + sh:path qudt:abbreviation ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Enumeration-default + a sh:PropertyShape ; + sh:path qudt:default ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:maxCount 1 ; +. +qudt:Enumeration-element + a sh:PropertyShape ; + sh:path qudt:element ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:minCount 1 ; +. +qudt:EnumerationScale + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Enumeration scale" ; + rdfs:subClassOf qudt:Scale ; + rdfs:subClassOf dtype:Enumeration ; +. +qudt:Figure + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Figure" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Figure-figureCaption ; + sh:property qudt:Figure-figureLabel ; + sh:property qudt:Figure-height ; + sh:property qudt:Figure-image ; + sh:property qudt:Figure-imageLocation ; + sh:property qudt:Figure-landscape ; + sh:property qudt:Figure-width ; +. +qudt:Figure-figureCaption + a sh:PropertyShape ; + sh:path qudt:figureCaption ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Figure-figureLabel + a sh:PropertyShape ; + sh:path qudt:figureLabel ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Figure-height + a sh:PropertyShape ; + sh:path qudt:height ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Figure-image + a sh:PropertyShape ; + sh:path qudt:image ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; +. +qudt:Figure-imageLocation + a sh:PropertyShape ; + sh:path qudt:imageLocation ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:Figure-landscape + a sh:PropertyShape ; + sh:path qudt:landscape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; +. +qudt:Figure-width + a sh:PropertyShape ; + sh:path qudt:width ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:FloatingPointEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A \"Encoding\" with the following instance(s): \"Double Precision Encoding\", \"Single Precision Real Encoding\"." ; + rdfs:isDefinedBy ; + rdfs:label "Floating Point Encoding" ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:DoublePrecisionEncoding + qudt:IEEE754_1985RealEncoding + qudt:SinglePrecisionRealEncoding + ) ; + ] ; +. +qudt:IEEE754_1985RealEncoding + a qudt:FloatingPointEncodingType ; + qudt:bytes 32 ; + rdfs:isDefinedBy ; + rdfs:label "IEEE 754 1985 Real Encoding" ; +. +qudt:ISO8601-UTCDateTime-BasicFormat + a qudt:DateTimeStringEncodingType ; + qudt:allowedPattern "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}.[0-9]+Z" ; + qudt:allowedPattern "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}Z" ; + rdfs:isDefinedBy ; + rdfs:label "ISO 8601 UTC Date Time - Basic Format" ; +. +qudt:IntegerEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "The encoding scheme for integer types" ; + rdfs:isDefinedBy ; + rdfs:label "Integer Encoding" ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:LongUnsignedIntegerEncoding + qudt:ShortUnsignedIntegerEncoding + qudt:ShortUnsignedIntegerEncoding + qudt:SignedIntegerEncoding + qudt:UnsignedIntegerEncoding + ) ; + ] ; +. +qudt:IntervalScale + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment """

The interval type allows for the degree of difference between items, but not the ratio between them. Examples include temperature with the Celsius scale, which has two defined points (the freezing and boiling point of water at specific conditions) and then separated into 100 intervals, date when measured from an arbitrary epoch (such as AD), percentage such as a percentage return on a stock,[16] location in Cartesian coordinates, and direction measured in degrees from true or magnetic north. Ratios are not meaningful since 20 °C cannot be said to be \"twice as hot\" as 10 °C, nor can multiplication/division be carried out between any two dates directly. However, ratios of differences can be expressed; for example, one difference can be twice another. Interval type variables are sometimes also called \"scaled variables\", but the formal mathematical term is an affine space (in this case an affine line).

+

Characteristics: median, percentile & Monotonic increasing (order (<) & totally ordered set

"""^^rdf:HTML ; + rdfs:comment "median, percentile & Monotonic increasing (order (<)) & totally ordered set"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Interval scale" ; + rdfs:seeAlso qudt:NominalScale ; + rdfs:seeAlso qudt:OrdinalScale ; + rdfs:seeAlso qudt:RatioScale ; + rdfs:subClassOf qudt:Scale ; +. +qudt:LatexString + a rdfs:Datatype ; + a sh:NodeShape ; + rdfs:comment "A type of string in which some characters may be wrapped with '\\(' and '\\) characters for LaTeX rendering." ; + rdfs:isDefinedBy ; + rdfs:label "Latex String" ; + rdfs:subClassOf xsd:string ; +. +qudt:LittleEndian + a qudt:EndianType ; + dtype:literal "little" ; + rdfs:isDefinedBy ; + rdfs:label "Little Endian" ; +. +qudt:LogarithmicUnit + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Logarithmic units are abstract mathematical units that can be used to express any quantities (physical or mathematical) that are defined on a logarithmic scale, that is, as being proportional to the value of a logarithm function. Examples of logarithmic units include common units of information and entropy, such as the bit, and the byte, as well as units of relative signal strength magnitude such as the decibel."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Logarithmic Unit" ; + rdfs:subClassOf qudt:DimensionlessUnit ; +. +qudt:LongUnsignedIntegerEncoding + a qudt:IntegerEncodingType ; + qudt:bytes 8 ; + rdfs:isDefinedBy ; + rdfs:label "Long Unsigned Integer Encoding" ; +. +qudt:MathsFunctionType + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Maths Function Type" ; + rdfs:subClassOf qudt:Concept ; +. +qudt:NIST_SP811_Comment + a rdfs:Class ; + a sh:NodeShape ; + dc:description "National Institute of Standards and Technology (NIST) Special Publication 811 Comments on some quantities and their units" ; + rdfs:isDefinedBy ; + rdfs:label "NIST SP~811 Comment" ; + rdfs:subClassOf qudt:Comment ; +. +qudt:NominalScale + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "A nominal scale differentiates between items or subjects based only on their names or (meta-)categories and other qualitative classifications they belong to; thus dichotomous data involves the construction of classifications as well as the classification of items. Discovery of an exception to a classification can be viewed as progress. Numbers may be used to represent the variables but the numbers do not have numerical value or relationship: For example, a Globally unique identifier. Examples of these classifications include gender, nationality, ethnicity, language, genre, style, biological species, and form. In a university one could also use hall of affiliation as an example."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Nominal scale" ; + rdfs:seeAlso qudt:IntervalScale ; + rdfs:seeAlso qudt:OrdinalScale ; + rdfs:seeAlso qudt:RatioScale ; + rdfs:subClassOf qudt:Scale ; +. +qudt:OctetEncoding + a qudt:BooleanEncodingType ; + a qudt:ByteEncodingType ; + qudt:bytes 1 ; + rdfs:isDefinedBy ; + rdfs:label "OCTET Encoding" ; +. +qudt:OrderedType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "Describes how a data or information structure is ordered." ; + rdfs:isDefinedBy ; + rdfs:label "Ordered type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:OrderedType-literal ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:Unordered + qudt:PartiallyOrdered + qudt:TotallyOrdered + ) ; + ] ; +. +qudt:OrderedType-literal + a sh:PropertyShape ; + sh:path qudt:literal ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:OrdinalScale + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "The ordinal type allows for rank order (1st, 2nd, 3rd, etc.) by which data can be sorted, but still does not allow for relative degree of difference between them. Examples include, on one hand, dichotomous data with dichotomous (or dichotomized) values such as 'sick' vs. 'healthy' when measuring health, 'guilty' vs. 'innocent' when making judgments in courts, 'wrong/false' vs. 'right/true' when measuring truth value, and, on the other hand, non-dichotomous data consisting of a spectrum of values, such as 'completely agree', 'mostly agree', 'mostly disagree', 'completely disagree' when measuring opinion."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Ordinal scale" ; + rdfs:seeAlso qudt:IntervalScale ; + rdfs:seeAlso qudt:NominalScale ; + rdfs:seeAlso qudt:RatioScale ; + rdfs:subClassOf qudt:Scale ; + sh:property qudt:OrdinalScale-order ; +. +qudt:OrdinalScale-order + a sh:PropertyShape ; + sh:path qudt:order ; + rdfs:isDefinedBy ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:Organization + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Organization" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Organization-url ; +. +qudt:Organization-url + a sh:PropertyShape ; + sh:path qudt:url ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:PartiallyOrdered + a qudt:OrderedType ; + qudt:literal "partial" ; + qudt:plainTextDescription "Partial ordered structure." ; + rdfs:isDefinedBy ; + rdfs:label "Partially Ordered" ; +. +qudt:PhysicalConstant + a rdfs:Class ; + a sh:NodeShape ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Physical_constant"^^xsd:anyURI ; + rdfs:comment "A physical constant is a physical quantity that is generally believed to be both universal in nature and constant in time. It can be contrasted with a mathematical constant, which is a fixed numerical value but does not directly involve any physical measurement. There are many physical constants in science, some of the most widely recognized being the speed of light in vacuum c, Newton's gravitational constant G, Planck's constant h, the electric permittivity of free space ε0, and the elementary charge e. Physical constants can take many dimensional forms, or may be dimensionless depending on the system of quantities and units used."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Physical Constant" ; + rdfs:subClassOf qudt:Quantity ; + sh:property qudt:PhysicalConstant-applicableSystem ; + sh:property qudt:PhysicalConstant-applicableUnit ; + sh:property qudt:PhysicalConstant-dbpediaMatch ; + sh:property qudt:PhysicalConstant-exactConstant ; + sh:property qudt:PhysicalConstant-exactMatch ; + sh:property qudt:PhysicalConstant-hasDimensionVector ; + sh:property qudt:PhysicalConstant-informativeReference ; + sh:property qudt:PhysicalConstant-isoNormativeReference ; + sh:property qudt:PhysicalConstant-latexDefinition ; + sh:property qudt:PhysicalConstant-latexSymbol ; + sh:property qudt:PhysicalConstant-mathMLdefinition ; + sh:property qudt:PhysicalConstant-normativeReference ; + sh:property qudt:PhysicalConstant-symbol ; + sh:property qudt:PhysicalConstant-ucumCode ; +. +qudt:PhysicalConstant-applicableSystem + a sh:PropertyShape ; + sh:path qudt:applicableSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:PhysicalConstant-applicableUnit + a sh:PropertyShape ; + sh:path qudt:applicableUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:PhysicalConstant-dbpediaMatch + a sh:PropertyShape ; + sh:path qudt:dbpediaMatch ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:PhysicalConstant-exactConstant + a sh:PropertyShape ; + sh:path qudt:exactConstant ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; +. +qudt:PhysicalConstant-exactMatch + a sh:PropertyShape ; + sh:path qudt:exactMatch ; + rdfs:isDefinedBy ; + sh:class qudt:PhysicalConstant ; +. +qudt:PhysicalConstant-hasDimensionVector + a sh:PropertyShape ; + sh:path qudt:hasDimensionVector ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; +. +qudt:PhysicalConstant-informativeReference + a sh:PropertyShape ; + sh:path qudt:informativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; +. +qudt:PhysicalConstant-isoNormativeReference + a sh:PropertyShape ; + sh:path qudt:isoNormativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; +. +qudt:PhysicalConstant-latexDefinition + a sh:PropertyShape ; + sh:path qudt:latexDefinition ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; +. +qudt:PhysicalConstant-latexSymbol + a sh:PropertyShape ; + sh:path qudt:latexSymbol ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:PhysicalConstant-mathMLdefinition + a sh:PropertyShape ; + sh:path qudt:mathMLdefinition ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:PhysicalConstant-normativeReference + a sh:PropertyShape ; + sh:path qudt:normativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; +. +qudt:PhysicalConstant-symbol + a sh:PropertyShape ; + sh:path qudt:symbol ; + rdfs:isDefinedBy ; +. +qudt:PhysicalConstant-ucumCode + a sh:PropertyShape ; + sh:path qudt:ucumCode ; + rdfs:isDefinedBy ; + sh:datatype qudt:UCUMcs ; +. +qudt:PlaneAngleUnit + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Plane Angle Unit" ; + rdfs:subClassOf qudt:AngleUnit ; +. +qudt:Prefix + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Prefix" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:Prefix-exactMatch ; + sh:property qudt:Prefix-latexSymbol ; + sh:property qudt:Prefix-prefixMultiplier ; + sh:property qudt:Prefix-symbol ; + sh:property qudt:Prefix-ucumCode ; +. +qudt:Prefix-exactMatch + a sh:PropertyShape ; + sh:path qudt:exactMatch ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; +. +qudt:Prefix-latexSymbol + a sh:PropertyShape ; + sh:path qudt:latexSymbol ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:Prefix-prefixMultiplier + a sh:PropertyShape ; + sh:path qudt:prefixMultiplier ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; +. +qudt:Prefix-symbol + a sh:PropertyShape ; + sh:path qudt:symbol ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:Prefix-ucumCode + a sh:PropertyShape ; + sh:path qudt:ucumCode ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:pattern "[\\x21,\\x23-\\x27,\\x2a,\\x2c,\\x30-\\x3c,\\x3e-\\x5a,\\x5c,\\x5e-\\x7a,\\x7c,\\x7e]+" ; +. +qudt:Quantifiable + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "

Quantifiable ascribes to some thing the capability of being measured, observed, or counted.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Quantifiable" ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:Quantifiable-dataEncoding ; + sh:property qudt:Quantifiable-dataType ; + sh:property qudt:Quantifiable-hasUnit ; + sh:property qudt:Quantifiable-relativeStandardUncertainty ; + sh:property qudt:Quantifiable-standardUncertainty ; + sh:property qudt:Quantifiable-unit ; + sh:property qudt:Quantifiable-value ; +. +qudt:Quantifiable-dataEncoding + a sh:PropertyShape ; + sh:path qudt:dataEncoding ; + rdfs:isDefinedBy ; + sh:class qudt:DataEncoding ; + sh:maxCount 1 ; +. +qudt:Quantifiable-dataType + a sh:PropertyShape ; + sh:path qudt:dataType ; + rdfs:isDefinedBy ; + sh:class qudt:Datatype ; + sh:maxCount 1 ; +. +qudt:Quantifiable-hasUnit + a sh:PropertyShape ; + sh:path qudt:hasUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; +. +qudt:Quantifiable-relativeStandardUncertainty + a sh:PropertyShape ; + sh:path qudt:relativeStandardUncertainty ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; +. +qudt:Quantifiable-standardUncertainty + a sh:PropertyShape ; + sh:path qudt:standardUncertainty ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; +. +qudt:Quantifiable-unit + a sh:PropertyShape ; + sh:path qudt:unit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; +. +qudt:Quantifiable-value + a sh:PropertyShape ; + sh:path qudt:value ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Quantity + a rdfs:Class ; + a sh:NodeShape ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quantity"^^xsd:anyURI ; + rdfs:comment """

A quantity is the measurement of an observable property of a particular object, event, or physical system. A quantity is always associated with the context of measurement (i.e. the thing measured, the measured value, the accuracy of measurement, etc.) whereas the underlying quantity kind is independent of any particular measurement. Thus, length is a quantity kind while the height of a rocket is a specific quantity of length; its magnitude that may be expressed in meters, feet, inches, etc. Examples of physical quantities include physical constants, such as the speed of light in a vacuum, Planck's constant, the electric permittivity of free space, and the fine structure constant.

+ +

In other words, quantities are quantifiable aspects of the world, such as the duration of a movie, the distance between two points, velocity of a car, the pressure of the atmosphere, and a person's weight; and units are used to describe their numerical measure. + +

Many quantity kinds are related to each other by various physical laws, and as a result, the associated units of some quantity kinds can be expressed as products (or ratios) of powers of other quantity kinds (e.g., momentum is mass times velocity and velocity is defined as distance divided by time). In this way, some quantities can be calculated from other measured quantities using their associations to the quantity kinds in these expressions. These quantity kind relationships are also discussed in dimensional analysis. Those that cannot be so expressed can be regarded as \"fundamental\" in this sense.

+

A quantity is distinguished from a \"quantity kind\" in that the former carries a value and the latter is a type specifier.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Quantity" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Quantifiable ; + sh:property qudt:Quantity-hasQuantityKind ; + sh:property qudt:Quantity-isDeltaQuantity ; + sh:property qudt:Quantity-quantityValue ; +. +qudt:Quantity-hasQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; +. +qudt:Quantity-isDeltaQuantity + a sh:PropertyShape ; + sh:path qudt:isDeltaQuantity ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; +. +qudt:Quantity-quantityValue + a sh:PropertyShape ; + sh:path qudt:quantityValue ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityValue ; +. +qudt:QuantityKind + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=112-01-04"^^xsd:anyURI ; + rdfs:comment "A Quantity Kind is any observable property that can be measured and quantified numerically. Familiar examples include physical properties such as length, mass, time, force, energy, power, electric charge, etc. Less familiar examples include currency, interest rate, price to earning ratio, and information capacity."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Quantity Kind" ; + rdfs:subClassOf qudt:AbstractQuantityKind ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:QuantityKind-applicableCGSUnit ; + sh:property qudt:QuantityKind-applicableISOUnit ; + sh:property qudt:QuantityKind-applicableImperialUnit ; + sh:property qudt:QuantityKind-applicableSIUnit ; + sh:property qudt:QuantityKind-applicableUSCustomaryUnit ; + sh:property qudt:QuantityKind-applicableUnit ; + sh:property qudt:QuantityKind-baseCGSUnitDimensions ; + sh:property qudt:QuantityKind-baseISOUnitDimensions ; + sh:property qudt:QuantityKind-baseImperialUnitDimensions ; + sh:property qudt:QuantityKind-baseSIUnitDimensions ; + sh:property qudt:QuantityKind-baseUSCustomaryUnitDimensions ; + sh:property qudt:QuantityKind-belongsToSystemOfQuantities ; + sh:property qudt:QuantityKind-dimensionVectorForSI ; + sh:property qudt:QuantityKind-exactMatch ; + sh:property qudt:QuantityKind-expression ; + sh:property qudt:QuantityKind-generalization ; + sh:property qudt:QuantityKind-hasDimensionVector ; + sh:property qudt:QuantityKind-latexDefinition ; + sh:property qudt:QuantityKind-mathMLdefinition ; + sh:property qudt:QuantityKind-qkdvDenominator ; + sh:property qudt:QuantityKind-qkdvNumerator ; +. +qudt:QuantityKind-applicableCGSUnit + a sh:PropertyShape ; + sh:path qudt:applicableCGSUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-applicableISOUnit + a sh:PropertyShape ; + sh:path qudt:applicableISOUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-applicableImperialUnit + a sh:PropertyShape ; + sh:path qudt:applicableImperialUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-applicableSIUnit + a sh:PropertyShape ; + sh:path qudt:applicableSIUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-applicableUSCustomaryUnit + a sh:PropertyShape ; + sh:path qudt:applicableUSCustomaryUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-applicableUnit + a sh:PropertyShape ; + sh:path qudt:applicableUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; +. +qudt:QuantityKind-baseCGSUnitDimensions + a sh:PropertyShape ; + sh:path qudt:baseCGSUnitDimensions ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:QuantityKind-baseISOUnitDimensions + a sh:PropertyShape ; + sh:path qudt:baseISOUnitDimensions ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:QuantityKind-baseImperialUnitDimensions + a sh:PropertyShape ; + sh:path qudt:baseImperialUnitDimensions ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:QuantityKind-baseSIUnitDimensions + a sh:PropertyShape ; + sh:path qudt:baseSIUnitDimensions ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:QuantityKind-baseUSCustomaryUnitDimensions + a sh:PropertyShape ; + sh:path qudt:baseUSCustomaryUnitDimensions ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:QuantityKind-belongsToSystemOfQuantities + a sh:PropertyShape ; + sh:path qudt:belongsToSystemOfQuantities ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfQuantityKinds ; +. +qudt:QuantityKind-dimensionVectorForSI + a sh:PropertyShape ; + sh:path qudt:dimensionVectorForSI ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector_SI ; + sh:maxCount 1 ; +. +qudt:QuantityKind-exactMatch + a sh:PropertyShape ; + sh:path qudt:exactMatch ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; +. +qudt:QuantityKind-expression + a sh:PropertyShape ; + sh:path qudt:expression ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:QuantityKind-generalization + a sh:PropertyShape ; + sh:path qudt:generalization ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; +. +qudt:QuantityKind-hasDimensionVector + a sh:PropertyShape ; + sh:path qudt:hasDimensionVector ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:severity sh:Info ; +. +qudt:QuantityKind-latexDefinition + a sh:PropertyShape ; + sh:path qudt:latexDefinition ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; +. +qudt:QuantityKind-mathMLdefinition + a sh:PropertyShape ; + sh:path qudt:mathMLdefinition ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:QuantityKind-qkdvDenominator + a sh:PropertyShape ; + sh:path qudt:qkdvDenominator ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; +. +qudt:QuantityKind-qkdvNumerator + a sh:PropertyShape ; + sh:path qudt:qkdvNumerator ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; +. +qudt:QuantityKindDimensionVector + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI ; + qudt:informativeReference "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; + rdfs:comment """

A Quantity Kind Dimension Vector describes the dimensionality of a quantity kind in the context of a system of units. In the SI system of units, the dimensions of a quantity kind are expressed as a product of the basic physical dimensions mass (\\(M\\)), length (\\(L\\)), time (\\(T\\)) current (\\(I\\)), amount of substance (\\(N\\)), luminous intensity (\\(J\\)) and absolute temperature (\\(\\theta\\)) as \\(dim \\, Q = L^{\\alpha} \\, M^{\\beta} \\, T^{\\gamma} \\, I ^{\\delta} \\, \\theta ^{\\epsilon} \\, N^{\\eta} \\, J ^{\\nu}\\).

+ +

The rational powers of the dimensional exponents, \\(\\alpha, \\, \\beta, \\, \\gamma, \\, \\delta, \\, \\epsilon, \\, \\eta, \\, \\nu\\), are positive, negative, or zero.

+ +

For example, the dimension of the physical quantity kind \\(\\it{speed}\\) is \\(\\boxed{length/time}\\), \\(L/T\\) or \\(LT^{-1}\\), and the dimension of the physical quantity kind force is \\(\\boxed{mass \\times acceleration}\\) or \\(\\boxed{mass \\times (length/time)/time}\\), \\(ML/T^2\\) or \\(MLT^{-2}\\) respectively.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Quantity Kind Dimension Vector" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForLength ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForMass ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForTime ; + sh:property qudt:QuantityKindDimensionVector-dimensionlessExponent ; + sh:property qudt:QuantityKindDimensionVector-hasReferenceQuantityKind ; + sh:property qudt:QuantityKindDimensionVector-latexDefinition ; + sh:property qudt:QuantityKindDimensionVector-latexSymbol ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForAmountOfSubstance ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForElectricCurrent ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForLength + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForLength ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForLuminousIntensity ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForMass + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForMass ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForThermodynamicTemperature ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForTime + a sh:PropertyShape ; + sh:path qudt:dimensionExponentForTime ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-dimensionlessExponent + a sh:PropertyShape ; + sh:path qudt:dimensionlessExponent ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:QuantityKindDimensionVector-hasReferenceQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasReferenceQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; +. +qudt:QuantityKindDimensionVector-latexDefinition + a sh:PropertyShape ; + sh:path qudt:latexDefinition ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; +. +qudt:QuantityKindDimensionVector-latexSymbol + a sh:PropertyShape ; + sh:path qudt:latexSymbol ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:QuantityKindDimensionVector_CGS + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A CGS Dimension Vector is used to specify the dimensions for a C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "CGS Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector ; +. +qudt:QuantityKindDimensionVector_CGS-EMU + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A CGS EMU Dimension Vector is used to specify the dimensions for EMU C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "CGS EMU Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; +. +qudt:QuantityKindDimensionVector_CGS-ESU + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A CGS ESU Dimension Vector is used to specify the dimensions for ESU C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "CGS ESU Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; +. +qudt:QuantityKindDimensionVector_CGS-GAUSS + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A CGS GAUSS Dimension Vector is used to specify the dimensions for Gaussioan C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "CGS GAUSS Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; +. +qudt:QuantityKindDimensionVector_CGS-LH + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A CGS LH Dimension Vector is used to specify the dimensions for Lorentz-Heaviside C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "CGS LH Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; +. +qudt:QuantityKindDimensionVector_ISO + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "ISO Dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector ; +. +qudt:QuantityKindDimensionVector_Imperial + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Imperial dimension vector" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector ; +. +qudt:QuantityKindDimensionVector_SI + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Quantity Kind Dimension vector (SI)" ; + rdfs:subClassOf qudt:QuantityKindDimensionVector ; +. +qudt:QuantityType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "\\(\\textit{Quantity Type}\\) is an enumeration of quanity kinds. It specializes \\(\\boxed{dtype:EnumeratedValue}\\) by constrinaing \\(\\boxed{dtype:value}\\) to instances of \\(\\boxed{qudt:QuantityKind}\\)."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Quantity type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:QuantityType-value ; +. +qudt:QuantityType-value + a sh:PropertyShape ; + sh:path dtype:value ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; +. +qudt:QuantityValue + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A Quantity Value expresses the magnitude and kind of a quantity and is given by the product of a numerical value n and a unit of measure U. The number multiplying the unit is referred to as the numerical value of the quantity expressed in that unit. Refer to NIST SP 811 section 7 for more on quantity values."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Quantity value" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Quantifiable ; + sh:property qudt:QuantityValue-hasUnit ; + sh:property qudt:QuantityValue-unit ; +. +qudt:QuantityValue-hasUnit + a sh:PropertyShape ; + sh:path qudt:hasUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; +. +qudt:QuantityValue-unit + a sh:PropertyShape ; + sh:path qudt:unit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; +. +qudt:RatioScale + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "The ratio type takes its name from the fact that measurement is the estimation of the ratio between a magnitude of a continuous quantity and a unit magnitude of the same kind (Michell, 1997, 1999). A ratio scale possesses a meaningful (unique and non-arbitrary) zero value. Most measurement in the physical sciences and engineering is done on ratio scales. Examples include mass, length, duration, plane angle, energy and electric charge. In contrast to interval scales, ratios are now meaningful because having a non-arbitrary zero point makes it meaningful to say, for example, that one object has \"twice the length\" of another (= is \"twice as long\"). Very informally, many ratio scales can be described as specifying \"how much\" of something (i.e. an amount or magnitude) or \"how many\" (a count). The Kelvin temperature scale is a ratio scale because it has a unique, non-arbitrary zero point called absolute zero."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Ratio scale" ; + rdfs:seeAlso qudt:IntervalScale ; + rdfs:seeAlso qudt:NominalScale ; + rdfs:seeAlso qudt:OrdinalScale ; + rdfs:subClassOf qudt:Scale ; +. +qudt:Rule + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Rule" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:Rule-example ; + sh:property qudt:Rule-rationale ; + sh:property qudt:Rule-ruleType ; +. +qudt:Rule-example + a sh:PropertyShape ; + sh:path qudt:example ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:Rule-rationale + a sh:PropertyShape ; + sh:path qudt:rationale ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; + sh:minCount 0 ; +. +qudt:Rule-ruleType + a sh:PropertyShape ; + sh:path qudt:ruleType ; + rdfs:isDefinedBy ; + sh:class qudt:RuleType ; +. +qudt:RuleType + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Rule Type" ; + rdfs:subClassOf qudt:EnumeratedValue ; +. +qudt:SIGNED + a qudt:SignednessType ; + dtype:literal "signed" ; + rdfs:isDefinedBy ; + rdfs:label "Signed" ; +. +qudt:ScalarDatatype + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "Scalar data types are those that have a single value. The permissible values are defined over a domain that may be integers, float, character or boolean. Often a scalar data type is referred to as a primitive data type." ; + rdfs:isDefinedBy ; + rdfs:label "Scalar Datatype" ; + rdfs:subClassOf qudt:Datatype ; + sh:property qudt:ScalarDatatype-bits ; + sh:property qudt:ScalarDatatype-bytes ; + sh:property qudt:ScalarDatatype-length ; + sh:property qudt:ScalarDatatype-maxExclusive ; + sh:property qudt:ScalarDatatype-maxInclusive ; + sh:property qudt:ScalarDatatype-minExclusive ; + sh:property qudt:ScalarDatatype-minInclusive ; + sh:property qudt:ScalarDatatype-rdfsDatatype ; +. +qudt:ScalarDatatype-bits + a sh:PropertyShape ; + sh:path qudt:bits ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-bytes + a sh:PropertyShape ; + sh:path qudt:bytes ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-length + a sh:PropertyShape ; + sh:path qudt:length ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-maxExclusive + a sh:PropertyShape ; + sh:path qudt:maxExclusive ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-maxInclusive + a sh:PropertyShape ; + sh:path qudt:maxInclusive ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-minExclusive + a sh:PropertyShape ; + sh:path qudt:minExclusive ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-minInclusive + a sh:PropertyShape ; + sh:path qudt:minInclusive ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:ScalarDatatype-rdfsDatatype + a sh:PropertyShape ; + sh:path qudt:rdfsDatatype ; + rdfs:isDefinedBy ; + sh:class rdfs:Datatype ; + sh:maxCount 1 ; +. +qudt:Scale + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "Scales (also called \"scales of measurement\" or \"levels of measurement\") are expressions that typically refer to the theory of scale types."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Scale" ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Scale-dataStructure ; + sh:property qudt:Scale-permissibleMaths ; + sh:property qudt:Scale-permissibleTransformation ; + sh:property qudt:Scale-scaleType ; +. +qudt:Scale-dataStructure + a sh:PropertyShape ; + sh:path qudt:dataStructure ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Scale-permissibleMaths + a sh:PropertyShape ; + sh:path qudt:permissibleMaths ; + rdfs:isDefinedBy ; + sh:class qudt:MathsFunctionType ; +. +qudt:Scale-permissibleTransformation + a sh:PropertyShape ; + sh:path qudt:permissibleTransformation ; + rdfs:isDefinedBy ; + sh:class qudt:TransformType ; +. +qudt:Scale-scaleType + a sh:PropertyShape ; + sh:path qudt:scaleType ; + rdfs:isDefinedBy ; + sh:class qudt:ScaleType ; + sh:maxCount 1 ; +. +qudt:ScaleType + a rdfs:Class ; + a sh:NodeShape ; + qudt:plainTextDescription "Scales, or scales of measurement (or categorization) provide ways of quantifying measurements, values and other enumerated values according to a normative frame of reference. Four different types of scales are typically used. These are interval, nominal, ordinal and ratio scales." ; + rdfs:isDefinedBy ; + rdfs:label "Scale type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:ScaleType-dataStructure ; + sh:property qudt:ScaleType-permissibleMaths ; + sh:property qudt:ScaleType-permissibleTransformation ; +. +qudt:ScaleType-dataStructure + a sh:PropertyShape ; + sh:path qudt:dataStructure ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:ScaleType-permissibleMaths + a sh:PropertyShape ; + sh:path qudt:permissibleMaths ; + rdfs:isDefinedBy ; + sh:class qudt:MathsFunctionType ; +. +qudt:ScaleType-permissibleTransformation + a sh:PropertyShape ; + sh:path qudt:permissibleTransformation ; + rdfs:isDefinedBy ; + sh:class qudt:TransformType ; +. +qudt:ShortSignedIntegerEncoding + a qudt:IntegerEncodingType ; + qudt:bytes 2 ; + rdfs:isDefinedBy ; + rdfs:label "Short Signed Integer Encoding" ; +. +qudt:ShortUnsignedIntegerEncoding + a qudt:BooleanEncodingType ; + a qudt:IntegerEncodingType ; + qudt:bytes 2 ; + rdfs:isDefinedBy ; + rdfs:label "Short Unsigned Integer Encoding" ; +. +qudt:SignedIntegerEncoding + a qudt:IntegerEncodingType ; + qudt:bytes 4 ; + rdfs:isDefinedBy ; + rdfs:label "Signed Integer Encoding" ; +. +qudt:SignednessType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "Specifics whether a value should be signed or unsigned." ; + rdfs:isDefinedBy ; + rdfs:label "Signedness type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ + a sh:PropertyShape ; + sh:path [ + sh:inversePath rdf:type ; + ] ; + rdfs:isDefinedBy ; + sh:in ( + qudt:SIGNED + qudt:UNSIGNED + ) ; + ] ; +. +qudt:SinglePrecisionRealEncoding + a qudt:FloatingPointEncodingType ; + qudt:bytes 32 ; + rdfs:isDefinedBy ; + rdfs:label "Single Precision Real Encoding" ; +. +qudt:SolidAngleUnit + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; + rdfs:isDefinedBy ; + rdfs:label "Solid Angle Unit" ; + rdfs:subClassOf qudt:AngleUnit ; +. +qudt:Statement + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Statement" ; + rdfs:subClassOf rdf:Statement ; +. +qudt:StringEncodingType + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A \"Encoding\" with the following instance(s): \"UTF-16 String\", \"UTF-8 Encoding\"." ; + rdfs:isDefinedBy ; + rdfs:label "String Encoding Type" ; + rdfs:subClassOf qudt:Encoding ; +. +qudt:StructuredDatatype + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A \"Structured Datatype\", in contrast to scalar data types, is used to characterize classes of more complex data structures, such as linked or indexed lists, trees, ordered trees, and multi-dimensional file formats." ; + rdfs:isDefinedBy ; + rdfs:label "Structured Data Type" ; + rdfs:subClassOf qudt:Datatype ; + sh:property qudt:StructuredDatatype-elementType ; +. +qudt:StructuredDatatype-elementType + a sh:PropertyShape ; + sh:path qudt:elementType ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; +. +qudt:Symbol + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Symbol" ; + rdfs:subClassOf qudt:Concept ; +. +qudt:SystemOfQuantityKinds + a rdfs:Class ; + a sh:NodeShape ; + rdfs:comment "A system of quantity kinds is a set of one or more quantity kinds together with a set of zero or more algebraic equations that define relationships between quantity kinds in the set. In the physical sciences, the equations relating quantity kinds are typically physical laws and definitional relations, and constants of proportionality. Examples include Newton’s First Law of Motion, Coulomb’s Law, and the definition of velocity as the instantaneous change in position. In almost all cases, the system identifies a subset of base quantity kinds. The base set is chosen so that all other quantity kinds of interest can be derived from the base quantity kinds and the algebraic equations. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind. From a scientific point of view, the division of quantities into base quantities and derived quantities is a matter of convention."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "System of Quantity Kinds" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:SystemOfQuantityKinds-baseDimensionEnumeration ; + sh:property qudt:SystemOfQuantityKinds-hasBaseQuantityKind ; + sh:property qudt:SystemOfQuantityKinds-hasQuantityKind ; + sh:property qudt:SystemOfQuantityKinds-hasUnitSystem ; + sh:property qudt:SystemOfQuantityKinds-systemDerivedQuantityKind ; + sh:property [] ; +. +qudt:SystemOfQuantityKinds-baseDimensionEnumeration + a sh:PropertyShape ; + sh:path qudt:baseDimensionEnumeration ; + rdfs:isDefinedBy ; + sh:class qudt:Enumeration ; + sh:maxCount 1 ; +. +qudt:SystemOfQuantityKinds-hasBaseQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasBaseQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; +. +qudt:SystemOfQuantityKinds-hasQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; +. +qudt:SystemOfQuantityKinds-hasUnitSystem + a sh:PropertyShape ; + sh:path qudt:hasUnitSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:maxCount 1 ; +. +qudt:SystemOfQuantityKinds-informativeReference + a sh:PropertyShape ; + sh:path qudt:informativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:SystemOfQuantityKinds-systemDerivedQuantityKind + a sh:PropertyShape ; + sh:path qudt:systemDerivedQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; +. +qudt:SystemOfUnits + a rdfs:Class ; + a sh:NodeShape ; + qudt:informativeReference "http://dbpedia.org/resource/Category:Systems_of_units"^^xsd:anyURI ; + qudt:informativeReference "http://www.ieeeghn.org/wiki/index.php/System_of_Measurement_Units"^^xsd:anyURI ; + rdfs:comment "A system of units is a set of units which are chosen as the reference scales for some set of quantity kinds together with the definitions of each unit. Units may be defined by experimental observation or by proportion to another unit not included in the system. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "System of Units" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:SystemOfUnits-applicablePhysicalConstant ; + sh:property qudt:SystemOfUnits-hasAllowedUnit ; + sh:property qudt:SystemOfUnits-hasBaseUnit ; + sh:property qudt:SystemOfUnits-hasCoherentUnit ; + sh:property qudt:SystemOfUnits-hasDefinedUnit ; + sh:property qudt:SystemOfUnits-hasDerivedCoherentUnit ; + sh:property qudt:SystemOfUnits-hasDerivedUnit ; + sh:property qudt:SystemOfUnits-hasUnit ; + sh:property qudt:SystemOfUnits-prefix ; +. +qudt:SystemOfUnits-applicablePhysicalConstant + a sh:PropertyShape ; + sh:path qudt:applicablePhysicalConstant ; + rdfs:isDefinedBy ; + sh:class qudt:PhysicalConstant ; +. +qudt:SystemOfUnits-hasAllowedUnit + a sh:PropertyShape ; + sh:path qudt:hasAllowedUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasBaseUnit + a sh:PropertyShape ; + sh:path qudt:hasBaseUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasCoherentUnit + a sh:PropertyShape ; + sh:path qudt:hasCoherentUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasDefinedUnit + a sh:PropertyShape ; + sh:path qudt:hasDefinedUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasDerivedCoherentUnit + a sh:PropertyShape ; + sh:path qudt:hasDerivedCoherentUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasDerivedUnit + a sh:PropertyShape ; + sh:path qudt:hasDerivedUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-hasUnit + a sh:PropertyShape ; + sh:path qudt:hasUnit ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:SystemOfUnits-prefix + a sh:PropertyShape ; + sh:path qudt:prefix ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; +. +qudt:TotallyOrdered + a qudt:OrderedType ; + qudt:literal "total" ; + qudt:plainTextDescription "Totally ordered structure." ; + rdfs:isDefinedBy ; + rdfs:label "Totally Ordered" ; +. +qudt:TransformType + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Transform type" ; + rdfs:subClassOf qudt:EnumeratedValue ; + skos:prefLabel "Transform type" ; +. +qudt:UCUMcs + a rdfs:Datatype ; + a sh:NodeShape ; + dcterms:source ; + rdfs:comment "Lexical pattern for the case-sensitive version of UCUM code" ; + rdfs:isDefinedBy ; + rdfs:label "case-sensitive UCUM code" ; + rdfs:seeAlso ; + rdfs:subClassOf xsd:string ; +. +qudt:UNSIGNED + a qudt:SignednessType ; + dtype:literal "unsigned" ; + rdfs:isDefinedBy ; + rdfs:label "Unsigned" ; +. +qudt:UTF16-StringEncoding + a qudt:StringEncodingType ; + rdfs:isDefinedBy ; + rdfs:label "UTF-16 String" ; +. +qudt:UTF8-StringEncoding + a qudt:StringEncodingType ; + qudt:bytes 8 ; + rdfs:isDefinedBy ; + rdfs:label "UTF-8 Encoding" ; +. +qudt:Unit + a rdfs:Class ; + a sh:NodeShape ; + dcterms:description "A unit of measure, or unit, is a particular quantity value that has been chosen as a scale for measuring other quantities the same kind (more generally of equivalent dimension). For example, the meter is a quantity of length that has been rigorously defined and standardized by the BIPM (International Board of Weights and Measures). Any measurement of the length can be expressed as a number multiplied by the unit meter. More formally, the value of a physical quantity Q with respect to a unit (U) is expressed as the scalar multiple of a real number (n) and U, as \\(Q = nU\\)."^^qudt:LatexString ; + qudt:informativeReference "http://dbpedia.org/resource/Category:Units_of_measure"^^xsd:anyURI ; + qudt:informativeReference "http://www.allmeasures.com/Fullconversion.asp"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Unit" ; + rdfs:subClassOf qudt:Concept ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:Unit-applicableSystem ; + sh:property qudt:Unit-conversionMultiplier ; + sh:property qudt:Unit-conversionOffset ; + sh:property qudt:Unit-definedUnitOfSystem ; + sh:property qudt:Unit-derivedCoherentUnitOfSystem ; + sh:property qudt:Unit-derivedUnitOfSystem ; + sh:property qudt:Unit-exactMatch ; + sh:property qudt:Unit-expression ; + sh:property qudt:Unit-hasDimensionVector ; + sh:property qudt:Unit-hasQuantityKind ; + sh:property qudt:Unit-iec61360Code ; + sh:property qudt:Unit-latexDefinition ; + sh:property qudt:Unit-latexSymbol ; + sh:property qudt:Unit-mathMLdefinition ; + sh:property qudt:Unit-omUnit ; + sh:property qudt:Unit-prefix ; + sh:property qudt:Unit-qkdvDenominator ; + sh:property qudt:Unit-qkdvNumerator ; + sh:property qudt:Unit-siUnitsExpression ; + sh:property qudt:Unit-symbol ; + sh:property qudt:Unit-ucumCode ; + sh:property qudt:Unit-udunitsCode ; + sh:property qudt:Unit-uneceCommonCode ; + sh:property qudt:Unit-unitOfSystem ; +. +qudt:Unit-applicableSystem + a sh:PropertyShape ; + sh:path qudt:applicableSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:Unit-conversionMultiplier + a sh:PropertyShape ; + sh:path qudt:conversionMultiplier ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( + [ + sh:datatype xsd:decimal ; + ] + [ + sh:datatype xsd:double ; + ] + [ + sh:datatype xsd:float ; + ] + ) ; +. +qudt:Unit-conversionOffset + a sh:PropertyShape ; + sh:path qudt:conversionOffset ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( + [ + sh:datatype xsd:decimal ; + ] + [ + sh:datatype xsd:double ; + ] + [ + sh:datatype xsd:float ; + ] + ) ; +. +qudt:Unit-definedUnitOfSystem + a sh:PropertyShape ; + sh:path qudt:definedUnitOfSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:Unit-derivedCoherentUnitOfSystem + a sh:PropertyShape ; + sh:path qudt:derivedCoherentUnitOfSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:Unit-derivedUnitOfSystem + a sh:PropertyShape ; + sh:path qudt:derivedUnitOfSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:Unit-exactMatch + a sh:PropertyShape ; + sh:path qudt:exactMatch ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; +. +qudt:Unit-expression + a sh:PropertyShape ; + sh:path qudt:expression ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:Unit-hasDimensionVector + a sh:PropertyShape ; + sh:path qudt:hasDimensionVector ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:Unit-hasQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:severity sh:Info ; +. +qudt:Unit-iec61360Code + a sh:PropertyShape ; + sh:path qudt:iec61360Code ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; +. +qudt:Unit-latexDefinition + a sh:PropertyShape ; + sh:path qudt:latexDefinition ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:Unit-latexSymbol + a sh:PropertyShape ; + sh:path qudt:latexSymbol ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; +. +qudt:Unit-mathMLdefinition + a sh:PropertyShape ; + sh:path qudt:mathMLdefinition ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; +. +qudt:Unit-omUnit + a sh:PropertyShape ; + sh:path qudt:omUnit ; + rdfs:isDefinedBy ; +. +qudt:Unit-prefix + a sh:PropertyShape ; + sh:path qudt:prefix ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; + sh:maxCount 1 ; +. +qudt:Unit-qkdvDenominator + a sh:PropertyShape ; + sh:path qudt:qkdvDenominator ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; +. +qudt:Unit-qkdvNumerator + a sh:PropertyShape ; + sh:path qudt:qkdvNumerator ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; +. +qudt:Unit-siUnitsExpression + a sh:PropertyShape ; + sh:path qudt:siUnitsExpression ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:minCount 0 ; +. +qudt:Unit-symbol + a sh:PropertyShape ; + sh:path qudt:symbol ; + rdfs:isDefinedBy ; + sh:minCount 0 ; +. +qudt:Unit-ucumCode + a sh:PropertyShape ; + sh:path qudt:ucumCode ; + rdfs:isDefinedBy ; + sh:datatype qudt:UCUMcs ; + sh:pattern "[\\x21-\\x7e]+" ; +. +qudt:Unit-udunitsCode + a sh:PropertyShape ; + sh:path qudt:udunitsCode ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; +. +qudt:Unit-uneceCommonCode + a sh:PropertyShape ; + sh:path qudt:uneceCommonCode ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; +. +qudt:Unit-unitOfSystem + a sh:PropertyShape ; + sh:path qudt:isUnitOfSystem ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; +. +qudt:Unordered + a qudt:OrderedType ; + qudt:literal "unordered" ; + qudt:plainTextDescription "Unordered structure." ; + rdfs:isDefinedBy ; + rdfs:label "Unordered" ; +. +qudt:UnsignedIntegerEncoding + a qudt:IntegerEncodingType ; + qudt:bytes 4 ; + rdfs:isDefinedBy ; + rdfs:label "Unsigned Integer Encoding" ; +. +qudt:UserQuantityKind + a rdfs:Class ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "User Quantity Kind" ; + rdfs:subClassOf qudt:AbstractQuantityKind ; + sh:property qudt:UserQuantityKind-hasQuantityKind ; +. +qudt:UserQuantityKind-hasQuantityKind + a sh:PropertyShape ; + sh:path qudt:hasQuantityKind ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; + sh:minCount 1 ; +. +qudt:Verifiable + a qudt:AspectClass ; + a sh:NodeShape ; + rdfs:comment "An aspect class that holds properties that provide external knowledge and specifications of a given resource." ; + rdfs:isDefinedBy ; + rdfs:label "Verifiable" ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:Verifiable-dbpediaMatch ; + sh:property qudt:Verifiable-informativeReference ; + sh:property qudt:Verifiable-isoNormativeReference ; + sh:property qudt:Verifiable-normativeReference ; +. +qudt:Verifiable-dbpediaMatch + a sh:PropertyShape ; + sh:path qudt:dbpediaMatch ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:Verifiable-informativeReference + a sh:PropertyShape ; + sh:path qudt:informativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:Verifiable-isoNormativeReference + a sh:PropertyShape ; + sh:path qudt:isoNormativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:Verifiable-normativeReference + a sh:PropertyShape ; + sh:path qudt:normativeReference ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; +. +qudt:Wikipedia + a qudt:Organization ; + rdfs:isDefinedBy ; + rdfs:label "Wikipedia" ; +. +qudt:abbreviation + a rdf:Property ; + dcterms:description "An abbreviation for a unit is a short ASCII string that is used in place of the full name for the unit in contexts where non-ASCII characters would be problematic, or where using the abbreviation will enhance readability. When a power of abase unit needs to be expressed, such as squares this can be done using abbreviations rather than symbols. For example, sq ft means square foot, and cu ft means cubic foot."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "abbreviation" ; +. +qudt:acronym + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "acronym" ; +. +qudt:allowedPattern + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "allowed pattern" ; +. +qudt:allowedUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure with a unit system that does not define the unit, but allows its use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; + dcterms:isReplacedBy qudt:applicableSystem ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "allowed unit of system" ; + rdfs:subPropertyOf qudt:isUnitOfSystem ; +. +qudt:ansiSQLName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "ANSI SQL Name" ; +. +qudt:applicableCGSUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable CGS unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicableISOUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable ISO unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicableImperialUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable Imperial unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicablePhysicalConstant + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable physical constant" ; +. +qudt:applicablePlanckUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable Planck unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicableSIUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable SI unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicableSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure with a unit system that may or may not define the unit, but within which the unit is compatible."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "applicable system" ; +. +qudt:applicableUSCustomaryUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "applicable US Customary unit" ; + rdfs:subPropertyOf qudt:applicableUnit ; +. +qudt:applicableUnit + a rdf:Property ; + dcterms:description "See https://github.com/qudt/qudt-public-repo/wiki/Advanced-User-Guide#4-computing-applicable-units-for-a-quantitykind on how `qudt:applicableUnit` is computed from `qudt:hasQuantityKind` and then materialized"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "applicable unit" ; +. +qudt:baseDimensionEnumeration + a rdf:Property ; + dcterms:description "This property associates a system of quantities with an enumeration that enumerates the base dimensions of the system in canonical order."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "base dimension enumeration" ; +. +qudt:baseUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a base unit for the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "is base unit of system" ; + rdfs:subPropertyOf qudt:coherentUnitOfSystem ; +. +qudt:basis + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "basis" ; +. +qudt:belongsToSystemOfQuantities + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "belongs to system of quantities" ; +. +qudt:bitOrder + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "bit order" ; +. +qudt:bits + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "bits" ; +. +qudt:bounded + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "bounded" ; +. +qudt:byteOrder + a rdf:Property ; + dcterms:description "Byte order is an enumeration of two values: 'Big Endian' and 'Little Endian' and is used to denote whether the most signiticant byte is either first or last, respectively." ; + rdfs:isDefinedBy ; + rdfs:label "byte order" ; +. +qudt:bytes + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "bytes" ; +. +qudt:cName + a rdf:Property ; + rdfs:comment "Datatype name in the C programming language" ; + rdfs:isDefinedBy ; + rdfs:label "C Language name" ; +. +qudt:cardinality + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "cardinality" ; +. +qudt:categorizedAs + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "categorized as" ; +. +qudt:citation + a rdf:Property ; + qudt:plainTextDescription "Used to provide an annotation for an informative reference." ; + rdfs:isDefinedBy ; + rdfs:label "citation" ; +. +qudt:code + a rdf:Property ; + dcterms:description "A code is a string that uniquely identifies a QUDT concept. The use of this property has been deprecated."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "code" ; +. +qudt:coherentUnitOfSystem + a rdf:Property ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one. A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. For example, the 'newton' and the 'joule'. These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per second per second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per second per second, and the work done by 1 dyne acting over 1 centimetre. So \\(1 newton = 10^5\\,dyne\\), \\(1 joule = 10^7\\,erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein."^^qudt:LatexString ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "is coherent unit of system" ; + rdfs:subPropertyOf qudt:definedUnitOfSystem ; +. +qudt:coherentUnitSystem + a rdf:Property ; + dcterms:description "

A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. In such a coherent system, no numerical factor other than the number 1 ever occurs in the expressions for the derived units in terms of the base units. For example, the \\(newton\\) and the \\(joule\\). These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per (1) second per (1) second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per (1) second per (1) second, and the work done by 1 dyne acting over 1 centimetre. So \\(1\\,newton = 10^5 dyne\\), \\(1 joule = 10^7 erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein.

"^^qudt:LatexString ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Coherence_(units_of_measurement)"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "coherent unit system" ; + rdfs:subPropertyOf qudt:hasUnitSystem ; +. +qudt:conversionMultiplier + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "conversion multiplier" ; +. +qudt:conversionOffset + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "conversion offset" ; +. +qudt:currencyCode + a rdf:Property ; + dcterms:description "Alphabetic Currency Code as defined by ISO 4217. For example, the currency code for the US dollar is USD."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "currency code" ; +. +qudt:currencyExponent + a rdf:Property ; + dcterms:description "The currency exponent indicates the number of decimal places between a major currency unit and its minor currency unit. For example, the US dollar is the major currency unit of the United States, and the US cent is the minor currency unit. Since one cent is 1/100 of a dollar, the US dollar has a currency exponent of 2. However, the Japanese Yen has no minor currency units, so the yen has a currency exponent of 0."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "currency exponent" ; +. +qudt:currencyNumber + a rdf:Property ; + dcterms:description "Numeric Currency Code as defined by ISO 4217. For example, the currency number for the US dollar is 840."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "currency number" ; +. +qudt:dataEncoding + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "data encoding" ; +. +qudt:dataStructure + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "data structure" ; +. +qudt:dataType + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "datatype" ; +. +qudt:dbpediaMatch + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dbpedia match" ; +. +qudt:default + a rdf:Property ; + dcterms:description "The default element in an enumeration"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "default" ; +. +qudt:definedUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure with the unit system that defines the unit."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "defined unit of system" ; + rdfs:subPropertyOf qudt:isUnitOfSystem ; +. +qudt:denominatorDimensionVector + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "denominator dimension vector" ; +. +qudt:deprecated + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "deprecated" ; +. +qudt:derivedCoherentUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units with a proportionality constant of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "is coherent derived unit of system" ; + rdfs:subPropertyOf qudt:coherentUnitOfSystem ; + rdfs:subPropertyOf qudt:derivedUnitOfSystem ; +. +qudt:derivedNonCoherentUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units without proportionality constant of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "is non-coherent derived unit of system" ; + rdfs:subPropertyOf qudt:derivedUnitOfSystem ; +. +qudt:derivedQuantityKindOfSystem + a rdf:Property ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "derived quantity kind of system" ; +. +qudt:derivedUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a derived unit. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "is derived unit of system" ; + rdfs:subPropertyOf qudt:isUnitOfSystem ; +. +qudt:dimensionExponent + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent" ; +. +qudt:dimensionExponentForAmountOfSubstance + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for amount of substance" ; +. +qudt:dimensionExponentForElectricCurrent + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for electric current" ; +. +qudt:dimensionExponentForLength + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for length" ; +. +qudt:dimensionExponentForLuminousIntensity + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for luminous intensity" ; +. +qudt:dimensionExponentForMass + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for mass" ; +. +qudt:dimensionExponentForThermodynamicTemperature + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for thermodynamic temperature" ; +. +qudt:dimensionExponentForTime + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension exponent for time" ; +. +qudt:dimensionInverse + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension inverse" ; +. +qudt:dimensionVectorForSI + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension vector for SI" ; +. +qudt:dimensionlessExponent + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimensionless exponent" ; +. +qudt:element + a rdf:Property ; + dcterms:description "An element of an enumeration"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "element" ; +. +qudt:elementKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "element kind" ; +. +qudt:elementType + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "element type" ; +. +qudt:encoding + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "encoding" ; +. +qudt:exactConstant + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "exact constant" ; +. +qudt:exactMatch + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "exact match" ; +. +qudt:example + a rdf:Property ; + rdfs:comment "The 'qudt:example' property is used to annotate an instance of a class with a reference to a concept that is an example. The type of this property is 'rdf:Property'. This allows both scalar and object ranges."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "example" ; +. +qudt:expression + a rdf:Property ; + dcterms:description "An 'expression' is a finite combination of symbols that are well-formed according to rules that apply to units of measure, quantity kinds and their dimensions."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "expression" ; +. +qudt:fieldCode + a rdf:Property ; + qudt:plainTextDescription "A field code is a generic property for representing unique codes that make up other identifers. For example each QuantityKind class caries a domain code as its field code." ; + rdfs:isDefinedBy ; + rdfs:label "field code" ; +. +qudt:figure + a rdf:Property ; + dcterms:description "Provides a link to an image."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "figure" ; +. +qudt:figureCaption + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "figure caption" ; +. +qudt:figureLabel + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "figure label" ; +. +qudt:floatPercentage + a rdfs:Datatype ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "float percentage" ; + rdfs:subClassOf xsd:float ; + owl:equivalentClass [ + a rdfs:Datatype ; + owl:onDatatype xsd:float ; + owl:withRestrictions ( + [ + xsd:minInclusive "0.00"^^xsd:float ; + ] + [ + xsd:maxInclusive "100.00"^^xsd:float ; + ] + ) ; + ] ; +. +qudt:generalization + a rdf:Property ; + dcterms:description "This deprecated property was intended to relate a quantity kind to its generalization."^^rdf:HTML ; + dcterms:isReplacedBy skos:broader ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "generalization" ; +. +qudt:guidance + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "guidance" ; +. +qudt:hasAllowedUnit + a rdf:Property ; + dcterms:description "This property relates a unit system with a unit of measure that is not defined by or part of the system, but is allowed for use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "allowed unit" ; + rdfs:subPropertyOf qudt:hasUnit ; +. +qudt:hasBaseQuantityKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has base quantity kind" ; + rdfs:subPropertyOf qudt:hasQuantityKind ; +. +qudt:hasBaseUnit + a rdf:Property ; + dcterms:description "This property relates a system of units to a base unit defined within the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "base unit" ; + rdfs:subPropertyOf qudt:hasCoherentUnit ; +. +qudt:hasCoherentUnit + a rdf:Property ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "coherent unit" ; + rdfs:subPropertyOf qudt:hasDefinedUnit ; +. +qudt:hasDefinedUnit + a rdf:Property ; + dcterms:description "This property relates a unit system with a unit of measure that is defined by the system."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "defined unit" ; + rdfs:subPropertyOf qudt:hasUnit ; +. +qudt:hasDenominatorPart + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has quantity kind dimension vector denominator part" ; +. +qudt:hasDerivedCoherentUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "derived coherent unit" ; + rdfs:subPropertyOf qudt:hasCoherentUnit ; + rdfs:subPropertyOf qudt:hasDerivedUnit ; +. +qudt:hasDerivedNonCoherentUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has coherent derived unit" ; + rdfs:subPropertyOf qudt:hasDerivedUnit ; +. +qudt:hasDerivedUnit + a rdf:Property ; + dcterms:description "This property relates a system of units to a unit of measure that is defined within the system in terms of the base units for the system. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "derived unit" ; +. +qudt:hasDimension + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has dimension" ; +. +qudt:hasDimensionExpression + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "dimension expression" ; +. +qudt:hasDimensionVector + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has dimension vector" ; +. +qudt:hasNonCoherentUnit + a rdf:Property ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "has non-coherent unit" ; + rdfs:subPropertyOf qudt:hasDefinedUnit ; +. +qudt:hasNumeratorPart + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has quantity kind dimension vector numerator part" ; +. +qudt:hasPrefixUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "prefix unit" ; + rdfs:subPropertyOf qudt:hasDefinedUnit ; +. +qudt:hasQuantity + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has quantity" ; +. +qudt:hasQuantityKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has quantity kind" ; +. +qudt:hasReferenceQuantityKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has reference quantity kind" ; +. +qudt:hasRule + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has rule" ; +. +qudt:hasUnit + a rdf:Property ; + dcterms:description "This property relates a system of units with a unit of measure that is either a) defined by the system, or b) accepted for use by the system and is convertible to a unit of equivalent dimension that is defined by the system. Systems of units may distinguish between base and derived units. Base units are the units which measure the base quantities for the corresponding system of quantities. The base units are used to define units for all other quantities as products of powers of the base units. Such units are called derived units for the system. Thirdly, c) a reference to the unit of measure of a quantity (variable or constant) of interest"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "has unit" ; +. +qudt:hasUnitSystem + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "has unit system" ; +. +qudt:hasVocabulary + a rdf:Property ; + qudt:plainTextDescription "Used to relate a class to one or more graphs where vocabularies for the class are defined." ; + rdfs:isDefinedBy ; + rdfs:label "has vocabulary" ; +. +qudt:height + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "height" ; +. +qudt:id + a rdf:Property ; + dcterms:description "The \"qudt:id\" is an identifier string that uniquely identifies a QUDT concept. The identifier is constructed using a prefix. For example, units are coded using the pattern: \"UCCCENNNN\", where \"CCC\" is a numeric code or a category and \"NNNN\" is a digit string for a member element of that category. For scaled units there may be an addition field that has the format \"QNN\" where \"NN\" is a digit string representing an exponent power, and \"Q\" is a qualifier that indicates with the code \"P\" that the power is a positive decimal exponent, or the code \"N\" for a negative decimal exponent, or the code \"B\" for binary positive exponents."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "qudt id" ; +. +qudt:iec61360Code + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "iec-61360 code" ; +. +qudt:image + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "image" ; +. +qudt:imageLocation + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "image location" ; +. +qudt:informativeReference + a rdf:Property ; + dcterms:description "Provides a way to reference a source that provided useful but non-normative information."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "informative reference" ; +. +qudt:integerPercentage + a rdfs:Datatype ; + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "integer percentage" ; + rdfs:subClassOf xsd:integer ; + owl:equivalentClass [ + a rdfs:Datatype ; + rdfs:isDefinedBy ; + owl:onDatatype xsd:integer ; + owl:withRestrictions ( + [ + xsd:minInclusive 0 ; + ] + [ + xsd:maxInclusive 100 ; + ] + ) ; + ] ; +. +qudt:isBaseQuantityKindOfSystem + a rdf:Property ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "is base quantity kind of system" ; +. +qudt:isDeltaQuantity + a rdf:Property ; + rdfs:comment "This property is used to identify a Quantity instance that is a measure of a change, or interval, of some property, rather than a measure of its absolute value. This is important for measurements such as temperature differences where the conversion among units would be calculated differently because of offsets." ; + rdfs:isDefinedBy ; + rdfs:label "is Delta Quantity" ; +. +qudt:isDimensionInSystem + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "is dimension in system" ; +. +qudt:isMetricUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "is metric unit" ; +. +qudt:isQuantityKindOf + a rdf:Property ; + dcterms:description "`qudt:isQuantityKindOf` was a strict inverse of `qudt:hasQuantityKind` but is now deprecated."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "is quantity kind of" ; +. +qudt:isUnitOfSystem + a rdf:Property ; + dcterms:description "This property relates a unit of measure with a system of units that either a) defines the unit or b) allows the unit to be used within the system."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "is unit of system" ; +. +qudt:isoNormativeReference + a rdf:Property ; + dcterms:description "Provides a way to reference the ISO unit definition."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "normative reference (ISO)" ; + rdfs:subPropertyOf qudt:normativeReference ; +. +qudt:javaName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "java name" ; +. +qudt:jsName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "Javascript name" ; +. +qudt:landscape + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "landscape" ; +. +qudt:latexDefinition + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "latex definition" ; +. +qudt:latexSymbol + a rdf:Property ; + dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "latex symbol" ; +. +qudt:length + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "length" ; +. +qudt:literal + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "literal" ; + rdfs:subPropertyOf dtype:literal ; +. +qudt:lowerBound + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "lower bound" ; +. +qudt:mathDefinition + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "math definition" ; +. +qudt:mathMLdefinition + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "mathML definition" ; + rdfs:subPropertyOf qudt:mathDefinition ; +. +qudt:matlabName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "matlab name" ; +. +qudt:maxExclusive + a rdf:Property ; + dcterms:description "maxExclusive is the exclusive upper bound of the value space for a datatype with the ordered property. The value of maxExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; + rdfs:isDefinedBy ; + rdfs:label "max exclusive" ; + rdfs:subPropertyOf qudt:upperBound ; +. +qudt:maxInclusive + a rdf:Property ; + dcterms:description "maxInclusive is the inclusive upper bound of the value space for a datatype with the ordered property. The value of maxInclusive must be in the value space of the base type." ; + rdfs:isDefinedBy ; + rdfs:label "max inclusive" ; + rdfs:subPropertyOf qudt:upperBound ; +. +qudt:microsoftSQLServerName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "Microsoft SQL Server name" ; +. +qudt:minExclusive + a rdf:Property ; + dcterms:description "minExclusive is the exclusive lower bound of the value space for a datatype with the ordered property. The value of minExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; + rdfs:isDefinedBy ; + rdfs:label "min exclusive" ; + rdfs:subPropertyOf qudt:lowerBound ; +. +qudt:minInclusive + a rdf:Property ; + dcterms:description "minInclusive is the inclusive lower bound of the value space for a datatype with the ordered property. The value of minInclusive must be in the value space of the base type." ; + rdfs:isDefinedBy ; + rdfs:label "min inclusive" ; + rdfs:subPropertyOf qudt:lowerBound ; +. +qudt:mySQLName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "MySQL name" ; +. +qudt:negativeDeltaLimit + a rdf:Property ; + dcterms:description "A negative change limit between consecutive sample values for a parameter. The Negative Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "negative delta limit" ; +. +qudt:normativeReference + a rdf:Property ; + dcterms:description "Provides a way to reference information that is an authorative source providing a standard definition"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "normative reference" ; +. +qudt:numeratorDimensionVector + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "numerator dimension vector" ; +. +qudt:numericValue + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "numeric value" ; +. +qudt:odbcName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "ODBC name" ; +. +qudt:oleDBName + a rdf:Property ; + dcterms:description "OLE DB (Object Linking and Embedding, Database, sometimes written as OLEDB or OLE-DB), an API designed by Microsoft, allows accessing data from a variety of sources in a uniform manner. The API provides a set of interfaces implemented using the Component Object Model (COM); it is otherwise unrelated to OLE. " ; + qudt:informativeReference "http://en.wikipedia.org/wiki/OLE_DB"^^xsd:anyURI ; + qudt:informativeReference "http://msdn.microsoft.com/en-us/library/windows/desktop/ms714931(v=vs.85).aspx"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "OLE DB name" ; +. +qudt:omUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "om unit" ; +. +qudt:onlineReference + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "online reference" ; +. +qudt:oracleSQLName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "ORACLE SQL name" ; +. +qudt:order + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "order" ; +. +qudt:orderedType + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "ordered type" ; +. +qudt:outOfScope + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "out of scope" ; +. +qudt:permissibleMaths + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "permissible maths" ; +. +qudt:permissibleTransformation + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "permissible transformation" ; +. +qudt:plainTextDescription + a rdf:Property ; + dcterms:description "A plain text description is used to provide a description with only simple ASCII characters for cases where LaTeX , HTML or other markup would not be appropriate."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "description (plain text)" ; +. +qudt:positiveDeltaLimit + a rdf:Property ; + dcterms:description "A positive change limit between consecutive sample values for a parameter. The Positive Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Positive delta limit" ; +. +qudt:prefix + a rdf:Property ; + rdfs:comment "Associates a unit with the appropriate prefix, if any." ; + rdfs:isDefinedBy ; + rdfs:label "prefix" ; +. +qudt:prefixMultiplier + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "prefix multiplier" ; +. +qudt:protocolBuffersName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "protocol buffers name" ; +. +qudt:pythonName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "python name" ; +. +qudt:qkdvDenominator + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "denominator dimension vector" ; +. +qudt:qkdvNumerator + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "numerator dimension vector" ; +. +qudt:quantity + a rdf:Property ; + dcterms:description "a property to relate an observable thing with a quantity (qud:Quantity)"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "quantity" ; +. +qudt:quantityValue + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "quantity value" ; +. +qudt:rationale + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "rationale" ; +. +qudt:rdfsDatatype + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "rdfs datatype" ; +. +qudt:reference + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "reference" ; +. +qudt:referenceUnit + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "reference unit" ; +. +qudt:relativeStandardUncertainty + a rdf:Property ; + dcterms:description "The relative standard uncertainty of a measurement is the (absolute) standard uncertainty divided by the magnitude of the exact value."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "relative standard uncertainty" ; +. +qudt:relevantQuantityKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "relevant quantity kind" ; +. +qudt:relevantUnit + a rdf:Property ; + rdfs:comment "This property is used for qudt:Discipline instances to identify the Unit instances that are used within a given discipline." ; + rdfs:isDefinedBy ; + rdfs:label "Relevant Unit" ; +. +qudt:ruleType + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "rule type" ; +. +qudt:scaleType + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "scale type" ; +. +qudt:siUnitsExpression + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "si units expression" ; +. +qudt:specialization + a rdf:Property ; + dcterms:description "This deprecated property originally related a quantity kind to its specialization(s). For example, linear velocity and angular velocity are both specializations of velocity."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "specialization" ; +. +qudt:standardUncertainty + a rdf:Property ; + dcterms:description "The standard uncertainty of a quantity is the estimated standard deviation of the mean taken from a series of measurements."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "standard uncertainty" ; +. +qudt:symbol + a rdf:Property ; + dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "symbol" ; + rdfs:subPropertyOf qudt:literal ; +. +qudt:systemDefinition + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "system definition" ; +. +qudt:systemDerivedQuantityKind + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "system derived quantity kind" ; + rdfs:subPropertyOf qudt:hasQuantityKind ; +. +qudt:systemDimension + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "system dimension" ; +. +qudt:ucumCaseInsensitiveCode + a rdf:Property ; + dcterms:description "ucumCode associates a QUDT unit with a UCUM case-insensitive code."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "ucum case-insensitive code" ; + rdfs:subPropertyOf qudt:ucumCode ; +. +qudt:ucumCaseSensitiveCode + a rdf:Property ; + dcterms:description "ucumCode associates a QUDT unit with with a UCUM case-sensitive code."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "ucum case-sensitive code" ; + rdfs:subPropertyOf qudt:ucumCode ; +. +qudt:ucumCode + a rdf:Property ; + dcterms:description "

ucumCode associates a QUDT unit with its UCUM code (case-sensitive).

In SHACL the values are derived from specific ucum properties using 'sh:values'.

"^^rdf:HTML ; + dcterms:source "https://ucum.org/ucum.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "ucum code" ; + rdfs:seeAlso ; + rdfs:subPropertyOf skos:notation ; +. +qudt:udunitsCode + a rdf:Property ; + dcterms:description "The UDUNITS package supports units of physical quantities. Its C library provides for arithmetic manipulation of units and for conversion of numeric values between compatible units. The package contains an extensive unit database, which is in XML format and user-extendable. The package also contains a command-line utility for investigating units and converting values."^^rdf:HTML ; + dcterms:source "https://www.unidata.ucar.edu/software/udunits/"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "udunits code" ; +. +qudt:uneceCommonCode + a rdf:Property ; + dcterms:description "The UN/CEFACT Recommendation 20 provides three character alphabetic and alphanumeric codes for representing units of measurement for length, area, volume/capacity, mass (weight), time, and other quantities used in international trade. The codes are intended for use in manual and/or automated systems for the exchange of information between participants in international trade."^^rdf:HTML ; + dcterms:source "https://service.unece.org/trade/uncefact/vocabulary/rec20/"^^xsd:anyURI ; + dcterms:source "https://unece.org/trade/documents/2021/06/uncefact-rec20-0"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "unece common code" ; +. +qudt:unit + a rdf:Property ; + dcterms:description "A reference to the unit of measure of a quantity (variable or constant) of interest."^^rdf:HTML ; + dcterms:isReplacedBy qudt:hasUnit ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:label "unit" ; +. +qudt:unitFor + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "unit for" ; +. +qudt:upperBound + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "upper bound" ; +. +qudt:url + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "url" ; +. +qudt:value + a rdf:Property ; + dcterms:description "A property to relate an observable thing with a value that can be of any simple XSD type"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "value" ; +. +qudt:valueQuantity + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "value for quantity" ; +. +qudt:vbName + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "Vusal Basic name" ; +. +qudt:vectorMagnitude + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "vector magnitude" ; +. +qudt:width + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "width" ; +. +voag:QUDT-SchemaCatalogEntry + a vaem:CatalogEntry ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Schema Catalog Entry" ; +. +voag:supersededBy + a rdf:Property ; + rdfs:isDefinedBy ; + rdfs:label "superseded by" ; +. + + vaem:namespace "http://www.linkedmodel.org/schema/dtype#"^^xsd:anyURI ; + vaem:namespacePrefix "dtype" ; +. +vaem:GMD_SHACLQUDT-SCHEMA + a vaem:GraphMetaData ; + dcterms:contributor "Daniel Mekonnen" ; + dcterms:contributor "David Price" ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "James E. Masters" ; + dcterms:contributor "Simon J D Cox" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2011-04-20"^^xsd:date ; + dcterms:creator "Ralph Hodgson" ; + dcterms:description """

The QUDT, or \"Quantity, Unit, Dimension and Type\" schema defines the base classes properties, and restrictions used for modeling physical quantities, units of measure, and their dimensions in various measurement systems. The goal of the QUDT ontology is to provide a unified model of, measurable quantities, units for measuring different kinds of quantities, the numerical values of quantities in different units of measure and the data structures and data types used to store and manipulate these objects in software.

+ +

Except for unit prefixes, all units are specified in separate vocabularies. Descriptions are provided in both HTML and LaTeX formats. A quantity is a measure of an observable phenomenon, that, when associated with something, becomes a property of that thing; a particular object, event, or physical system.

+ +

A quantity has meaning in the context of a measurement (i.e. the thing measured, the measured value, the accuracy of measurement, etc.) whereas the underlying quantity kind is independent of any particular measurement. Thus, length is a quantity kind while the height of a rocket is a specific quantity of length; its magnitude that may be expressed in meters, feet, inches, etc. Or, as stated at Wikipedia, in the language of measurement, quantities are quantifiable aspects of the world, such as time, distance, velocity, mass, momentum, energy, and weight, and units are used to describe their measure. Many of these quantities are related to each other by various physical laws, and as a result the units of some of the quantities can be expressed as products (or ratios) of powers of other units (e.g., momentum is mass times velocity and velocity is measured in distance divided by time).

"""^^rdf:HTML ; + dcterms:modified "2023-11-15T09:49:37.276-05:00"^^xsd:dateTime ; + dcterms:rights """ + This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. + +THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. + """ ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "QUDT" ; + dcterms:title "QUDT SHACL Schema - Version 2.1.33" ; + qudt:informativeReference "http://unitsofmeasure.org/trac"^^xsd:anyURI ; + qudt:informativeReference "http://www.bipm.org/en/publications/si-brochure"^^xsd:anyURI ; + qudt:informativeReference "http://www.bipm.org/utils/common/documents/jcgm/JCGM_200_2008.pdf"^^xsd:anyURI ; + qudt:informativeReference "https://books.google.com/books?id=pIlCAAAAIAAJ&dq=dimensional+analysis&hl=en"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/physical-measurement-laboratory/special-publication-811"^^xsd:anyURI ; + vaem:graphName "qudt" ; + vaem:graphTitle "Quantities, Units, Dimensions and Types (QUDT) SHACL Schema - Version 2.1.33" ; + vaem:hasGraphRole vaem:SHACLSchemaGraph ; + vaem:hasOwner vaem:QUDT ; + vaem:hasSteward vaem:QUDT ; + vaem:intent "Specifies the schema for quantities, units and dimensions. Types are defined in other schemas." ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/11/DOC_SCHEMA-SHACL-QUDT-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/schema/qudt/" ; + vaem:namespacePrefix "qudt" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/10/DOC_SCHEMA-SHACL-QUDT-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/schema/shacl/qudt"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:contributor ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:description ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:rights ; + vaem:usesNonImportedResource dcterms:source ; + vaem:usesNonImportedResource dcterms:subject ; + vaem:usesNonImportedResource dcterms:title ; + vaem:usesNonImportedResource voag:QUDT-Attribution ; + vaem:withAttributionTo voag:QUDT-Attribution ; + rdfs:isDefinedBy ; + rdfs:label "QUDT SHACL Schema Metadata Version 2.1.33" ; + owl:versionIRI ; +. +vaem:QUDT + a vaem:Party ; + dcterms:description "QUDT is a non-profit organization that governs the QUDT ontologies."^^rdf:HTML ; + vaem:graphName "qudt.org" ; + vaem:website "http://www.qudt.org"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "QUDT" ; +. +prov:wasDerivedFrom + a rdf:Property ; + rdfs:label "was derived from" ; +. diff --git a/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl b/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl new file mode 100644 index 000000000..b478b3ddd --- /dev/null +++ b/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl @@ -0,0 +1,804 @@ +# baseURI: http://qudt.org/2.1/schema/shacl/overlay/qudt +# imports: http://qudt.org/2.1/schema/shacl/qudt +# imports: http://www.w3.org/ns/shacl# + +@prefix dc: . +@prefix dcterms: . +@prefix dtype: . +@prefix owl: . +@prefix prov: . +@prefix qkdv: . +@prefix quantitykind: . +@prefix qudt: . +@prefix qudt.type: . +@prefix rdf: . +@prefix rdfs: . +@prefix sh: . +@prefix skos: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_SHACLQUDTOVERLAY-SCHEMA ; + rdfs:comment "Supplements the generated SHACL Schema with constructs not expressible in the QUDT OWL Ontology" ; + rdfs:label "QUDT SHACL Schema Supplement Version 2.1.32" ; + owl:imports ; + owl:imports sh: ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://purl.org/dc/terms/"^^xsd:anyURI ; + sh:prefix "dcterms" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/dimensionvector/"^^xsd:anyURI ; + sh:prefix "qkdv" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "quantitykind" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; + sh:prefix "unit" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; + sh:prefix "rdf" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2002/07/owl#"^^xsd:anyURI ; + sh:prefix "owl" ; + ] ; + sh:declare [ + a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2004/02/skos/core#"^^xsd:anyURI ; + sh:prefix "skos" ; + ] ; +. +qudt:AbstractQuantityKind-qudt_latexSymbol + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:AbstractQuantityKind-qudt_symbol + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:AbstractQuantityKind-skos_broader + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "120"^^xsd:decimal ; +. +qudt:ApplicableUnitsGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "Applicable Units" ; + sh:order "30"^^xsd:decimal ; +. +qudt:Aspect + rdfs:isDefinedBy ; + sh:property qudt:Aspect-rdfs_isDefinedBy ; +. +qudt:Aspect-rdfs_isDefinedBy + a sh:PropertyShape ; + sh:path rdfs:isDefinedBy ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "200"^^xsd:decimal ; +. +qudt:Citation-qudt_description + rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:ClosedWorldShape + a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Ensure that all instances of a class use only the properties defined for that class." ; + sh:message "Predicate {?p} is not defined for instance {$this}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?p ?o +WHERE { +$this a/rdfs:subClassOf* qudt:Concept . +$this ?p ?o . +FILTER(STRSTARTS (str(?p), 'http://qudt.org/schema/qudt')) +FILTER NOT EXISTS {$this a sh:NodeShape} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . + ?class sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:xone/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:or/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +} +""" ; + ] ; + sh:targetClass qudt:Concept ; +. +qudt:Concept + rdfs:isDefinedBy ; + sh:property qudt:Concept-rdf_type ; + sh:property qudt:Concept-rdfs_isDefinedBy ; + sh:property qudt:Concept-rdfs_label ; + sh:property qudt:Concept-rdfs_seeAlso ; + sh:property qudt:Concept-skos_altLabel ; +. +qudt:Concept-dcterms_description + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "dcterms description" ; + sh:order "60"^^xsd:decimal ; +. +qudt:Concept-qudt_abbreviation + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "18"^^xsd:decimal ; +. +qudt:Concept-qudt_code + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "100"^^xsd:decimal ; +. +qudt:Concept-qudt_description + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "full description" ; + sh:order "60"^^xsd:decimal ; +. +qudt:Concept-qudt_guidance + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "60"^^xsd:decimal ; +. +qudt:Concept-qudt_hasRule + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "95"^^xsd:decimal ; +. +qudt:Concept-qudt_id + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Concept-qudt_plainTextDescription + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Concept-rdf_type + a sh:PropertyShape ; + sh:path rdf:type ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:minCount 1 ; + sh:name "type" ; + sh:order "10"^^xsd:decimal ; +. +qudt:Concept-rdfs_isDefinedBy + a sh:PropertyShape ; + sh:path rdfs:isDefinedBy ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "200"^^xsd:decimal ; +. +qudt:Concept-rdfs_label + a sh:PropertyShape ; + sh:path rdfs:label ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:minCount 1 ; + sh:order "10"^^xsd:decimal ; + sh:severity sh:Warning ; +. +qudt:Concept-rdfs_seeAlso + a sh:PropertyShape ; + sh:path rdfs:seeAlso ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "900"^^xsd:decimal ; +. +qudt:Concept-skos_altLabel + a sh:PropertyShape ; + sh:path skos:altLabel ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "12"^^xsd:decimal ; +. +qudt:DeprecatedPropertyConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Warning about use of a deprecated QUDT property" ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Warns if a deprecated QUDT property is used" ; + sh:message "Resource, '{$this}' uses the property '{?oldpstr}' which will be deprecated. Please use '{?newpstr}' instead." ; + sh:prefixes ; + sh:select """SELECT $this ?p ?oldpstr ?newpstr +WHERE { +?p qudt:deprecated true . +?p a rdf:Property . +$this ?p ?o . +?p dcterms:isReplacedBy ?newp . +BIND (STR(?newp) AS ?newpstr) +BIND (STR(?p) AS ?oldpstr) +}""" ; + ] ; + sh:targetClass qudt:Concept ; +. +qudt:DeprecationConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Warning about use of a deprecated QUDT resource" ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Warns if a deprecated QUDT resource is used" ; + sh:message "Resource, '{?s}' refers to '{?oldqstr}' which has been deprecated. Please refer to '{?newqstr}' instead." ; + sh:prefixes ; + sh:select """SELECT ?s $this ?oldqstr ?newqstr +WHERE { +$this qudt:deprecated true . +?s ?p $this . +FILTER (!STRSTARTS(STR(?s),'http://qudt.org')) . +$this dcterms:isReplacedBy ?newq . +BIND (STR(?newq) AS ?newqstr) +BIND (STR($this) AS ?oldqstr) +}""" ; + ] ; + sh:targetClass qudt:Concept ; +. +qudt:EnumeratedValue-qudt_description + rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:ExactMatchGoesBothWaysConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Ensure that if A qudt:exactMatch B then B qudt:exactMatch A" ; + sh:message "Missing triple: {$t} qudt:exactMatch {$this} ." ; + sh:prefixes ; + sh:select """ +SELECT $this ?t +WHERE { +$this qudt:exactMatch ?t . +FILTER NOT EXISTS {?t qudt:exactMatch $this } +} +""" ; + ] ; + sh:targetClass qudt:Concept ; +. +qudt:HTMLOrStringOrLangStringOrLatexString + a rdf:List ; + rdf:first [ + sh:datatype rdf:HTML ; + ] ; + rdf:rest ( + [ + sh:datatype xsd:string ; + ] + [ + sh:datatype rdf:langString ; + ] + [ + sh:datatype qudt:LatexString ; + ] + ) ; + rdfs:comment "Defines an rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either rdf:HTML, xsd:string or rdf:langString, or a qudt:LatexString" ; + rdfs:isDefinedBy ; + rdfs:label "HTML or string or langString or LatexString" ; +. +qudt:IdentifiersAndDescriptionsPropertyGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "Identifiers and Descriptions" ; + sh:order "10"^^xsd:decimal ; +. +qudt:InconsistentDimensionVectorInSKOSHierarchyConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Checks that a QuantityKind has the same dimension vector as any skos:broader QuantityKind" ; + sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its skos:broader, {$qk} with dimension vector {$qdv}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?udv ?qk ?qdv +WHERE { +$this qudt:hasDimensionVector ?udv . +$this skos:broader* ?qk . +?qk qudt:hasDimensionVector ?qdv . +FILTER (?udv != ?qdv) . +} +""" ; + ] ; + sh:targetClass qudt:QuantityKind ; +. +qudt:InconsistentUnitAndDimensionVectorConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Checks that a Unit and its QuantityKind have the same dimension vector" ; + sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its quantity kind {$qk} with dimension vector {$qdv}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?udv ?qk ?qdv +WHERE { +$this qudt:hasDimensionVector ?udv . +$this qudt:hasQuantityKind ?qk . +?qk qudt:hasDimensionVector ?qdv . +FILTER (?udv != qkdv:NotApplicable) . +FILTER (?qdv != qkdv:NotApplicable) . +FILTER (?udv != ?qdv) . +} +""" ; + ] ; + sh:targetClass qudt:Unit ; +. +qudt:Narratable + a qudt:AspectClass ; + a sh:NodeShape ; + rdfs:comment "

Narratable specifies properties that provide for documentation and references.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Narratable" ; + rdfs:subClassOf qudt:Aspect ; +. +qudt:NumericUnionList + a rdf:List ; + rdf:first [ + sh:datatype xsd:string ; + ] ; + rdf:rest ( + [ + sh:datatype xsd:nonNegativeInteger ; + ] + [ + sh:datatype xsd:positiveInteger ; + ] + [ + sh:datatype xsd:integer ; + ] + [ + sh:datatype xsd:int ; + ] + [ + sh:datatype xsd:float ; + ] + [ + sh:datatype xsd:double ; + ] + [ + sh:datatype xsd:decimal ; + ] + ) ; + rdfs:comment "An rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either xsd:integer, xsd:float, xsd:double or xsd:decimal." ; + rdfs:isDefinedBy ; + rdfs:label "Numeric Union List" ; +. +qudt:PhysicalConstant-qudt_latexSymbol + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:PropertiesGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "Properties" ; + sh:order "20"^^xsd:decimal ; +. +qudt:Quantifiable-qudt_value + a sh:PropertyShape ; + sh:path qudt:value ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( + [ + sh:datatype xsd:float ; + ] + [ + sh:datatype xsd:double ; + ] + [ + sh:datatype xsd:integer ; + ] + [ + sh:datatype xsd:decimal ; + ] + ) ; +. +qudt:Quantity-qudt_description + rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_applicableCGSUnit + rdfs:isDefinedBy ; + sh:deactivated true ; +. +qudt:QuantityKind-qudt_applicableSIUnit + rdfs:isDefinedBy ; + sh:deactivated true ; +. +qudt:QuantityKind-qudt_applicableUSCustomaryUnit + rdfs:isDefinedBy ; + sh:deactivated true ; +. +qudt:QuantityKind-qudt_applicableUnit + rdfs:isDefinedBy ; + sh:group qudt:ApplicableUnitsGroup ; + sh:order "10"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_baseCGSUnitDimensions + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_baseISOUnitDimensions + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_baseImperialUnitDimensions + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_baseSIUnitDimensions + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_baseUSCustomaryUnitDimensions + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:QuantityKind-qudt_belongsToSystemOfQuantities + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "90"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_dimensionVectorForSI + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "100"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_expression + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "symbol expression" ; + sh:order "10"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_hasDimensionVector + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "50"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_latexDefinition + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_mathMLdefinition + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "70"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_qkdvDenominator + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "61"^^xsd:decimal ; +. +qudt:QuantityKind-qudt_qkdvNumerator + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "60"^^xsd:decimal ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForLength + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForMass + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionExponentForTime + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector-dimensionlessExponent + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityKindDimensionVector_dimensionExponentForElectricCurrent + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:QuantityValue-value + rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList ; +. +qudt:Rule-example + rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:Rule-qudt_example + rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; +. +qudt:UniqueSymbolTypeRestrictedPropertyConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + rdfs:label "Unique symbol type restricted property constraint" ; + sh:deactivated true ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Checks that a resource has a unique symbol within its type hierarchy below qudt:Concept" ; + sh:message "Resource, '{$this}' of type '{?myType}', has non-unique symbol, '{?symbol}', that conflicts with '{?another}' of type '{?anotherType}'" ; + sh:prefixes ; + sh:select """SELECT DISTINCT $this ?symbol ?another ?myType ?anotherType +WHERE {{ + $this qudt:symbol ?symbol . + ?another qudt:symbol ?symbol . + FILTER (?another != $this) + } + $this a ?myType . + ?myType + qudt:Concept . + ?another a ?anotherType . + ?anotherType + qudt:Concept . + FILTER (?myType = ?anotherType) +}""" ; + ] ; + sh:targetClass qudt:Unit ; +. +qudt:Unit + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Narratable ; +. +qudt:Unit-qudt_applicableSystem + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "62"^^xsd:decimal ; +. +qudt:Unit-qudt_conversionMultiplier + rdfs:isDefinedBy ; + sh:group qudt:UnitConversionGroup ; + sh:order "10"^^xsd:decimal ; +. +qudt:Unit-qudt_conversionOffset + rdfs:isDefinedBy ; + sh:group qudt:UnitConversionGroup ; + sh:order "20"^^xsd:decimal ; +. +qudt:Unit-qudt_denominatorDimensionVector + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "52"^^xsd:decimal ; +. +qudt:Unit-qudt_expression + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "30"^^xsd:decimal ; +. +qudt:Unit-qudt_hasDimensionVector + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "50"^^xsd:decimal ; +. +qudt:Unit-qudt_hasQuantityKind + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:name "quantity kind" ; + sh:order "40"^^xsd:decimal ; +. +qudt:Unit-qudt_iec61360Code + rdfs:isDefinedBy ; + rdfs:label "IEC-61369 code" ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Unit-qudt_latexDefinition + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Unit-qudt_latexSymbol + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "60"^^xsd:decimal ; +. +qudt:Unit-qudt_mathMLdefinition + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "70"^^xsd:decimal ; +. +qudt:Unit-qudt_numeratorDimensionVector + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "54"^^xsd:decimal ; +. +qudt:Unit-qudt_omUnit + rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order "10"^^xsd:decimal ; +. +qudt:Unit-qudt_siUnitsExpression + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "35"^^xsd:decimal ; +. +qudt:Unit-qudt_symbol + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Unit-qudt_ucumCode + rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order "50"^^xsd:decimal ; +. +qudt:Unit-qudt_udunitsCode + rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order "55"^^xsd:decimal ; +. +qudt:Unit-qudt_uneceCommonCode + rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order "40"^^xsd:decimal ; +. +qudt:Unit-qudt_unitOfSystem + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order "60"^^xsd:decimal ; +. +qudt:UnitConversionGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "Conversion" ; + sh:order "60"^^xsd:decimal ; +. +qudt:UnitEquivalencePropertyGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "Equivalent Units" ; + sh:order "50"^^xsd:decimal ; +. +qudt:UnitPointsToAllExactMatchQuantityKindsConstraint + a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ + a sh:SPARQLConstraint ; + rdfs:comment "Ensure that if a Unit hasQuantityKind A, and A qudt:exactMatch B, then the Unit hasQuantityKind B " ; + sh:message "Missing triple: {$this} qudt:hasQuantityKind {?qk2}, because {?qk} qudt:exactMatch {?qk2}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?qk ?qk2 +WHERE { +$this qudt:hasQuantityKind ?qk . +?qk qudt:exactMatch ?qk2 . +FILTER NOT EXISTS {$this qudt:hasQuantityKind ?qk2} +} +""" ; + ] ; + sh:targetClass qudt:Unit ; +. +qudt:UnitReferencesPropertyGroup + a sh:PropertyGroup ; + rdfs:isDefinedBy ; + rdfs:label "References" ; + sh:order "20"^^xsd:decimal ; +. +qudt:UserQuantityKind-qudt_hasQuantityKind + rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:name "quantity kind" ; + sh:order "40"^^xsd:decimal ; +. +qudt:Verifiable-qudt_dbpediaMatch + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "90"^^xsd:decimal ; +. +qudt:Verifiable-qudt_informativeReference + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "84"^^xsd:decimal ; +. +qudt:Verifiable-qudt_isoNormativeReference + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "82"^^xsd:decimal ; +. +qudt:Verifiable-qudt_normativeReference + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order "80"^^xsd:decimal ; +. +vaem:GMD_SHACLQUDTOVERLAY-SCHEMA + a vaem:GraphMetaData ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2020-04-20"^^xsd:date ; + dcterms:creator "Ralph Hodgson" ; + dcterms:description "

The QUDT, or \"Quantity, Unit, Dimension and Type\" schema defines the base classes properties, and restrictions used for modeling physical quantities, units of measure, and their dimensions in various measurement systems. This overlay graph provides additional properties that affect the display of entities in a user interface, as well as some SHACL rules.

"^^rdf:HTML ; + dcterms:modified "2023-10-19T10:35:35.930-04:00"^^xsd:dateTime ; + dcterms:rights """ + This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. + +THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. + """ ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "QUDT" ; + dcterms:title "QUDT SHACL Schema Overlay - Version 2.1.32" ; + vaem:graphName "qudtOverlay" ; + vaem:graphTitle "Quantities, Units, Dimensions and Types (QUDT) SHACL Schema Overlay - Version 2.1.32" ; + vaem:hasGraphRole vaem:SHACLSchemaOverlayGraph ; + vaem:hasOwner vaem:QUDT ; + vaem:hasSteward vaem:QUDT ; + vaem:intent "Specifies overlay properties and rules for the schema for quantities, units and dimensions. Types are defined in other schemas." ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_SCHEMA-SHACL-QUDT-OVERLAY-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/schema/qudt/" ; + vaem:namespacePrefix "qudt" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_SCHEMA-SHACL-QUDT-OVERLAY-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/schema/shacl/overlay/qudt"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:contributor ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:description ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:rights ; + vaem:usesNonImportedResource dcterms:source ; + vaem:usesNonImportedResource dcterms:subject ; + vaem:usesNonImportedResource dcterms:title ; + vaem:usesNonImportedResource voag:QUDT-Attribution ; + vaem:withAttributionTo voag:QUDT-Attribution ; + rdfs:isDefinedBy ; + rdfs:label "QUDT SHACL Schema Overlay Metadata Version 2.1.32" ; + owl:versionIRI ; +. diff --git a/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl new file mode 100644 index 000000000..6b47aec67 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl @@ -0,0 +1,6087 @@ +# baseURI: http://qudt.org/2.1/vocab/constant +# imports: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/vocab/unit + +@prefix constant: . +@prefix dc: . +@prefix dcterms: . +@prefix nist: . +@prefix oecc: . +@prefix org: . +@prefix owl: . +@prefix prov: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-CONSTANTS ; + rdfs:label "QUDT VOCAB Physical Constants Release 2.1.32" ; + owl:imports ; + owl:imports ; + owl:versionIRI ; +. +qudt:PhysicsForums + a org:Organization ; + qudt:url "http://www.physicsforums.com"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Physics Forums" ; +. +constant:AlphaParticleElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "Alpha particle-electron mass ratio"@en ; + skos:closeMatch ; +. +constant:AlphaParticleMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMass ; + rdfs:isDefinedBy ; + rdfs:label "Alpha particle mass"@en ; + skos:closeMatch ; +. +constant:AlphaParticleMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "alpha particle mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:AlphaParticleMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "Alpha particle mass energy equivalent in Me V"@en ; + skos:closeMatch ; +. +constant:AlphaParticleMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "alpha particle mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:AlphaParticleMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "alpha particle molar mass"@en ; + skos:closeMatch ; +. +constant:AlphaParticleProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "alpha particle-proton mass ratio"@en ; + skos:closeMatch ; +. +constant:AngstromStar + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AngstromStar ; + rdfs:isDefinedBy ; + rdfs:label "Angstrom star"@en ; +. +constant:AtomicMassConstant + a qudt:PhysicalConstant ; + dcterms:description "The \"Atomic Mass Constant\" is one twelfth of the mass of an unbound atom of carbon-12 at rest and in its ground state."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_constant"^^xsd:anyURI ; + qudt:hasDimensionVector ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexSymbol "\\(m_u\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstant ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass constant"@en ; +. +constant:AtomicMassConstantEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass constant energy equivalent"@en ; + skos:closeMatch ; +. +constant:AtomicMassConstantEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass constant energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-hartree relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-hertz relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-inverse meter relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-joule relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-kelvin relationship"@en ; + skos:closeMatch ; +. +constant:AtomicMassUnitKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "atomic mass unit-kilogram relationship"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOf1stHyperpolarizablity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOf1stHyperpolarizability ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of 1st hyperpolarizablity"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOf2ndHyperpolarizablity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOf2ndHyperpolarizability ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of 2nd hyperpolarizablity"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfAction + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfAction ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of action"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfCharge + a qudt:PhysicalConstant ; + qudt:exactMatch constant:ElementaryCharge ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfCharge ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of charge"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfChargeDensity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfChargeDensity ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of charge density"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfCurrent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfCurrent ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of current"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricDipoleMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricDipoleMoment ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric dipole mom."@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricField + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricField ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric field"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricFieldGradient + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricFieldGradient ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric field gradient"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricPolarizablity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricPolarizability ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric polarizablity"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricPotential + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricPotential ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric potential"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfElectricQuadrupoleMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricQuadrupoleMoment ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of electric quadrupole moment"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfEnergy + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfEnergy ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of energy"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfForce + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfForce ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of force"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfLength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfLength ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of length"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfMagneticDipoleMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagneticDipoleMoment ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of magnetic dipole moment"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfMagneticFluxDensity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagneticFluxDensity ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of magnetic flux density"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfMagnetizability + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagnetizability ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of magnetizability"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMass ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of mass"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfMomentum + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMomentum ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of momentum"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfPermittivity + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfPermittivity ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of permittivity"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfTime + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfTime ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of time"@en ; + skos:closeMatch ; +. +constant:AtomicUnitOfVelocity + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfVelocity ; + rdfs:isDefinedBy ; + rdfs:label "atomic unit of velocity"@en ; + skos:closeMatch ; +. +constant:AvogadroConstant + a qudt:PhysicalConstant ; + dcterms:description "In chemistry and physics, the \"Avogadro Constant\" is defined as the ratio of the number of constituent particles N in a sample to the amount of substance n through the relationship NA = N/n. Thus, it is the proportionality factor that relates the molar mass of an entity, i.e. , the mass per amount of substance, to the mass of said entity."^^rdf:HTML ; + qudt:abbreviation "mole^{-1}" ; + qudt:applicableUnit unit:PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Avogadro_constant"^^xsd:anyURI ; + qudt:hasDimensionVector ; + qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Avogadro_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{N}{n}\\), where \\(N\\) is the number of particles and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:latexSymbol "\\(L, N_A\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AvogadroConstant ; + rdfs:isDefinedBy ; + rdfs:label "Avogadro constant"@en ; +. +constant:BohrMagneton + a qudt:PhysicalConstant ; + dcterms:description "The \"Bohr Magneton\" is a physical constant and the natural unit for expressing an electron magnetic dipole moment."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_magneton"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_magneton"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_B = \\frac{e\\hbar}{2m_e}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_e\\) is the rest mass of electron."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagneton ; + rdfs:isDefinedBy ; + rdfs:label "Bohr Magneton"@en ; +. +constant:BohrMagnetonInEVPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInEVPerT ; + rdfs:isDefinedBy ; + rdfs:label "Bohr magneton in eV per T"@en ; + skos:closeMatch ; +. +constant:BohrMagnetonInHzPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInHzPerT ; + rdfs:isDefinedBy ; + rdfs:label "Bohr magneton in Hz perT"@en ; + skos:closeMatch ; +. +constant:BohrMagnetonInInverseMetersPerTesla + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInInverseMetersPerTesla ; + rdfs:isDefinedBy ; + rdfs:label "Bohr magneton in inverse meters per tesla"@en ; + skos:closeMatch ; +. +constant:BohrMagnetonInKPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInKPerT ; + rdfs:isDefinedBy ; + rdfs:label "Bohr magneton in K per T"@en ; + skos:closeMatch ; +. +constant:BohrRadius + a qudt:PhysicalConstant ; + dcterms:description "The Bohr radius is a physical constant, approximately equal to the most probable distance between the proton and electron in a hydrogen atom in its ground state. It is named after Niels Bohr, due to its role in the Bohr model of an atom. The precise definition of the Bohr radius is: where: is the permittivity of free space is the reduced Planck's constant is the electron rest mass is the elementary charge is the speed of light in vacuum is the fine structure constant. [Wikipedia]"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:applicableUnit unit:M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_radius"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_radius"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_0 = \\frac{4\\pi \\varepsilon_0 \\hbar^2}{m_ee^2}\\), where \\(\\varepsilon_0\\) is the electric constant, \\(\\hbar\\) is the reduced Planck constant, \\(m_e\\) is the rest mass of electron, and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(a_0\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrRadius ; + rdfs:isDefinedBy ; + rdfs:label "Bohr Radius"@en ; +. +constant:BoltzmannConstant + a qudt:PhysicalConstant ; + dcterms:description "The Boltzmann Constant (\\(k\\) or \\(kB\\)) is the physical constant relating energy at the individual particle level with temperature, which must necessarily be observed at the collective or bulk level. It is the gas constant \\(R\\) divided by the Avogadro constant \\(N_A\\): It has the same dimension as entropy. It is named after the Austrian physicist Ludwig Boltzmann."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Boltzmann_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Boltzmann_constant?oldid=495542430"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(k\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_BoltzmannConstant ; + qudt:ucumCode "[k]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Boltzmann Constant"@en ; +. +constant:BoltzmannConstantInEVPerK + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInEVPerK ; + rdfs:isDefinedBy ; + rdfs:label "Boltzmann constant in eV per K"@en ; + skos:closeMatch ; +. +constant:BoltzmannConstantInHzPerK + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInHzPerK ; + rdfs:isDefinedBy ; + rdfs:label "Boltzmann constant in Hz per K"@en ; + skos:closeMatch ; +. +constant:BoltzmannConstantInInverseMetersPerKelvin + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInInverseMetersPerKelvin ; + rdfs:isDefinedBy ; + rdfs:label "Boltzmann constant in inverse meters per kelvin"@en ; + skos:closeMatch ; +. +constant:CharacteristicImpedanceOfVacuum + a qudt:PhysicalConstant ; + dcterms:description "The impedance of free space, Z0, is a physical constant relating the magnitudes of the electric and magnetic fields of electromagnetic radiation travelling through free space. That is, Z0 = |E|/|H|, where |E| is the electric field strength and |H| magnetic field strength. It has an exact value, given approximately as 376.73031 ohms. The impedance of free space equals the product of the vacuum permeability or magnetic constant μ0 and the speed of light in vacuum c0. Since the numerical values of the magnetic constant and of the speed of light are fixed by the definitions of the ampere and the metre respectively, the exact value of the impedance of free space is likewise fixed by definition and is not subject to experimental error. [Wikipedia]"^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Impedance_of_free_space"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_CharacteristicImpedanceOfVacuum ; + rdfs:isDefinedBy ; + rdfs:label "characteristic impedance of vacuum"@en ; +. +constant:ClassicalElectronRadius + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Classical_electron_radius"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ClassicalElectronRadius ; + rdfs:isDefinedBy ; + rdfs:label "classical electron radius"@en ; +. +constant:ComptonWavelength + a qudt:PhysicalConstant ; + dcterms:description "The \"Compton Wavelength\" is a quantum mechanical property of a particle. It was introduced by Arthur Compton in his explanation of the scattering of photons by electrons (a process known as Compton scattering). The Compton wavelength of a particle is equivalent to the wavelength of a photon whose energy is the same as the rest-mass energy of the particle."^^rdf:HTML ; + qudt:applicableUnit unit:M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Compton_wavelength"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compton_wavelength"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_C = \\frac{h}{mc_0}\\), where \\(h\\) is the Planck constant, \\(m\\) is the rest mass of a particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_C\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ComptonWavelength ; + rdfs:isDefinedBy ; + rdfs:label "Compton Wavelength"@en ; +. +constant:ComptonWavelengthOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "Compton wavelength over 2 pi"@en ; + skos:closeMatch ; +. +constant:ConductanceQuantum + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Conductance_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConductanceQuantum ; + rdfs:isDefinedBy ; + rdfs:label "conductance quantum"@en ; +. +constant:ConventionalValueOfJosephsonConstant + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConventionalValueOfJosephsonConstant ; + rdfs:isDefinedBy ; + rdfs:label "conventional value of Josephson constant"@en ; + skos:closeMatch ; +. +constant:ConventionalValueOfVonKlitzingConstant + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConventionalValueOfVonKlitzingConstant ; + rdfs:isDefinedBy ; + rdfs:label "conventional value of von Klitzing constant"@en ; + skos:closeMatch ; +. +constant:CuXUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_CuXUnit ; + rdfs:isDefinedBy ; + rdfs:label "Cu x unit"@en ; + skos:closeMatch ; +. +constant:DeuteronElectronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron-electron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:DeuteronElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron-electron mass ratio"@en ; +. +constant:DeuteronGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronGFactor ; + rdfs:isDefinedBy ; + rdfs:label "deuteron g factor"@en ; + skos:closeMatch ; +. +constant:DeuteronMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "deuteron magnetic moment"@en ; + skos:closeMatch ; +. +constant:DeuteronMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:DeuteronMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:DeuteronMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMass ; + rdfs:isDefinedBy ; + rdfs:label "deuteron mass"@en ; +. +constant:DeuteronMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "deuteron mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:DeuteronMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "deuteron mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:DeuteronMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "deuteron mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:DeuteronMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "deuteron molar mass"@en ; +. +constant:DeuteronNeutronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron-neutron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:DeuteronProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron-proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:DeuteronProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "deuteron-proton mass ratio"@en ; +. +constant:DeuteronRmsChargeRadius + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronRmsChargeRadius ; + rdfs:isDefinedBy ; + rdfs:label "deuteron rms charge radius"@en ; + skos:closeMatch ; +. +constant:ElectricConstant + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permittivity"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectricConstant ; + rdfs:isDefinedBy ; + rdfs:label "electric constant"@en ; +. +constant:ElectromagneticPermeabilityOfVacuum + a qudt:PhysicalConstant ; + dcterms:description "\\(\\textbf{Permeability of Vacuum}\\), also known as \\(\\textit{Magnetic Constant}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product wuth the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:H-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:exactMatch constant:MagneticConstant ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Field magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,henry\\,per\\,metre\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_MagneticConstant ; + qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Permeability of Vacuum"@en ; +. +constant:ElectronChargeToMassQuotient + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronChargeToMassQuotient ; + rdfs:isDefinedBy ; + rdfs:label "electron charge to mass quotient"@en ; + skos:closeMatch ; +. +constant:ElectronDeuteronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronDeuteronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-deuteron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronDeuteronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronDeuteronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-deuteron mass ratio"@en ; +. +constant:ElectronGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGFactor ; + rdfs:isDefinedBy ; + rdfs:label "electron g factor"@en ; + skos:closeMatch ; +. +constant:ElectronGyromagneticRatio + a qudt:PhysicalConstant ; + dcterms:description "The \"Electron Gyromagnetic Ratio\" An isolated electron has an angular momentum and a magnetic moment resulting from its spin. While an electron's spin is sometimes visualized as a literal rotation about an axis, it is in fact a fundamentally different, quantum-mechanical phenomenon with no true analogue in classical physics. Consequently, there is no reason to expect the above classical relation to hold."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2-PER-J-SEC ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio#Gyromagnetic_ratio_for_an_isolated_electron"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\gamma_e J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma_e\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGyromagneticRatio ; + rdfs:isDefinedBy ; + rdfs:label "Electron Gyromagnetic Ratio"@en ; + skos:closeMatch ; +. +constant:ElectronGyromagneticRatioOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "electron gyromagnetic ratio over 2 pi"@en ; + skos:closeMatch ; +. +constant:ElectronMagneticMoment + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_magnetic_dipole_moment"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "electron magnetic moment"@en ; +. +constant:ElectronMagneticMomentAnomaly + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentAnomaly ; + rdfs:isDefinedBy ; + rdfs:label "electron magnetic moment anomaly"@en ; + skos:closeMatch ; +. +constant:ElectronMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; + skos:closeMatch ; +. +constant:ElectronMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; + skos:closeMatch ; +. +constant:ElectronMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:latexSymbol "\\(m_e\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_ElectronMass ; + qudt:ucumCode "[m_e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Electron Mass"@en ; + skos:closeMatch ; +. +constant:ElectronMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "electron mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:ElectronMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "electron mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:ElectronMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "electron mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:ElectronMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "electron molar mass"@en ; +. +constant:ElectronMuonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMuonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-muon magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronMuonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMuonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-muon mass ratio"@en ; +. +constant:ElectronNeutronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-neutron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronNeutronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronNeutronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-neutron mass ratio"@en ; +. +constant:ElectronProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-proton mass ratio"@en ; +. +constant:ElectronTauMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronTauMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron-tau mass ratio"@en ; +. +constant:ElectronToAlphaParticleMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToAlphaParticleMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron to alpha particle mass ratio"@en ; + skos:closeMatch ; +. +constant:ElectronToShieldedHelionMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToShieldedHelionMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron to shielded helion magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronToShieldedProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "electron to shielded proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ElectronVoltAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-hartree relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-hertz relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-inverse meter relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-joule relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-kelvin relationship"@en ; + skos:closeMatch ; +. +constant:ElectronVoltKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "electron volt-kilogram relationship"@en ; + skos:closeMatch ; +. +constant:ElementaryCharge + a qudt:AtomicUnit ; + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Elementary_charge"^^xsd:anyURI ; + qudt:exactMatch constant:AtomicUnitOfCharge ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Elementary_charge"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Elementary Charge\" is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron." ; + qudt:quantityValue constant:Value_ElementaryCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Elementary Charge"@en ; +. +constant:ElementaryChargeOverH + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElementaryChargeOverH ; + rdfs:isDefinedBy ; + rdfs:label "elementary charge over h"@en ; + skos:closeMatch ; +. +constant:FaradayConstant + a qudt:PhysicalConstant ; + dcterms:description "The \"Faraday Constant\" is the magnitude of electric charge per mole of electrons."^^rdf:HTML ; + qudt:abbreviation "c mol^{-1}" ; + qudt:applicableUnit unit:C-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Faraday_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(F = N_A e\\), where \\(N_A\\) is the Avogadro constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(F\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FaradayConstant ; + rdfs:isDefinedBy ; + rdfs:label "Faraday constant"@en ; +. +constant:FermiCouplingConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseSquareEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FermiCouplingConstant ; + rdfs:isDefinedBy ; + rdfs:label "Fermi coupling constant"@en ; + skos:closeMatch ; +. +constant:FineStructureConstant + a qudt:PhysicalConstant ; + dcterms:description "The \"Fine-structure Constant\" is a fundamental physical constant, namely the coupling constant characterizing the strength of the electromagnetic interaction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fine-structure_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fine-structure_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{e^2}{4\\pi\\varepsilon_0\\hbar c_0}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(\\hbar\\) is the reduced Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(a\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FineStructureConstant ; + rdfs:isDefinedBy ; + rdfs:label "Fine-Structure Constant"@en ; +. +constant:FirstRadiationConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FirstRadiationConstant ; + rdfs:isDefinedBy ; + rdfs:label "first radiation constant"@en ; +. +constant:FirstRadiationConstantForSpectralRadiance + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FirstRadiationConstantForSpectralRadiance ; + rdfs:isDefinedBy ; + rdfs:label "first radiation constant for spectral radiance"@en ; +. +constant:GravitationalConstant + a qudt:PhysicalConstant ; + dcterms:description "The gravitational constant (also known as the universal gravitational constant, the Newtonian constant of gravitation, or the Cavendish gravitational constant), denoted by the letter G, is an empirical physical constant involved in the calculation of gravitational effects in Sir Isaac Newton's law of universal gravitation and in Albert Einstein's general theory of relativity. (Wikipedia)"^^rdf:HTML ; + qudt:applicableUnit unit:N-M2-PER-KiloGM2 ; + qudt:hasQuantityKind quantitykind:GravitationalAttraction ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; + qudt:quantityValue constant:Value_GravitationalConstant ; + qudt:ucumCode "[G]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Gravitational constant"@en ; +. +constant:HartreeAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:HartreeElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:HartreeEnergy + a qudt:AtomicUnit ; + a qudt:PhysicalConstant ; + dcterms:description "Hartree Energy (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\textit{Hartree}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18\" J = 27.21138386(68) eV\\)."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_H= \\frac{e^2}{4\\pi \\varepsilon_0 a_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius."^^qudt:LatexString ; + qudt:latexSymbol "\\(E_h\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_HartreeEnergy ; + rdfs:isDefinedBy ; + rdfs:label "Hartree Energy"@en ; +. +constant:HartreeEnergyInEV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeEnergyInEV ; + rdfs:isDefinedBy ; + rdfs:label "Hartree energy in eV"@en ; + skos:closeMatch ; +. +constant:HartreeHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-hertz relationship"@en ; +. +constant:HartreeInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-inverse meter relationship"@en ; +. +constant:HartreeJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-joule relationship"@en ; +. +constant:HartreeKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-kelvin relationship"@en ; +. +constant:HartreeKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hartree-kilogram relationship"@en ; +. +constant:HelionElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "helion-electron mass ratio"@en ; +. +constant:HelionMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMass ; + rdfs:isDefinedBy ; + rdfs:label "helion mass"@en ; +. +constant:HelionMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "helion mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:HelionMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "helion mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:HelionMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "helion mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:HelionMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "helion molar mass"@en ; +. +constant:HelionProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "helion-proton mass ratio"@en ; +. +constant:HertzAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:HertzElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:HertzHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-hartree relationship"@en ; +. +constant:HertzInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-inverse meter relationship"@en ; +. +constant:HertzJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-joule relationship"@en ; +. +constant:HertzKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-kelvin relationship"@en ; +. +constant:HertzKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "hertz-kilogram relationship"@en ; +. +constant:InverseFineStructureConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseFineStructureConstant ; + rdfs:isDefinedBy ; + rdfs:label "inverse fine-structure constant"@en ; + skos:closeMatch ; +. +constant:InverseMeterAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:InverseMeterElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:InverseMeterHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-hartree relationship"@en ; +. +constant:InverseMeterHertzRelationship + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-hertz relationship"@en ; +. +constant:InverseMeterJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-joule relationship"@en ; +. +constant:InverseMeterKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-kelvin relationship"@en ; +. +constant:InverseMeterKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "inverse meter-kilogram relationship"@en ; +. +constant:InverseOfConductanceQuantum + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseOfConductanceQuantum ; + rdfs:isDefinedBy ; + rdfs:label "inverse of conductance quantum"@en ; + skos:closeMatch ; +. +constant:JosephsonConstant + a qudt:PhysicalConstant ; + qudt:applicableUnit unit:PER-WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_J = \\frac{1}{\\Phi_0}\\), where \\(\\Phi_0\\) is the magnetic flux quantum."^^qudt:LatexString ; + qudt:latexSymbol "\\(K_J\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JosephsonConstant ; + rdfs:isDefinedBy ; + rdfs:label "Josephson Constant"@en ; + skos:closeMatch quantitykind:MagneticFluxQuantum ; +. +constant:JouleAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:JouleElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:JouleHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-hartree relationship"@en ; +. +constant:JouleHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-hertz relationship"@en ; +. +constant:JouleInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-inverse meter relationship"@en ; +. +constant:JouleKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-kelvin relationship"@en ; +. +constant:JouleKilogramRelationship + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "joule-kilogram relationship"@en ; +. +constant:KelvinAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:KelvinElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:KelvinHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-hartree relationship"@en ; +. +constant:KelvinHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-hertz relationship"@en ; +. +constant:KelvinInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-inverse meter relationship"@en ; +. +constant:KelvinJouleRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-joule relationship"@en ; +. +constant:KelvinKilogramRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinKilogramRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kelvin-kilogram relationship"@en ; +. +constant:KilogramAtomicMassUnitRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-atomic mass unit relationship"@en ; + skos:closeMatch ; +. +constant:KilogramElectronVoltRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramElectronVoltRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-electron volt relationship"@en ; + skos:closeMatch ; +. +constant:KilogramHartreeRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramHartreeRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-hartree relationship"@en ; +. +constant:KilogramHertzRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramHertzRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-hertz relationship"@en ; +. +constant:KilogramInverseMeterRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramInverseMeterRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-inverse meter relationship"@en ; +. +constant:KilogramJouleRelationship + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramJouleRelationship ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram-Joule Relationship"@en ; +. +constant:KilogramKelvinRelationship + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramKelvinRelationship ; + rdfs:isDefinedBy ; + rdfs:label "kilogram-kelvin relationship"@en ; +. +constant:LatticeParameterOfSilicon + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LatticeParameterOfSilicon ; + rdfs:isDefinedBy ; + rdfs:label "lattice parameter of silicon"@en ; +. +constant:LatticeSpacingOfSilicon + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LatticeSpacingOfSilicon ; + rdfs:isDefinedBy ; + rdfs:label "lattice spacing of silicon"@en ; +. + + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LoschmidtConstant ; + rdfs:isDefinedBy ; + rdfs:label "Loschmidt constant 273.15 K 101.325 kPa"@en ; + skos:closeMatch ; +. +constant:MagneticConstant + a qudt:PhysicalConstant ; + dcterms:description "\\(\\textbf{Magentic Constant}\\), also known as \\(\\textit{Permeability of Vacuum}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product with the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^rdf:HTML ; + qudt:abbreviation "magnetic-constant" ; + qudt:applicableUnit unit:H-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:exactMatch constant:ElectromagneticPermeabilityOfVacuum ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Filed magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,H/M\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_MagneticConstant ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Constant"@en ; +. +constant:MagneticFluxQuantum + a qudt:PhysicalConstant ; + dcterms:description "\"Magnetic Flux Quantum\" is the quantum of magnetic flux passing through a superconductor."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi_0 = \\frac{h}{2e}\\), where \\(h\\) is the Planck constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi_0\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MagneticFluxQuantum ; + rdfs:isDefinedBy ; + rdfs:label "magnetic flux quantum"@en ; +. +constant:MoXUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MoXUnit ; + rdfs:isDefinedBy ; + rdfs:label "Mo x unit"@en ; + skos:closeMatch ; +. +constant:MolarGasConstant + a qudt:PhysicalConstant ; + dcterms:description "The \"Molar Gas Constant\" (also known as the gas constant, universal, or ideal gas constant, denoted by the symbol R) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. It is equivalent to the Boltzmann constant, but expressed in units of energy (i.e. the pressure-volume product) per temperature increment per mole (rather than energy per temperature increment per particle)."^^rdf:HTML ; + qudt:abbreviation "j-mol^{-1}-k^{-1}" ; + qudt:applicableUnit unit:J-PER-MOL-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gas_constant"^^xsd:anyURI ; + qudt:exactMatch constant:UniversalGasConstant ; + qudt:hasDimensionVector ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gas_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(pV_m = RT\\), where \\(p\\) is pressure, \\(V_m\\) is molar volume, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarGasConstant ; + rdfs:isDefinedBy ; + rdfs:label "molar gas constant"@en ; +. +constant:MolarMassConstant + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass_constant"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarMassConstant ; + rdfs:isDefinedBy ; + rdfs:label "molar mass constant"@en ; +. +constant:MolarMassOfCarbon12 + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarMassOfCarbon12 ; + rdfs:isDefinedBy ; + rdfs:label "molar mass of carbon-12"@en ; +. +constant:MolarPlanckConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarPlanckConstant ; + rdfs:isDefinedBy ; + rdfs:label "molar Planck constant"@en ; + skos:closeMatch ; +. +constant:MolarPlanckConstantTimesC + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarPlanckConstantTimesC ; + rdfs:isDefinedBy ; + rdfs:label "molar Planck constant times c"@en ; + skos:closeMatch ; +. + + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; + rdfs:isDefinedBy ; + rdfs:label "molar volume of ideal gas 273.15 K 100 kPa"@en ; +. + + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; + rdfs:isDefinedBy ; + rdfs:label "molar volume of ideal gas 273.15 K 101.325 kPa"@en ; +. +constant:MolarVolumeOfSilicon + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfSilicon ; + rdfs:isDefinedBy ; + rdfs:label "molar volume of silicon"@en ; +. +constant:MuonComptonWavelength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonComptonWavelength ; + rdfs:isDefinedBy ; + rdfs:label "muon Compton wavelength"@en ; + skos:closeMatch ; +. +constant:MuonComptonWavelengthOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "muon Compton wavelength over 2 pi"@en ; + skos:closeMatch ; +. +constant:MuonElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon-electron mass ratio"@en ; +. +constant:MuonGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonGFactor ; + rdfs:isDefinedBy ; + rdfs:label "muon g factor"@en ; + skos:closeMatch ; +. +constant:MuonMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "muon magnetic moment"@en ; + skos:closeMatch ; +. +constant:MuonMagneticMomentAnomaly + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentAnomaly ; + rdfs:isDefinedBy ; + rdfs:label "muon magnetic moment anomaly"@en ; + skos:closeMatch ; +. +constant:MuonMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:MuonMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:MuonMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMass ; + rdfs:isDefinedBy ; + rdfs:label "muon mass"@en ; +. +constant:MuonMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "muon mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:MuonMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "muon mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:MuonMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "muon mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:MuonMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "muon molar mass"@en ; +. +constant:MuonNeutronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonNeutronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon-neutron mass ratio"@en ; +. +constant:MuonProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon-proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:MuonProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon-proton mass ratio"@en ; +. +constant:MuonTauMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonTauMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "muon-tau mass ratio"@en ; +. +constant:NaturalUnitOfAction + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfAction ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of action"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfActionInEVS + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfActionInEVS ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of action in eV s"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfEnergy + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfEnergy ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of energy"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfEnergyInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfEnergyInMeV ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of energy in MeV"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfLength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfLength ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of length"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMass ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of mass"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfMomentum + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMomentum ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of momentum"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfMomentumInMeV-PER-c + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMomentumInMeVPerC ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of momentum in MeV PER c"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfTime + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfTime ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of time"@en ; + skos:closeMatch ; +. +constant:NaturalUnitOfVelocity + a qudt:PhysicalConstant ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfVelocity ; + rdfs:isDefinedBy ; + rdfs:label "natural unit of velocity"@en ; + skos:closeMatch ; +. +constant:NeutronComptonWavelength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronComptonWavelength ; + rdfs:isDefinedBy ; + rdfs:label "neutron Compton wavelength"@en ; + skos:closeMatch ; +. +constant:NeutronComptonWavelengthOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "neutron Compton wavelength over 2 pi"@en ; + skos:closeMatch ; +. +constant:NeutronElectronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-electron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:NeutronElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-electron mass ratio"@en ; +. +constant:NeutronGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGFactor ; + rdfs:isDefinedBy ; + rdfs:label "neutron g factor"@en ; + skos:closeMatch ; +. +constant:NeutronGyromagneticRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGyromagneticRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron gyromagnetic ratio"@en ; + skos:closeMatch ; +. +constant:NeutronGyromagneticRatioOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "neutron gyromagnetic ratio over 2 pi"@en ; + skos:closeMatch ; +. +constant:NeutronMagneticMoment + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Neutron_magnetic_moment"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "neutron magnetic moment"@en ; +. +constant:NeutronMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; + skos:closeMatch ; +. +constant:NeutronMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; + skos:closeMatch ; +. +constant:NeutronMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMass ; + rdfs:isDefinedBy ; + rdfs:label "neutron mass"@en ; + skos:closeMatch ; +. +constant:NeutronMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "neutron mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:NeutronMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "neutron mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:NeutronMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "neutron mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:NeutronMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "neutron molar mass"@en ; +. +constant:NeutronMuonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMuonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-muon mass ratio"@en ; +. +constant:NeutronProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:NeutronProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-proton mass ratio"@en ; +. +constant:NeutronTauMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronTauMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron-tau mass ratio"@en ; +. +constant:NeutronToShieldedProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "neutron to shielded proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:NewtonianConstantOfGravitation + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gravitational_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:GravitationalAttraction ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NewtonianConstantOfGravitation ; + rdfs:isDefinedBy ; + rdfs:label "Newtonian constant of gravitation"@en ; +. +constant:NuclearMagneton + a qudt:PhysicalConstant ; + dcterms:description "The \"Nuclear Magneton\" is the natural unit for expressing magnetic dipole moments of heavy particles such as nucleons and atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nuclear_magneton"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_magneton"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_N = \\frac{e\\hbar}{2m_p}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_p\\) is the rest mass of proton."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_N\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagneton ; + rdfs:isDefinedBy ; + rdfs:label "Nuclear Magneton"@en ; + skos:related quantitykind:BohrMagneton ; +. +constant:NuclearMagnetonInEVPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInEVPerT ; + rdfs:isDefinedBy ; + rdfs:label "nuclear magneton in eV per T"@en ; + skos:closeMatch ; +. +constant:NuclearMagnetonInInverseMetersPerTesla + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInInverseMetersPerTesla ; + rdfs:isDefinedBy ; + rdfs:label "nuclear magneton in inverse meters per tesla"@en ; + skos:closeMatch ; +. +constant:NuclearMagnetonInKPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInKPerT ; + rdfs:isDefinedBy ; + rdfs:label "nuclear magneton in K per T"@en ; + skos:closeMatch ; +. +constant:NuclearMagnetonInMHzPerT + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInMHzPerT ; + rdfs:isDefinedBy ; + rdfs:label "nuclear magneton in MHz per T"@en ; + skos:closeMatch ; +. +constant:PermittivityOfVacuum + a qudt:PhysicalConstant ; + dcterms:description "\\(\\textbf{Permittivity of Vacuum}\\), also known as the \\(\\textit{electric constant}\\) is a constant whose value is \\(\\approx\\,6.854188e-12\\, farad\\,per\\,metre\\). Sometimes also referred to as the \\(textit{Permittivity of Free Space}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:FARAD-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon = \\frac{\\mathbf{D}}{\\mathbf{E}}\\), where \\(\\mathbf{D}\\) is electric flux density and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PermittivityOfVacuum ; + qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Permittivity of Vacuum"@en ; + rdfs:seeAlso quantitykind:ElectricFieldStrength ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; + rdfs:seeAlso quantitykind:Permittivity ; +. +constant:Pi + a qudt:PhysicalConstant ; + dcterms:description "The constant \\(\\pi\\) is the ratio of a circle's circumference to its diameter, commonly approximated as 3.14159."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pi"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\pi = \\frac{C}{d}\\), where \\(C\\) is the circumference of a circle and \\(d\\) is the diameter of a circle."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\pi\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_Pi ; + rdfs:isDefinedBy ; + rdfs:label "Pi"@en ; +. +constant:PlanckConstant + a qudt:PhysicalConstant ; + dcterms:description "The \"Planck Constant\" is a physical constant that is the quantum of action in quantum mechanics. The Planck constant was first described as the proportionality constant between the energy (\\(E\\)) of a photon and the frequency (\\(\\nu\\)) of its associated electromagnetic wave."^^qudt:LatexString ; + qudt:applicableUnit unit:J-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_constant"^^xsd:anyURI ; + qudt:hasDimensionVector ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = h\\nu = \\frac{hc}{\\lambda}\\), where \\(E\\) is energy, \\(\\nu\\) is frequency, \\(\\lambda\\) is wavelength, and \\(c\\) is the speed of light."^^qudt:LatexString ; + qudt:latexSymbol "\\(h\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PlanckConstant ; + qudt:ucumCode "[h]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Planck Constant"@en ; +. +constant:PlanckConstantInEVS + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantInEVS ; + rdfs:isDefinedBy ; + rdfs:label "Planck constant in eV s"@en ; + skos:closeMatch ; +. +constant:PlanckConstantOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "Planck constant over 2 pi"@en ; + skos:closeMatch ; +. +constant:PlanckConstantOver2PiInEVS + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2PiInEVS ; + rdfs:isDefinedBy ; + rdfs:label "Planck constant over 2 pi in eV s"@en ; + skos:closeMatch ; +. +constant:PlanckConstantOver2PiTimesCInMeVFm + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LengthEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2PiTimesCInMeVFm ; + rdfs:isDefinedBy ; + rdfs:label "Planck constant over 2 pi times c in MeV fm"@en ; + skos:closeMatch ; +. +constant:PlanckLength + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckLength ; + rdfs:isDefinedBy ; + rdfs:label "Planck length"@en ; +. +constant:PlanckMass + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckMass ; + rdfs:isDefinedBy ; + rdfs:label "Planck mass"@en ; +. +constant:PlanckMassEnergyEquivalentInGeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckMassEnergyEquivalentInGeV ; + rdfs:isDefinedBy ; + rdfs:label "Planck mass energy equivalent in GeV"@en ; + skos:closeMatch ; +. +constant:PlanckTemperature + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_temperature"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckTemperature ; + rdfs:isDefinedBy ; + rdfs:label "Planck temperature"@en ; +. +constant:PlanckTime + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckTime ; + rdfs:isDefinedBy ; + rdfs:label "Planck time"@en ; +. +constant:ProtonChargeToMassQuotient + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonChargeToMassQuotient ; + rdfs:isDefinedBy ; + rdfs:label "proton charge to mass quotient"@en ; + skos:closeMatch ; +. +constant:ProtonComptonWavelength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonComptonWavelength ; + rdfs:isDefinedBy ; + rdfs:label "proton Compton wavelength"@en ; + skos:closeMatch ; +. +constant:ProtonComptonWavelengthOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "proton Compton wavelength over 2 pi"@en ; + skos:closeMatch ; +. +constant:ProtonElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton-electron mass ratio"@en ; +. +constant:ProtonGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGFactor ; + rdfs:isDefinedBy ; + rdfs:label "proton g factor"@en ; + skos:closeMatch ; +. +constant:ProtonGyromagneticRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGyromagneticRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton gyromagnetic ratio"@en ; + skos:closeMatch ; +. +constant:ProtonGyromagneticRatioOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "proton gyromagnetic ratio over 2 pi"@en ; + skos:closeMatch ; +. +constant:ProtonMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "proton magnetic moment"@en ; + skos:closeMatch ; +. +constant:ProtonMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:ProtonMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:ProtonMagneticShieldingCorrection + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticShieldingCorrection ; + rdfs:isDefinedBy ; + rdfs:label "proton mag. shielding correction"@en ; +. +constant:ProtonMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMass ; + qudt:ucumCode "[m_p]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "proton mass"@en ; + skos:closeMatch ; +. +constant:ProtonMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "proton mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:ProtonMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "proton mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:ProtonMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "proton mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:ProtonMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "proton molar mass"@en ; +. +constant:ProtonMuonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMuonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton-muon mass ratio"@en ; +. +constant:ProtonNeutronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton-neutron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ProtonNeutronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonNeutronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton-neutron mass ratio"@en ; +. +constant:ProtonRmsChargeRadius + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonRmsChargeRadius ; + rdfs:isDefinedBy ; + rdfs:label "proton rms charge radius"@en ; + skos:closeMatch ; +. +constant:ProtonTauMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonTauMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "proton-tau mass ratio"@en ; +. +constant:QuantumOfCirculation + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Circulation ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_QuantumOfCirculation ; + rdfs:isDefinedBy ; + rdfs:label "quantum of circulation"@en ; + skos:closeMatch ; +. +constant:QuantumOfCirculationTimes2 + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Circulation ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_QuantumOfCirculationTimes2 ; + rdfs:isDefinedBy ; + rdfs:label "quantum of circulation times 2"@en ; + skos:closeMatch ; +. +constant:ReducedPlanckConstant + a qudt:PhysicalConstant ; + dcterms:description "\"The \\(\\textit{Reduced Planck Constant}\\), or \\(\\textit{Dirac Constant}\\), is used in applications where frequency is expressed in terms of radians per second (\\(\\textit{angular frequency}\\)) instead of cycles per second. In such cases a factor of \\(\\(2\\pi\\) is absorbed into the constant.\"^^qudt:LatexString"^^rdf:HTML ; + qudt:applicableUnit unit:J-SEC ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\hbar = \\frac{h}{2\\pi}\\), where \\(h\\) is the Planck constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\hbar\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "Reduced Planck Constant"@en ; + skos:broader constant:PlanckConstant ; +. +constant:RydbergConstant + a qudt:PhysicalConstant ; + dcterms:description "The Rydberg constant, symbol R, named after the Swedish physicist Johannes Rydberg, is a physical constant relating to atomic spectra, in the science of spectroscopy. The constant first arose as an empirical fitting parameter in the Rydberg formula for the hydrogen spectral series, but Niels Bohr later showed that its value could be calculated from more fundamental constants, explaining the relationship via his 'Bohr model'. The quantity \\(R_y = R_\\infty \\cdot hc_0\\) is called \"Rydberg Energy\"."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rydberg_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rydberg_constant"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_\\infty = \\frac{e^2}{8\\pi \\varepsilon_0 a_0 h c_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, \\(a_0\\)is the Bohr radius, \\(\\h\\) is the Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\(R_\\infty\\)\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstant ; + rdfs:isDefinedBy ; + rdfs:label "Rydberg constant"@en ; +. +constant:RydbergConstantTimesCInHz + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesCInHz ; + rdfs:isDefinedBy ; + rdfs:label "Rydberg constant times c in Hz"@en ; + skos:closeMatch ; +. +constant:RydbergConstantTimesHcInEV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesHcInEV ; + rdfs:isDefinedBy ; + rdfs:label "Rydberg constant times hc in eV"@en ; + skos:closeMatch ; +. +constant:RydbergConstantTimesHcInJ + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesHcInJ ; + rdfs:isDefinedBy ; + rdfs:label "Rydberg constant times hc in J"@en ; + skos:closeMatch ; +. +constant:SackurTetrodeConstant1K100KPa + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_SackurTetrodeConstant1K100KPa ; + rdfs:isDefinedBy ; + rdfs:label "Sackur-Tetrode constant 1 K 100 kPa"@en ; +. + + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue ; + rdfs:isDefinedBy ; + rdfs:label "Sackur-Tetrode constant 1 K 101.325 kPa"@en ; +. +constant:SecondRadiationConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_SecondRadiationConstant ; + rdfs:isDefinedBy ; + rdfs:label "second radiation constant"@en ; +. +constant:ShieldedHelionGyromagneticRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion gyromagnetic ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionGyromagneticRatioOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion gyromagnetic ratio over 2 pi"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion magnetic moment"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionToProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionToProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion to proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedHelionToShieldedProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded helion to shielded proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedProtonGyromagneticRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded proton gyromagnetic ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedProtonGyromagneticRatioOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "shielded proton gyromagnetic ratio over 2 pi"@en ; + skos:closeMatch ; +. +constant:ShieldedProtonMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "shielded proton magnetic moment"@en ; + skos:closeMatch ; +. +constant:ShieldedProtonMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded proton magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:ShieldedProtonMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "shielded proton magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:SpeedOfLight_Vacuum + a qudt:PhysicalConstant ; + dcterms:description "The speed of light in vacuum, commonly is a universal physical constant important in many areas of physics. Its value is 299,792,458 metres per second, a figure that is exact because the length of the metre is defined from this constant and the international standard for time."^^rdf:HTML ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:informativeReference "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_light"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_0 = 1 / \\sqrt{\\epsilon_0 \\mu_0}\\), where {\\epsilon_0} is the permittivity of vacuum, and \\(\\mu_0\\) is the magnetic constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(C_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_SpeedOfLight_Vacuum ; + qudt:quantityValue constant:Value_SpeedOfLight_Vacuum_Imperial ; + qudt:ucumCode "[c]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Speed of Light (vacuum)"@en ; + rdfs:seeAlso constant:MagneticConstant ; + rdfs:seeAlso constant:PermittivityOfVacuum ; +. +constant:StandardAccelerationOfGravity + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravity"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StandardAccelerationOfGravity ; + rdfs:isDefinedBy ; + rdfs:label "standard acceleration of gravity"@en ; +. +constant:StandardAtmosphere + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_atmosphere"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Pressure ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StandardAtmosphere ; + rdfs:isDefinedBy ; + rdfs:label "standard atmosphere"@en ; +. +constant:StefanBoltzmannConstant + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stefan%E2%80%93Boltzmann_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StefanBoltzmannConstant ; + rdfs:isDefinedBy ; + rdfs:label "Stefan-Boltzmann Constant"@en ; +. +constant:TauComptonWavelength + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauComptonWavelength ; + rdfs:isDefinedBy ; + rdfs:label "tau Compton wavelength"@en ; + skos:closeMatch ; +. +constant:TauComptonWavelengthOver2Pi + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + rdfs:label "tau Compton wavelength over 2 pi"@en ; + skos:closeMatch ; +. +constant:TauElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "tau-electron mass ratio"@en ; +. +constant:TauMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMass ; + rdfs:isDefinedBy ; + rdfs:label "tau mass"@en ; +. +constant:TauMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "tau mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:TauMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "tau mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:TauMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "tau mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:TauMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "tau molar mass"@en ; +. +constant:TauMuonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMuonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "tau-muon mass ratio"@en ; +. +constant:TauNeutronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauNeutronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "tau-neutron mass ratio"@en ; +. +constant:TauProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "tau-proton mass ratio"@en ; +. +constant:ThomsonCrossSection + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thomson_scattering"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ThomsonCrossSection ; + rdfs:isDefinedBy ; + rdfs:label "Thomson cross section"@en ; +. +constant:TritonElectronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton-electron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:TritonElectronMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonElectronMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton-electron mass ratio"@en ; +. +constant:TritonGFactor + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonGFactor ; + rdfs:isDefinedBy ; + rdfs:label "triton g factor"@en ; + skos:closeMatch ; +. +constant:TritonMagneticMoment + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMoment ; + rdfs:isDefinedBy ; + rdfs:label "triton magnetic moment"@en ; + skos:closeMatch ; +. +constant:TritonMagneticMomentToBohrMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton magnetic moment to Bohr magneton ratio"@en ; + skos:closeMatch ; +. +constant:TritonMagneticMomentToNuclearMagnetonRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton magnetic moment to nuclear magneton ratio"@en ; + skos:closeMatch ; +. +constant:TritonMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMass ; + rdfs:isDefinedBy ; + rdfs:label "triton mass"@en ; +. +constant:TritonMassEnergyEquivalent + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + rdfs:label "triton mass energy equivalent"@en ; + skos:closeMatch ; +. +constant:TritonMassEnergyEquivalentInMeV + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + rdfs:label "triton mass energy equivalent in MeV"@en ; + skos:closeMatch ; +. +constant:TritonMassInAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + rdfs:label "triton mass in atomic mass unit"@en ; + skos:closeMatch ; +. +constant:TritonMolarMass + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMolarMass ; + rdfs:isDefinedBy ; + rdfs:label "triton molar mass"@en ; +. +constant:TritonNeutronMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton-neutron magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:TritonProtonMagneticMomentRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton-proton magnetic moment ratio"@en ; + skos:closeMatch ; +. +constant:TritonProtonMassRatio + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonProtonMassRatio ; + rdfs:isDefinedBy ; + rdfs:label "triton-proton mass ratio"@en ; +. +constant:UnifiedAtomicMassUnit + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_UnifiedAtomicMassUnit ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "unified atomic mass unit"@en ; +. +constant:UniversalGasConstant + a qudt:PhysicalConstant ; + qudt:exactMatch constant:MolarGasConstant ; + qudt:hasDimensionVector ; + qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; + qudt:plainTextDescription """The gas constant (also known as the molar, universal, or ideal gas constant) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. +Physically, the gas constant is the constant of proportionality that happens to relate the energy scale in physics to the temperature scale, when a mole of particles at the stated temperature is being considered.""" ; + qudt:quantityValue constant:Value_MolarGasConstant ; + rdfs:isDefinedBy ; + rdfs:label "Universal Gas Constant"@en ; +. +constant:Value_AlphaParticleElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000031"^^xsd:double ; + qudt:value "7294.299537"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsme#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle-electron mass ratio" ; +. +constant:Value_AlphaParticleMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:relativeStandardUncertainty 5.0e-8 ; + qudt:standardUncertainty 0.00000033e-27 ; + qudt:value 6.64465620e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mal#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle mass" ; +. +constant:Value_AlphaParticleMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000030e-10 ; + qudt:value 5.97191917e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle mass energy equivalent" ; +. +constant:Value_AlphaParticleMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000093"^^xsd:double ; + qudt:value "3727.379109"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle mass energy equivalent in MeV" ; +. +constant:Value_AlphaParticleMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000000062"^^xsd:double ; + qudt:value "4.001506179127"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malu#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle mass in atomic mass unit" ; +. +constant:Value_AlphaParticleMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000062e-3 ; + qudt:value 4.001506179127e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmal#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle molar mass" ; +. +constant:Value_AlphaParticleProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000041"^^xsd:double ; + qudt:value "3.97259968951"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsmp#mid"^^xsd:anyURI ; + rdfs:label "Value for alpha particle-proton mass ratio" ; +. +constant:Value_AngstromStar + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000090e-10 ; + qudt:value 1.00001498e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?angstar#mid"^^xsd:anyURI ; + rdfs:label "Value for Angstrom star" ; +. +constant:Value_AtomicMassConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000083e-27 ; + qudt:value 1.660538782e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?u#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass constant" ; +. +constant:Value_AtomicMassConstantEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000074e-10 ; + qudt:value 1.492417830e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tuj#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass constant energy equivalent" ; +. +constant:Value_AtomicMassConstantEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000023"^^xsd:double ; + qudt:value "931.494028"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass constant energy equivalent in MeV" ; +. +constant:Value_AtomicMassUnitElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000023e6 ; + qudt:value 931.494028e6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uev#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-electron volt relationship" ; +. +constant:Value_AtomicMassUnitHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000049e7 ; + qudt:value 3.4231777149e7 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhr#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-hartree relationship" ; +. +constant:Value_AtomicMassUnitHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000032e23 ; + qudt:value 2.2523427369e23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhz#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-hertz relationship" ; +. +constant:Value_AtomicMassUnitInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000011e14 ; + qudt:value 7.513006671e14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uminv#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-inverse meter relationship" ; +. +constant:Value_AtomicMassUnitJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000074e-10 ; + qudt:value 1.492417830e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uj#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-joule relationship" ; +. +constant:Value_AtomicMassUnitKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000019e13 ; + qudt:value 1.0809527e13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uk#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-kelvin relationship" ; +. +constant:Value_AtomicMassUnitKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000083e-27 ; + qudt:value 1.660538782e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ukg#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic mass unit-kilogram relationship" ; +. +constant:Value_AtomicUnitOf1stHyperpolarizability + a qudt:ConstantValue ; + qudt:hasUnit unit:C3-M-PER-J2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000081e-53 ; + qudt:value 3.206361533e-53 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auhypol#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of 1st hyperpolarizability" ; +. +constant:Value_AtomicUnitOf2ndHyperpolarizability + a qudt:ConstantValue ; + qudt:hasUnit unit:C4-M4-PER-J3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000031e-65 ; + qudt:value 6.23538095e-65 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?au2hypol#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of 2nd hyperpolarizability" ; +. +constant:Value_AtomicUnitOfAction + a qudt:ConstantValue ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000053e-34 ; + qudt:value 1.054571628e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tthbar#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of action" ; +. +constant:Value_AtomicUnitOfCharge + a qudt:ConstantValue ; + qudt:hasUnit unit:C ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000040e-19 ; + qudt:value 1.602176487e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?te#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of charge" ; +. +constant:Value_AtomicUnitOfChargeDensity + a qudt:ConstantValue ; + qudt:hasUnit unit:C-PER-M3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000027e12 ; + qudt:value 1.081202300e12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucd#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of charge density" ; +. +constant:Value_AtomicUnitOfCurrent + a qudt:ConstantValue ; + qudt:hasUnit unit:A ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000017e-3 ; + qudt:value 6.62361763e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucur#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of current" ; +. +constant:Value_AtomicUnitOfElectricDipoleMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:C-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000021e-30 ; + qudt:value 8.47835281e-30 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auedm#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric dipole mom." ; +. +constant:Value_AtomicUnitOfElectricField + a qudt:ConstantValue ; + qudt:hasUnit unit:V-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000013e11 ; + qudt:value 5.14220632e11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefld#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric field" ; +. +constant:Value_AtomicUnitOfElectricFieldGradient + a qudt:ConstantValue ; + qudt:hasUnit unit:V-PER-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000024e21 ; + qudt:value 9.71736166e21 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefg#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric field gradient" ; +. +constant:Value_AtomicUnitOfElectricPolarizability + a qudt:ConstantValue ; + qudt:hasUnit unit:C2-M2-PER-J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000034e-41 ; + qudt:value 1.6487772536e-41 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auepol#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric polarizability" ; +. +constant:Value_AtomicUnitOfElectricPotential + a qudt:ConstantValue ; + qudt:hasUnit unit:V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000068"^^xsd:double ; + qudt:value "27.21138386"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auep#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric potential" ; +. +constant:Value_AtomicUnitOfElectricQuadrupoleMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:C-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000011e-40 ; + qudt:value 4.48655107e-40 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aueqm#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of electric quadrupole moment" ; +. +constant:Value_AtomicUnitOfEnergy + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000022e-18 ; + qudt:value 4.35974394e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thr#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of energy" ; +. +constant:Value_AtomicUnitOfForce + a qudt:ConstantValue ; + qudt:hasUnit unit:N ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000041e-8 ; + qudt:value 8.23872206e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auforce#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of force" ; +. +constant:Value_AtomicUnitOfLength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000036e-10 ; + qudt:value 0.52917720859e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tbohrrada0#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of length" ; +. +constant:Value_AtomicUnitOfMagneticDipoleMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000046e-23 ; + qudt:value 1.854801830e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumdm#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of magnetic dipole moment" ; +. +constant:Value_AtomicUnitOfMagneticFluxDensity + a qudt:ConstantValue ; + qudt:hasUnit unit:T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000059e5 ; + qudt:value 2.350517382e5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumfd#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of magnetic flux density" ; +. +constant:Value_AtomicUnitOfMagnetizability + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000027e-29 ; + qudt:value 7.891036433e-29 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumag#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of magnetizability" ; +. +constant:Value_AtomicUnitOfMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000045e-31 ; + qudt:value 9.10938215e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ttme#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of mass" ; +. +constant:Value_AtomicUnitOfMomentum + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000099e-24 ; + qudt:value 1.992851565e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumom#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of momentum" ; +. +constant:Value_AtomicUnitOfPermittivity + a qudt:ConstantValue ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.112650056e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auperm#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of permittivity" ; +. +constant:Value_AtomicUnitOfTime + a qudt:ConstantValue ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000016e-1 ; + qudt:value 2.418884326505e-17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aut#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of time" ; +. +constant:Value_AtomicUnitOfVelocity + a qudt:ConstantValue ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000015e6 ; + qudt:value 2.1876912541e6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auvel#mid"^^xsd:anyURI ; + rdfs:label "Value for atomic unit of velocity" ; +. +constant:Value_AvogadroConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000030e23 ; + qudt:value 6.02214179e23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?na#mid"^^xsd:anyURI ; + rdfs:label "Value for Avogadro constant" ; +. +constant:Value_BohrMagneton + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000023e-26 ; + qudt:value 927.400915e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mub#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr magneton" ; +. +constant:Value_BohrMagnetonInEVPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000079e-5 ; + qudt:value 5.7883817555e-5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubev#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr magneton in eV per T" ; +. +constant:Value_BohrMagnetonInHzPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000035e9 ; + qudt:value 13.99624604e9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshhz#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr magneton in Hz perT" ; +. +constant:Value_BohrMagnetonInInverseMetersPerTesla + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000012"^^xsd:double ; + qudt:value "46.6864515"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshcminv#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr magneton in inverse meters per tesla" ; +. +constant:Value_BohrMagnetonInKPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:K-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000012"^^xsd:double ; + qudt:value "0.6717131"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubskk#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr magneton in K per T" ; +. +constant:Value_BohrRadius + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000036e-10 ; + qudt:value 0.52917720859e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bohrrada0#mid"^^xsd:anyURI ; + rdfs:label "Value for Bohr radius" ; +. +constant:Value_BoltzmannConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000024e-23 ; + qudt:value 1.3806504e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?k#mid"^^xsd:anyURI ; + rdfs:label "Value for Boltzmann constant" ; +. +constant:Value_BoltzmannConstantInEVPerK + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000015e-5 ; + qudt:value 8.617343e-5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tkev#mid"^^xsd:anyURI ; + rdfs:label "Value for Boltzmann constant in eV per K" ; +. +constant:Value_BoltzmannConstantInHzPerK + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000036e10 ; + qudt:value 2.0836644e10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshhz#mid"^^xsd:anyURI ; + rdfs:label "Value for Boltzmann constant in Hz per K" ; +. +constant:Value_BoltzmannConstantInInverseMetersPerKelvin + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00012"^^xsd:double ; + qudt:value "69.50356"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshcminv#mid"^^xsd:anyURI ; + rdfs:label "Value for Boltzmann constant in inverse meters per kelvin" ; +. +constant:Value_CharacteristicImpedanceOfVacuum + a qudt:ConstantValue ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "376.730313461"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?z0#mid"^^xsd:anyURI ; + rdfs:label "Value for characteristic impedance of vacuum" ; +. +constant:Value_ClassicalElectronRadius + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000058e-15 ; + qudt:value 2.8179402894e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?re#mid"^^xsd:anyURI ; + rdfs:label "Value for classical electron radius" ; +. +constant:Value_ComptonWavelength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000033e-12 ; + qudt:value 2.4263102175e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwl#mid"^^xsd:anyURI ; + rdfs:label "Value for Compton wavelength" ; +. +constant:Value_ComptonWavelengthOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000053e-15 ; + qudt:value 386.15926459e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for Compton wavelength over 2 pi" ; +. +constant:Value_ConductanceQuantum + a qudt:ConstantValue ; + qudt:hasUnit unit:S ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000053e-5 ; + qudt:value 7.7480917004e-5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?conqu2e2sh#mid"^^xsd:anyURI ; + rdfs:label "Value for conductance quantum" ; +. +constant:Value_ConventionalValueOfJosephsonConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ-PER-V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 483597.9e9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj90#mid"^^xsd:anyURI ; + rdfs:label "Value for conventional value of Josephson constant" ; +. +constant:Value_ConventionalValueOfVonKlitzingConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "25812.807"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk90#mid"^^xsd:anyURI ; + rdfs:label "Value for conventional value of von Klitzing constant" ; +. +constant:Value_CuXUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000028e-13 ; + qudt:value 1.00207699e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xucukalph1#mid"^^xsd:anyURI ; + rdfs:label "Value for Cu x unit" ; +. +constant:Value_DeuteronElectronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000039e-4 ; + qudt:value -4.664345537e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmuem#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron-electron magnetic moment ratio" ; +. +constant:Value_DeuteronElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000016"^^xsd:double ; + qudt:value "3670.4829654"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsme#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron-electron mass ratio" ; +. +constant:Value_DeuteronGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000072"^^xsd:double ; + qudt:value "0.8574382308"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gdn#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron g factor" ; +. +constant:Value_DeuteronMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000011e-26 ; + qudt:value 0.433073465e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mud#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron magnetic moment" ; +. +constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000039e-3 ; + qudt:value 0.4669754556e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron magnetic moment to Bohr magneton ratio" ; +. +constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000072"^^xsd:double ; + qudt:value "0.8574382308"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron magnetic moment to nuclear magneton ratio" ; +. +constant:Value_DeuteronMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000017e-27 ; + qudt:value 3.34358320e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?md#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron mass" ; +. +constant:Value_DeuteronMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000015e-10 ; + qudt:value 3.00506272e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron mass energy equivalent" ; +. +constant:Value_DeuteronMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000047"^^xsd:double ; + qudt:value "1875.612793"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron mass energy equivalent in MeV" ; +. +constant:Value_DeuteronMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000000078"^^xsd:double ; + qudt:value "2.013553212724"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdu#mid"^^xsd:anyURI ; + rdfs:label "Deuteron Mass (amu)" ; +. +constant:Value_DeuteronMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000078e-3 ; + qudt:value 2.013553212724e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmd#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron molar mass" ; +. +constant:Value_DeuteronNeutronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000011"^^xsd:double ; + qudt:value "-0.44820652"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmunn#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron-neutron magnetic moment ratio" ; +. +constant:Value_DeuteronProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000024"^^xsd:double ; + qudt:value "0.3070122070"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron-proton magnetic moment ratio" ; +. +constant:Value_DeuteronProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000022"^^xsd:double ; + qudt:value "1.99900750108"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsmp#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron-proton mass ratio" ; +. +constant:Value_DeuteronRmsChargeRadius + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0028e-15 ; + qudt:value 2.1402e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rd#mid"^^xsd:anyURI ; + rdfs:label "Value for deuteron rms charge radius" ; +. +constant:Value_ElectricConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 8.854187817e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ep0#mid"^^xsd:anyURI ; + rdfs:label "Value for electric constant" ; +. +constant:Value_ElectronChargeToMassQuotient + a qudt:ConstantValue ; + qudt:hasUnit unit:C-PER-KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000044e11 ; + qudt:value -1.758820150e11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esme#mid"^^xsd:anyURI ; + rdfs:label "Value for electron charge to mass quotient" ; +. +constant:Value_ElectronDeuteronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000018"^^xsd:double ; + qudt:value "-2143.923498"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmud#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-deuteron magnetic moment ratio" ; +. +constant:Value_ElectronDeuteronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000012e-4 ; + qudt:value 2.7244371093e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmd#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-deuteron mass ratio" ; +. +constant:Value_ElectronGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000000035"^^xsd:double ; + qudt:value "-2.00231930436256"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gem#mid"^^xsd:anyURI ; + rdfs:label "Value for electron g factor" ; +. +constant:Value_ElectronGyromagneticRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000044e11 ; + qudt:value 1.760859770e11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammae#mid"^^xsd:anyURI ; + rdfs:label "Value for electron gyromagnetic ratio" ; +. +constant:Value_ElectronGyromagneticRatioOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00070"^^xsd:double ; + qudt:value "28024.95364"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammaebar#mid"^^xsd:anyURI ; + rdfs:label "Value for electron gyromagnetic ratio over 2 pi" ; +. +constant:Value_ElectronMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000023e-26 ; + qudt:value -928.476377e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muem#mid"^^xsd:anyURI ; + rdfs:label "Value for electron magnetic moment" ; +. +constant:Value_ElectronMagneticMomentAnomaly + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000074e-3 ; + qudt:value 1.15965218111e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ae#mid"^^xsd:anyURI ; + rdfs:label "Value for electron magnetic moment anomaly" ; +. +constant:Value_ElectronMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000000074"^^xsd:double ; + qudt:value "-1.00115965218111"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for electron magnetic moment to Bohr magneton ratio" ; +. +constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000080"^^xsd:double ; + qudt:value "-1838.28197092"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for electron magnetic moment to nuclear magneton ratio" ; +. +constant:Value_ElectronMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000045e-31 ; + qudt:value 9.10938215e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?me#mid"^^xsd:anyURI ; + rdfs:label "Value for electron mass" ; +. +constant:Value_ElectronMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000041e-14 ; + qudt:value 8.18710438e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2#mid"^^xsd:anyURI ; + rdfs:label "Value for electron mass energy equivalent" ; +. +constant:Value_ElectronMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000013"^^xsd:double ; + qudt:value "0.510998910"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for electron mass energy equivalent in MeV" ; +. +constant:Value_ElectronMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000023e-4 ; + qudt:value 5.4857990943e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?meu#mid"^^xsd:anyURI ; + rdfs:label "Electron Mass (amu)" ; +. +constant:Value_ElectronMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000023e-7 ; + qudt:value 5.4857990943e-7 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mme#mid"^^xsd:anyURI ; + rdfs:label "Value for electron molar mass" ; +. +constant:Value_ElectronMuonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000052"^^xsd:double ; + qudt:value "206.7669877"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmumum#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-muon magnetic moment ratio" ; +. +constant:Value_ElectronMuonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000012e-3 ; + qudt:value 4.83633171e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmmu#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-muon mass ratio" ; +. +constant:Value_ElectronNeutronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00023"^^xsd:double ; + qudt:value "960.92050"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmunn#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-neutron magnetic moment ratio" ; +. +constant:Value_ElectronNeutronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000033e-4 ; + qudt:value 5.4386734459e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmn#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-neutron mass ratio" ; +. +constant:Value_ElectronProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000054"^^xsd:double ; + qudt:value "-658.2106848"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-proton magnetic moment ratio" ; +. +constant:Value_ElectronProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000024e-4 ; + qudt:value 5.4461702177e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmp#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-proton mass ratio" ; +. +constant:Value_ElectronTauMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00047e-4 ; + qudt:value 2.87564e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmtau#mid"^^xsd:anyURI ; + rdfs:label "Value for electron-tau mass ratio" ; +. +constant:Value_ElectronToAlphaParticleMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000058e-4 ; + qudt:value 1.37093355570e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmalpha#mid"^^xsd:anyURI ; + rdfs:label "Value for electron to alpha particle mass ratio" ; +. +constant:Value_ElectronToShieldedHelionMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000010"^^xsd:double ; + qudt:value "864.058257"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmuhp#mid"^^xsd:anyURI ; + rdfs:label "Value for electron to shielded helion magnetic moment ratio" ; +. +constant:Value_ElectronToShieldedProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000072"^^xsd:double ; + qudt:value "-658.2275971"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmupp#mid"^^xsd:anyURI ; + rdfs:label "Value for electron to shielded proton magnetic moment ratio" ; +. +constant:Value_ElectronVoltAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000027e-9 ; + qudt:value 1.073544188e-9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evu#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-atomic mass unit relationship" ; +. +constant:Value_ElectronVoltHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000092e-2 ; + qudt:value 3.674932540e-2 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhr#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-hartree relationship" ; +. +constant:Value_ElectronVoltHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000060e14 ; + qudt:value 2.417989454e14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhz#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-hertz relationship" ; +. +constant:Value_ElectronVoltInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000020e5 ; + qudt:value 8.06554465e5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evminv#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-inverse meter relationship" ; +. +constant:Value_ElectronVoltJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000040e-19 ; + qudt:value 1.602176487e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evj#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-joule relationship" ; +. +constant:Value_ElectronVoltKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000020e4 ; + qudt:value 1.1604505e4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evk#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-kelvin relationship" ; +. +constant:Value_ElectronVoltKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000044e-36 ; + qudt:value 1.782661758e-36 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evkg#mid"^^xsd:anyURI ; + rdfs:label "Value for electron volt-kilogram relationship" ; +. +constant:Value_ElementaryCharge + a qudt:ConstantValue ; + qudt:hasUnit unit:C ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000040e-19 ; + qudt:value 1.602176487e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?e#mid"^^xsd:anyURI ; + rdfs:label "Value for elementary charge" ; +. +constant:Value_ElementaryChargeOverH + a qudt:ConstantValue ; + qudt:hasUnit unit:A-PER-J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000060e14 ; + qudt:value 2.417989454e14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esh#mid"^^xsd:anyURI ; + rdfs:label "Value for elementary charge over h" ; +. +constant:Value_FaradayConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:C-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0024"^^xsd:double ; + qudt:value "96485.3399"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f#mid"^^xsd:anyURI ; + rdfs:label "Value for Faraday constant" ; +. +constant:Value_FaradayConstantForConventionalElectricCurrent + a qudt:ConstantValue ; + qudt:hasUnit unit:C-PER-MOL ; + qudt:value "96485.33212"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f90#mid"^^xsd:anyURI ; + rdfs:label "Faraday constant for conventional electric current" ; +. +constant:Value_FermiCouplingConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-GigaEV2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00001e-5 ; + qudt:value 1.16637e-5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gf#mid"^^xsd:anyURI ; + rdfs:label "Value for Fermi coupling constant" ; +. +constant:Value_FineStructureConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000050e-3 ; + qudt:value 7.2973525376e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alph#mid"^^xsd:anyURI ; + rdfs:label "Value for fine-structure constant" ; +. +constant:Value_FirstRadiationConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:W-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000019e-16 ; + qudt:value 3.74177118e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c11strc#mid"^^xsd:anyURI ; + rdfs:label "Value for first radiation constant" ; +. +constant:Value_FirstRadiationConstantForSpectralRadiance + a qudt:ConstantValue ; + qudt:hasUnit unit:W-M2-PER-SR ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000059e-16 ; + qudt:value 1.191042759e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c1l#mid"^^xsd:anyURI ; + rdfs:label "Value for first radiation constant for spectral radiance" ; +. +constant:Value_GravitationalConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:N-M2-PER-KiloGM2 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; + qudt:value 6.674e-11 ; + rdfs:label "Value for gravitational constant" ; +. +constant:Value_HartreeAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000042e-8 ; + qudt:value 2.9212622986e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hru#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-atomic mass unit relationship" ; +. +constant:Value_HartreeElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000068"^^xsd:double ; + qudt:value "27.21138386"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrev#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-electron volt relationship" ; +. +constant:Value_HartreeEnergy + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000022e-18 ; + qudt:value 4.35974394e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hr#mid"^^xsd:anyURI ; + rdfs:label "Value for Hartree energy" ; +. +constant:Value_HartreeEnergyInEV + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000068"^^xsd:double ; + qudt:value "27.21138386"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?threv#mid"^^xsd:anyURI ; + rdfs:label "Value for Hartree energy in eV" ; +. +constant:Value_HartreeHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000044e15 ; + qudt:value 6.579683920722e15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrhz#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-hertz relationship" ; +. +constant:Value_HartreeInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000015e7 ; + qudt:value 2.194746313705e7 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrminv#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-inverse meter relationship" ; +. +constant:Value_HartreeJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000022e-18 ; + qudt:value 4.35974394e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrj#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-joule relationship" ; +. +constant:Value_HartreeKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000055e5 ; + qudt:value 3.1577465e5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrk#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-kelvin relationship" ; +. +constant:Value_HartreeKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000024e-35 ; + qudt:value 4.85086934e-35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrkg#mid"^^xsd:anyURI ; + rdfs:label "Value for hartree-kilogram relationship" ; +. +constant:Value_HelionElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000052"^^xsd:double ; + qudt:value "5495.8852765"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsme#mid"^^xsd:anyURI ; + rdfs:label "Value for helion-electron mass ratio" ; +. +constant:Value_HelionMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000025e-27 ; + qudt:value 5.00641192e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mh#mid"^^xsd:anyURI ; + rdfs:label "Value for helion mass" ; +. +constant:Value_HelionMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000022e-10 ; + qudt:value 4.49953864e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2#mid"^^xsd:anyURI ; + rdfs:label "Value for helion mass energy equivalent" ; +. +constant:Value_HelionMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000070"^^xsd:double ; + qudt:value "2808.391383"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for helion mass energy equivalent in MeV" ; +. +constant:Value_HelionMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000026"^^xsd:double ; + qudt:value "3.0149322473"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhu#mid"^^xsd:anyURI ; + rdfs:label "Helion Mass (amu)" ; +. +constant:Value_HelionMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000026e-3 ; + qudt:value 3.0149322473e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmh#mid"^^xsd:anyURI ; + rdfs:label "Value for helion molar mass" ; +. +constant:Value_HelionProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000026"^^xsd:double ; + qudt:value "2.9931526713"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsmp#mid"^^xsd:anyURI ; + rdfs:label "Value for helion-proton mass ratio" ; +. +constant:Value_HertzAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000064e-24 ; + qudt:value 4.4398216294e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzu#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-atomic mass unit relationship" ; +. +constant:Value_HertzElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000010e-15 ; + qudt:value 4.13566733e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzev#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-electron volt relationship" ; +. +constant:Value_HertzHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000010e-1 ; + qudt:value 1.519829846006e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzhr#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-hartree relationship" ; +. +constant:Value_HertzInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 3.335640951e-9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzminv#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-inverse meter relationship" ; +. +constant:Value_HertzJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000033e-34 ; + qudt:value 6.62606896e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzj#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-joule relationship" ; +. +constant:Value_HertzKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000084e-11 ; + qudt:value 4.7992374e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzk#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-kelvin relationship" ; +. +constant:Value_HertzKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000037e-51 ; + qudt:value 7.37249600e-51 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzkg#mid"^^xsd:anyURI ; + rdfs:label "Value for hertz-kilogram relationship" ; +. +constant:Value_InverseFineStructureConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000094"^^xsd:double ; + qudt:value "137.035999679"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alphinv#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse fine-structure constant" ; +. +constant:Value_InverseMeterAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000019e-15 ; + qudt:value 1.3310250394e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvu#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-atomic mass unit relationship" ; +. +constant:Value_InverseMeterElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000031e-6 ; + qudt:value 1.239841875e-6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvev#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-electron volt relationship" ; +. +constant:Value_InverseMeterHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000030e-8 ; + qudt:value 4.556335252760e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhr#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-hartree relationship" ; +. +constant:Value_InverseMeterHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "299792458"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhz#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-hertz relationship" ; +. +constant:Value_InverseMeterJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000099e-25 ; + qudt:value 1.986445501e-25 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvj#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-joule relationship" ; +. +constant:Value_InverseMeterKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000025e-2 ; + qudt:value 1.4387752e-2 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvk#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-kelvin relationship" ; +. +constant:Value_InverseMeterKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000011e-42 ; + qudt:value 2.21021870e-42 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvkg#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse meter-kilogram relationship" ; +. +constant:Value_InverseOfConductanceQuantum + a qudt:ConstantValue ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000088"^^xsd:double ; + qudt:value "12906.4037787"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?invconqu#mid"^^xsd:anyURI ; + rdfs:label "Value for inverse of conductance quantum" ; +. +constant:Value_JosephsonConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ-PER-V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.012e9 ; + qudt:value 483597.891e9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kjos#mid"^^xsd:anyURI ; + rdfs:label "Value for Josephson constant" ; +. +constant:Value_JouleAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000033e9 ; + qudt:value 6.70053641e9 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ju#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-atomic mass unit relationship" ; +. +constant:Value_JouleElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000016e18 ; + qudt:value 6.24150965e18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jev#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-electron volt relationship" ; +. +constant:Value_JouleHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000011e17 ; + qudt:value 2.29371269e17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhr#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-hartree relationship" ; +. +constant:Value_JouleHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000075e33 ; + qudt:value 1.509190450e33 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhz#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-hertz relationship" ; +. +constant:Value_JouleInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000025e24 ; + qudt:value 5.03411747e24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jminv#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-inverse meter relationship" ; +. +constant:Value_JouleKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000013e22 ; + qudt:value 7.242963e22 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jk#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-kelvin relationship" ; +. +constant:Value_JouleKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.112650056e-17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jkg#mid"^^xsd:anyURI ; + rdfs:label "Value for joule-kilogram relationship" ; +. +constant:Value_KelvinAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000016e-14 ; + qudt:value 9.251098e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ku#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-atomic mass unit relationship" ; +. +constant:Value_KelvinElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000015e-5 ; + qudt:value 8.617343e-5 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kev#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-electron volt relationship" ; +. +constant:Value_KelvinHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000055e-6 ; + qudt:value 3.1668153e-6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khr#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-hartree relationship" ; +. +constant:Value_KelvinHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000036e10 ; + qudt:value 2.0836644e10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khz#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-hertz relationship" ; +. +constant:Value_KelvinInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00012"^^xsd:double ; + qudt:value "69.50356"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kminv#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-inverse meter relationship" ; +. +constant:Value_KelvinJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000024e-23 ; + qudt:value 1.3806504e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-joule relationship" ; +. +constant:Value_KelvinKilogramRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000027e-40 ; + qudt:value 1.5361807e-40 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kkg#mid"^^xsd:anyURI ; + rdfs:label "Value for kelvin-kilogram relationship" ; +. +constant:Value_KilogramAtomicMassUnitRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000030e26 ; + qudt:value 6.02214179e26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgu#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-atomic mass unit relationship" ; +. +constant:Value_KilogramElectronVoltRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000014e35 ; + qudt:value 5.60958912e35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgev#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-electron volt relationship" ; +. +constant:Value_KilogramHartreeRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000010e34 ; + qudt:value 2.06148616e34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghr#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-hartree relationship" ; +. +constant:Value_KilogramHertzRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000068e50 ; + qudt:value 1.356392733e50 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghz#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-hertz relationship" ; +. +constant:Value_KilogramInverseMeterRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000023e41 ; + qudt:value 4.52443915e41 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgminv#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-inverse meter relationship" ; +. +constant:Value_KilogramJouleRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 8.987551787e16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgj#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-joule relationship" ; +. +constant:Value_KilogramKelvinRelationship + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000011e39 ; + qudt:value 6.509651e39 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgk#mid"^^xsd:anyURI ; + rdfs:label "Value for kilogram-kelvin relationship" ; +. +constant:Value_LatticeParameterOfSilicon + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000014e-12 ; + qudt:value 543.102064e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?asil#mid"^^xsd:anyURI ; + rdfs:label "Value for lattice parameter of silicon" ; +. +constant:Value_LatticeSpacingOfSilicon + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000050e-12 ; + qudt:value 192.0155762e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?d220sil#mid"^^xsd:anyURI ; + rdfs:label "Value for lattice spacing of silicon" ; +. +constant:Value_LoschmidtConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000047e25 ; + qudt:value 2.6867774e25 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?n0#mid"^^xsd:anyURI ; + rdfs:label "Value for Loschmidt constant 273.15 K 101.325 kPa" ; +. +constant:Value_MagneticConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 12.566370614e-7 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu0#mid"^^xsd:anyURI ; + rdfs:label "Value for magnetic constant" ; +. +constant:Value_MagneticFluxQuantum + a qudt:ConstantValue ; + qudt:hasUnit unit:WB ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000052e-15 ; + qudt:value 2.067833667e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?flxquhs2e#mid"^^xsd:anyURI ; + rdfs:label "Value for magnetic flux quantum" ; +. +constant:Value_MoXUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000053e-13 ; + qudt:value 1.00209955e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xumokalph1#mid"^^xsd:anyURI ; + rdfs:label "Value for Mo x unit" ; +. +constant:Value_MolarGasConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-MOL-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000015"^^xsd:double ; + qudt:value "8.31446261815324"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?r#mid"^^xsd:anyURI ; + rdfs:label "Value for molar gas constant" ; +. +constant:Value_MolarMassConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu#mid"^^xsd:anyURI ; + rdfs:label "Value for molar mass constant" ; +. +constant:Value_MolarMassOfCarbon12 + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 12e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mm12c#mid"^^xsd:anyURI ; + rdfs:label "Value for molar mass of carbon-12" ; +. +constant:Value_MolarPlanckConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:J-SEC-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000057e-10 ; + qudt:value 3.9903126821e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nah#mid"^^xsd:anyURI ; + rdfs:label "Value for molar Planck constant" ; +. +constant:Value_MolarPlanckConstantTimesC + a qudt:ConstantValue ; + qudt:hasUnit unit:J-M-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000017"^^xsd:double ; + qudt:value "0.11962656472"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nahc#mid"^^xsd:anyURI ; + rdfs:label "Value for molar Planck constant times c" ; +. +constant:Value_MolarVolumeOfIdealGas + a qudt:ConstantValue ; + qudt:hasUnit unit:M3-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000039e-3 ; + qudt:value 22.710981e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvol#mid"^^xsd:anyURI ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvolstd#mid"^^xsd:anyURI ; + rdfs:label "Value for molar volume of ideal gas 273.15 K 101.325 kPa" ; +. +constant:Value_MolarVolumeOfSilicon + a qudt:ConstantValue ; + qudt:hasUnit unit:M3-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000011e-6 ; + qudt:value 12.0588349e-6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvolsil#mid"^^xsd:anyURI ; + rdfs:label "Value for molar volume of silicon" ; +. +constant:Value_MuonComptonWavelength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000030e-15 ; + qudt:value 11.73444104e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwl#mid"^^xsd:anyURI ; + rdfs:label "Value for muon Compton wavelength" ; +. +constant:Value_MuonComptonWavelengthOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000047e-15 ; + qudt:value 1.867594295e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for muon Compton wavelength over 2 pi" ; +. +constant:Value_MuonElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000052"^^xsd:double ; + qudt:value "206.7682823"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusme#mid"^^xsd:anyURI ; + rdfs:label "Value for muon-electron mass ratio" ; +. +constant:Value_MuonGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000012"^^xsd:double ; + qudt:value "-2.0023318414"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gmum#mid"^^xsd:anyURI ; + rdfs:label "Value for muon g factor" ; +. +constant:Value_MuonMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000016e-26 ; + qudt:value -4.49044786e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumum#mid"^^xsd:anyURI ; + rdfs:label "Value for muon magnetic moment" ; +. +constant:Value_MuonMagneticMomentAnomaly + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000060e-3 ; + qudt:value 1.16592069e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?amu#mid"^^xsd:anyURI ; + rdfs:label "Value for muon magnetic moment anomaly" ; +. +constant:Value_MuonMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000012e-3 ; + qudt:value -4.84197049e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for muon magnetic moment to Bohr magneton ratio" ; +. +constant:Value_MuonMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000023"^^xsd:double ; + qudt:value "-8.89059705"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for muon magnetic moment to nuclear magneton ratio" ; +. +constant:Value_MuonMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000011e-28 ; + qudt:value 1.88353130e-28 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmu#mid"^^xsd:anyURI ; + rdfs:label "Value for muon mass" ; +. +constant:Value_MuonMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000095e-11 ; + qudt:value 1.692833510e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2#mid"^^xsd:anyURI ; + rdfs:label "Value for muon mass energy equivalent" ; +. +constant:Value_MuonMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000038"^^xsd:double ; + qudt:value "105.6583668"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for muon mass energy equivalent in MeV" ; +. +constant:Value_MuonMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000029"^^xsd:double ; + qudt:value "0.1134289256"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuu#mid"^^xsd:anyURI ; + rdfs:label "Muon Mass (amu)" ; +. +constant:Value_MuonMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000029e-3 ; + qudt:value 0.1134289256e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmmu#mid"^^xsd:anyURI ; + rdfs:label "Value for muon molar mass" ; +. +constant:Value_MuonNeutronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000029"^^xsd:double ; + qudt:value "0.1124545167"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmn#mid"^^xsd:anyURI ; + rdfs:label "Value for muon-neutron mass ratio" ; +. +constant:Value_MuonProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000085"^^xsd:double ; + qudt:value "-3.183345137"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for muon-proton magnetic moment ratio" ; +. +constant:Value_MuonProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000029"^^xsd:double ; + qudt:value "0.1126095261"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmp#mid"^^xsd:anyURI ; + rdfs:label "Value for muon-proton mass ratio" ; +. +constant:Value_MuonTauMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00097e-2 ; + qudt:value 5.94592e-2 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmtau#mid"^^xsd:anyURI ; + rdfs:label "Value for muon-tau mass ratio" ; +. +constant:Value_NaturalUnitOfAction + a qudt:ConstantValue ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000053e-34 ; + qudt:value 1.054571628e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbar#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of action" ; +. +constant:Value_NaturalUnitOfActionInEVS + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000016e-16 ; + qudt:value 6.58211899e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbarev#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of action in eV s" ; +. +constant:Value_NaturalUnitOfEnergy + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000041e-14 ; + qudt:value 8.18710438e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of energy" ; +. +constant:Value_NaturalUnitOfEnergyInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000013"^^xsd:double ; + qudt:value "0.510998910"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of energy in MeV" ; +. +constant:Value_NaturalUnitOfLength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000053e-15 ; + qudt:value 386.15926459e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tecomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of length" ; +. +constant:Value_NaturalUnitOfMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000045e-31 ; + qudt:value 9.10938215e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tme#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of mass" ; +. +constant:Value_NaturalUnitOfMomentum + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000014e-22 ; + qudt:value 2.73092406e-22 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of momentum" ; +. +constant:Value_NaturalUnitOfMomentumInMeVPerC + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV-PER-SpeedOfLight ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000013"^^xsd:double ; + qudt:value "0.510998910"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mecmevsc#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of momentum in MeV c^-1" ; +. +constant:Value_NaturalUnitOfTime + a qudt:ConstantValue ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000018e-21 ; + qudt:value 1.2880886570e-21 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nut#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of time" ; +. +constant:Value_NaturalUnitOfVelocity + a qudt:ConstantValue ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "299792458"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tc#mid"^^xsd:anyURI ; + rdfs:label "Value for natural unit of velocity" ; +. +constant:Value_NeutronComptonWavelength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000020e-15 ; + qudt:value 1.3195908951e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwl#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron Compton wavelength" ; +. +constant:Value_NeutronComptonWavelengthOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000031e-15 ; + qudt:value 0.21001941382e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron Compton wavelength over 2 pi" ; +. +constant:Value_NeutronElectronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000025e-3 ; + qudt:value 1.04066882e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmue#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-electron magnetic moment ratio" ; +. +constant:Value_NeutronElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000011"^^xsd:double ; + qudt:value "1838.6836605"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsme#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-electron mass ratio" ; +. +constant:Value_NeutronGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000090"^^xsd:double ; + qudt:value "-3.82608545"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gnn#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron g factor" ; +. +constant:Value_NeutronGyromagneticRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000043e8 ; + qudt:value 1.83247185e8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gamman#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron gyromagnetic ratio" ; +. +constant:Value_NeutronGyromagneticRatioOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000069"^^xsd:double ; + qudt:value "29.1646954"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammanbar#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron gyromagnetic ratio over 2 pi" ; +. +constant:Value_NeutronMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000023e-26 ; + qudt:value -0.96623641e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munn#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron magnetic moment" ; +. +constant:Value_NeutronMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000025e-3 ; + qudt:value -1.04187563e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron magnetic moment to Bohr magneton ratio" ; +. +constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000045"^^xsd:double ; + qudt:value "-1.91304273"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron magnetic moment to nuclear magneton ratio" ; +. +constant:Value_NeutronMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000084e-27 ; + qudt:value 1.674927211e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mn#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron mass" ; +. +constant:Value_NeutronMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000075e-10 ; + qudt:value 1.505349505e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron mass energy equivalent" ; +. +constant:Value_NeutronMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000023"^^xsd:double ; + qudt:value "939.565346"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron mass energy equivalent in MeV" ; +. +constant:Value_NeutronMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000043"^^xsd:double ; + qudt:value "1.00866491597"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnu#mid"^^xsd:anyURI ; + rdfs:label "Neutron Mass (amu)" ; +. +constant:Value_NeutronMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000043e-3 ; + qudt:value 1.00866491597e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmn#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron molar mass" ; +. +constant:Value_NeutronMuonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000023"^^xsd:double ; + qudt:value "8.89248409"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmmu#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-muon mass ratio" ; +. +constant:Value_NeutronProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000016"^^xsd:double ; + qudt:value "-0.68497934"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-proton magnetic moment ratio" ; +. +constant:Value_NeutronProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000046"^^xsd:double ; + qudt:value "1.00137841918"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmp#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-proton mass ratio" ; +. +constant:Value_NeutronTauMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000086"^^xsd:double ; + qudt:value "0.528740"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmtau#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron-tau mass ratio" ; +. +constant:Value_NeutronToShieldedProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000016"^^xsd:double ; + qudt:value "-0.68499694"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmupp#mid"^^xsd:anyURI ; + rdfs:label "Value for neutron to shielded proton magnetic moment ratio" ; +. +constant:Value_NewtonianConstantOfGravitation + a qudt:ConstantValue ; + qudt:hasUnit unit:M3-PER-KiloGM-SEC2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:relativeStandardUncertainty 2.2e-5 ; + qudt:standardUncertainty 0.00015e-11 ; + qudt:value 6.67430e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bg#mid"^^xsd:anyURI ; + rdfs:label "Value for Newtonian constant of gravitation" ; +. +constant:Value_NewtonianConstantOfGravitationOverHbarC + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-PlanckMass2 ; + qudt:relativeStandardUncertainty 2.2e-5 ; + qudt:standardUncertainty 0.00015e-39 ; + qudt:value 6.70883e-39 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bgspu#mid"^^xsd:anyURI ; + rdfs:label "Newtonian constant of gravitation over hbar c" ; +. +constant:Value_NuclearMagneton + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000013e-27 ; + qudt:value 5.05078324e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mun#mid"^^xsd:anyURI ; + rdfs:label "Value for nuclear magneton" ; +. +constant:Value_NuclearMagnetonInEVPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000045e-8 ; + qudt:value 3.1524512326e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munev#mid"^^xsd:anyURI ; + rdfs:label "Value for nuclear magneton in eV per T" ; +. +constant:Value_NuclearMagnetonInInverseMetersPerTesla + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000064e-2 ; + qudt:value 2.542623616e-2 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshcminv#mid"^^xsd:anyURI ; + rdfs:label "Value for nuclear magneton in inverse meters per tesla" ; +. +constant:Value_NuclearMagnetonInKPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:K-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000064e-4 ; + qudt:value 3.6582637e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munskk#mid"^^xsd:anyURI ; + rdfs:label "Value for nuclear magneton in K per T" ; +. +constant:Value_NuclearMagnetonInMHzPerT + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000019"^^xsd:double ; + qudt:value "7.62259384"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshhz#mid"^^xsd:anyURI ; + rdfs:label "Value for nuclear magneton in MHz per T" ; +. +constant:Value_PermittivityOfVacuum + a qudt:ConstantValue ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:relativeStandardUncertainty 1.5e-10 ; + qudt:value 6.8541878128e-12 ; + rdfs:label "Value for permittivity of vacuum" ; +. +constant:Value_Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; + qudt:standardUncertainty "0.0"^^xsd:double ; + qudt:value 3.141592653589793238462643383279502884197 ; + rdfs:label "Value for Pi" ; +. +constant:Value_PlanckConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000033e-34 ; + qudt:value 6.62606896e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?h#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck constant" ; +. +constant:Value_PlanckConstantInEVS + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000010e-15 ; + qudt:value 4.13566733e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hev#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck constant in eV s" ; +. +constant:Value_PlanckConstantOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000053e-34 ; + qudt:value 1.054571628e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbar#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck constant over 2 pi" ; +. +constant:Value_PlanckConstantOver2PiInEVS + a qudt:ConstantValue ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000016e-16 ; + qudt:value 6.58211899e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbarev#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck constant over 2 pi in eV s" ; +. +constant:Value_PlanckConstantOver2PiTimesCInMeVFm + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV-FemtoM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000049"^^xsd:double ; + qudt:value "197.3269631"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbcmevf#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck constant over 2 pi times c in MeV fm" ; +. +constant:Value_PlanckLength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000081e-35 ; + qudt:value 1.616252e-35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkl#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck length" ; +. +constant:Value_PlanckMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00011e-8 ; + qudt:value 2.17644e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkm#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck mass" ; +. +constant:Value_PlanckMassEnergyEquivalentInGeV + a qudt:ConstantValue ; + qudt:hasUnit unit:GigaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000061e19 ; + qudt:value 1.220892e19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkmc2gev#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck mass energy equivalent in GeV" ; +. +constant:Value_PlanckTemperature + a qudt:ConstantValue ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000071e32 ; + qudt:value 1.416785e32 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plktmp#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck temperature" ; +. +constant:Value_PlanckTime + a qudt:ConstantValue ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00027e-44 ; + qudt:value 5.39124e-44 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkt#mid"^^xsd:anyURI ; + rdfs:label "Value for Planck time" ; +. +constant:Value_ProtonChargeToMassQuotient + a qudt:ConstantValue ; + qudt:hasUnit unit:C-PER-KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000024e7 ; + qudt:value 9.57883392e7 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esmp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton charge to mass quotient" ; +. +constant:Value_ProtonComptonWavelength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000019e-15 ; + qudt:value 1.3214098446e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwl#mid"^^xsd:anyURI ; + rdfs:label "Value for proton Compton wavelength" ; +. +constant:Value_ProtonComptonWavelengthOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000030e-15 ; + qudt:value 0.21030890861e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for proton Compton wavelength over 2 pi" ; +. +constant:Value_ProtonElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000080"^^xsd:double ; + qudt:value "1836.15267247"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsme#mid"^^xsd:anyURI ; + rdfs:label "Value for proton-electron mass ratio" ; +. +constant:Value_ProtonGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000046"^^xsd:double ; + qudt:value "5.585694713"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton g factor" ; +. +constant:Value_ProtonGyromagneticRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000070e8 ; + qudt:value 2.675222099e8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammap#mid"^^xsd:anyURI ; + rdfs:label "Value for proton gyromagnetic ratio" ; +. +constant:Value_ProtonGyromagneticRatioOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000011"^^xsd:double ; + qudt:value "42.5774821"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapbar#mid"^^xsd:anyURI ; + rdfs:label "Value for proton gyromagnetic ratio over 2 pi" ; +. +constant:Value_ProtonMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000037e-26 ; + qudt:value 1.410606662e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mup#mid"^^xsd:anyURI ; + rdfs:label "Value for proton magnetic moment" ; +. +constant:Value_ProtonMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000012e-3 ; + qudt:value 1.521032209e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for proton magnetic moment to Bohr magneton ratio" ; +. +constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000023"^^xsd:double ; + qudt:value "2.792847356"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for proton magnetic moment to nuclear magneton ratio" ; +. +constant:Value_ProtonMagneticShieldingCorrection + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.014e-6 ; + qudt:value 25.694e-6 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmapp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton magnetic shielding correction" ; +. +constant:Value_ProtonMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000083e-27 ; + qudt:value 1.672621637e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton mass" ; +. +constant:Value_ProtonMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000075e-10 ; + qudt:value 1.503277359e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2#mid"^^xsd:anyURI ; + rdfs:label "Value for proton mass energy equivalent" ; +. +constant:Value_ProtonMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000023"^^xsd:double ; + qudt:value "938.272013"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for proton mass energy equivalent in MeV" ; +. +constant:Value_ProtonMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000010"^^xsd:double ; + qudt:value "1.00727646677"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpu#mid"^^xsd:anyURI ; + rdfs:label "Proton Mass (amu)" ; +. +constant:Value_ProtonMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000000010e-3 ; + qudt:value 1.00727646677e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton molar mass" ; +. +constant:Value_ProtonMuonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000023"^^xsd:double ; + qudt:value "8.88024339"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmmu#mid"^^xsd:anyURI ; + rdfs:label "Value for proton-muon mass ratio" ; +. +constant:Value_ProtonNeutronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000034"^^xsd:double ; + qudt:value "-1.45989806"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmunn#mid"^^xsd:anyURI ; + rdfs:label "Value for proton-neutron magnetic moment ratio" ; +. +constant:Value_ProtonNeutronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000000046"^^xsd:double ; + qudt:value "0.99862347824"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmn#mid"^^xsd:anyURI ; + rdfs:label "Value for proton-neutron mass ratio" ; +. +constant:Value_ProtonRmsChargeRadius + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0069e-15 ; + qudt:value 0.8768e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rp#mid"^^xsd:anyURI ; + rdfs:label "Value for proton rms charge radius" ; +. +constant:Value_ProtonTauMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000086"^^xsd:double ; + qudt:value "0.528012"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmtau#mid"^^xsd:anyURI ; + rdfs:label "Value for proton-tau mass ratio" ; +. +constant:Value_QuantumOfCirculation + a qudt:ConstantValue ; + qudt:hasUnit unit:M2-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000050e-4 ; + qudt:value 3.6369475199e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?qucirchs2me#mid"^^xsd:anyURI ; + rdfs:label "Value for quantum of circulation" ; +. +constant:Value_QuantumOfCirculationTimes2 + a qudt:ConstantValue ; + qudt:hasUnit unit:M2-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000010e-4 ; + qudt:value 7.273895040e-4 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hsme#mid"^^xsd:anyURI ; + rdfs:label "Value for quantum of circulation times 2" ; +. +constant:Value_RydbergConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000073"^^xsd:double ; + qudt:value "10973731.568527"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ryd#mid"^^xsd:anyURI ; + rdfs:label "Value for Rydberg constant" ; +. +constant:Value_RydbergConstantTimesCInHz + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000000022e15 ; + qudt:value 3.289841960361e15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydchz#mid"^^xsd:anyURI ; + rdfs:label "Value for Rydberg constant times c in Hz" ; +. +constant:Value_RydbergConstantTimesHcInEV + a qudt:ConstantValue ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000034"^^xsd:double ; + qudt:value "13.60569193"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcev#mid"^^xsd:anyURI ; + rdfs:label "Value for Rydberg constant times hc in eV" ; +. +constant:Value_RydbergConstantTimesHcInJ + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000011e-18 ; + qudt:value 2.17987197e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcj#mid"^^xsd:anyURI ; + rdfs:label "Value for Rydberg constant times hc in J" ; +. +constant:Value_SackurTetrodeConstant1K100KPa + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000044"^^xsd:double ; + qudt:value "-1.1517047"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0sr#mid"^^xsd:anyURI ; + rdfs:label "Value for Sackur-Tetrode constant 1 K 100 kPa" ; +. + + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000044"^^xsd:double ; + qudt:value "-1.1648677"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0srstd#mid"^^xsd:anyURI ; + rdfs:label "Value for Sackur-Tetrode constant 1 K 101.325 kPa" ; +. +constant:Value_SecondRadiationConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000025e-2 ; + qudt:value 1.4387752e-2 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c22ndrc#mid"^^xsd:anyURI ; + rdfs:label "Value for second radiation constant" ; +. +constant:Value_ShieldedHelionGyromagneticRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000056e8 ; + qudt:value 2.037894730e8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahp#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion gyromagnetic ratio" ; +. +constant:Value_ShieldedHelionGyromagneticRatioOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000090"^^xsd:double ; + qudt:value "32.43410198"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahpbar#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion gyromagnetic ratio over 2 pi" ; +. +constant:Value_ShieldedHelionMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000030e-26 ; + qudt:value -1.074552982e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhp#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion magnetic moment" ; +. +constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000014e-3 ; + qudt:value -1.158671471e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion magnetic moment to Bohr magneton ratio" ; +. +constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000025"^^xsd:double ; + qudt:value "-2.127497718"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion magnetic moment to nuclear magneton ratio" ; +. +constant:Value_ShieldedHelionToProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000011"^^xsd:double ; + qudt:value "-0.761766558"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion to proton magnetic moment ratio" ; +. +constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000033"^^xsd:double ; + qudt:value "-0.7617861313"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmupp#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded helion to shielded proton magnetic moment ratio" ; +. +constant:Value_ShieldedProtonGyromagneticRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000073e8 ; + qudt:value 2.675153362e8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapp#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded proton gyromagnetic ratio" ; +. +constant:Value_ShieldedProtonGyromagneticRatioOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000012"^^xsd:double ; + qudt:value "42.5763881"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammappbar#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded proton gyromagnetic ratio over 2 pi" ; +. +constant:Value_ShieldedProtonMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000038e-26 ; + qudt:value 1.410570419e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupp#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded proton magnetic moment" ; +. +constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000017e-3 ; + qudt:value 1.520993128e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded proton magnetic moment to Bohr magneton ratio" ; +. +constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000030"^^xsd:double ; + qudt:value "2.792775598"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for shielded proton magnetic moment to nuclear magneton ratio" ; +. +constant:Value_SpeedOfLight + a qudt:ConstantValue ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "299792458"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; + rdfs:label "Value for velocity of light" ; +. +constant:Value_SpeedOfLight_Vacuum + a qudt:ConstantValue ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000"^^xsd:double ; + qudt:value 2.99792458e8 ; + rdfs:label "Value for speed of light in a vacuum" ; +. +constant:Value_SpeedOfLight_Vacuum_Imperial + a qudt:ConstantValue ; + qudt:hasUnit unit:MI-PER-HR ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 6.70616629e08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; + rdfs:label "Value for speed of light in vacuum (Imperial units)" ; +. +constant:Value_StandardAccelerationOfGravity + a qudt:ConstantValue ; + qudt:hasUnit unit:M-PER-SEC2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "9.80665"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gn#mid"^^xsd:anyURI ; + rdfs:label "Value for standard acceleration of gravity" ; +. +constant:Value_StandardAtmosphere + a qudt:ConstantValue ; + qudt:hasUnit unit:PA ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value "101325"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?stdatm#mid"^^xsd:anyURI ; + rdfs:label "Value for standard atmosphere" ; +. +constant:Value_StefanBoltzmannConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:W-PER-M2-K4 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000040e-8 ; + qudt:value 5.670400e-8 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigma#mid"^^xsd:anyURI ; + rdfs:label "Value for Stefan-Boltzmann Constant" ; +. +constant:Value_TauComptonWavelength + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00011e-15 ; + qudt:value 0.69772e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwl#mid"^^xsd:anyURI ; + rdfs:label "Value for tau Compton wavelength" ; +. +constant:Value_TauComptonWavelengthOver2Pi + a qudt:ConstantValue ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000018e-15 ; + qudt:value 0.111046e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwlbar#mid"^^xsd:anyURI ; + rdfs:label "Value for tau Compton wavelength over 2 pi" ; +. +constant:Value_TauElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.57"^^xsd:double ; + qudt:value "3477.48"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausme#mid"^^xsd:anyURI ; + rdfs:label "Value for tau-electron mass ratio" ; +. +constant:Value_TauMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00052e-27 ; + qudt:value 3.16777e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtau#mid"^^xsd:anyURI ; + rdfs:label "Value for tau mass" ; +. +constant:Value_TauMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00046e-10 ; + qudt:value 2.84705e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2#mid"^^xsd:anyURI ; + rdfs:label "Value for tau mass energy equivalent" ; +. +constant:Value_TauMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.29"^^xsd:double ; + qudt:value "1776.99"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for tau mass energy equivalent in MeV" ; +. +constant:Value_TauMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00031"^^xsd:double ; + qudt:value "1.90768"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauu#mid"^^xsd:anyURI ; + rdfs:label "Tau Mass (amu)" ; +. +constant:Value_TauMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00031e-3 ; + qudt:value 1.90768e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmtau#mid"^^xsd:anyURI ; + rdfs:label "Value for tau molar mass" ; +. +constant:Value_TauMuonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0027"^^xsd:double ; + qudt:value "16.8183"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmmu#mid"^^xsd:anyURI ; + rdfs:label "Value for tau-muon mass ratio" ; +. +constant:Value_TauNeutronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00031"^^xsd:double ; + qudt:value "1.89129"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmn#mid"^^xsd:anyURI ; + rdfs:label "Value for tau-neutron mass ratio" ; +. +constant:Value_TauProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00031"^^xsd:double ; + qudt:value "1.89390"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmp#mid"^^xsd:anyURI ; + rdfs:label "Value for tau-proton mass ratio" ; +. +constant:Value_ThomsonCrossSection + a qudt:ConstantValue ; + qudt:hasUnit unit:M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000027e-28 ; + qudt:value 0.6652458558e-28 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmae#mid"^^xsd:anyURI ; + rdfs:label "Value for Thomson cross section" ; +. +constant:Value_TritonElectronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000021e-3 ; + qudt:value -1.620514423e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmuem#mid"^^xsd:anyURI ; + rdfs:label "Value for triton-electron magnetic moment ratio" ; +. +constant:Value_TritonElectronMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000051"^^xsd:double ; + qudt:value "5496.9215269"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsme#mid"^^xsd:anyURI ; + rdfs:label "Value for triton-electron mass ratio" ; +. +constant:Value_TritonGFactor + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000076"^^xsd:double ; + qudt:value "5.957924896"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gtn#mid"^^xsd:anyURI ; + rdfs:label "Value for triton g factor" ; +. +constant:Value_TritonMagneticMoment + a qudt:ConstantValue ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000042e-26 ; + qudt:value 1.504609361e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mut#mid"^^xsd:anyURI ; + rdfs:label "Value for triton magnetic moment" ; +. +constant:Value_TritonMagneticMomentToBohrMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000021e-3 ; + qudt:value 1.622393657e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmub#mid"^^xsd:anyURI ; + rdfs:label "Value for triton magnetic moment to Bohr magneton ratio" ; +. +constant:Value_TritonMagneticMomentToNuclearMagnetonRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000038"^^xsd:double ; + qudt:value "2.978962448"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmun#mid"^^xsd:anyURI ; + rdfs:label "Value for triton magnetic moment to nuclear magneton ratio" ; +. +constant:Value_TritonMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000025e-27 ; + qudt:value 5.00735588e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mt#mid"^^xsd:anyURI ; + rdfs:label "Value for triton mass" ; +. +constant:Value_TritonMassEnergyEquivalent + a qudt:ConstantValue ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.00000022e-10 ; + qudt:value 4.50038703e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2#mid"^^xsd:anyURI ; + rdfs:label "Value for triton mass energy equivalent" ; +. +constant:Value_TritonMassEnergyEquivalentInMeV + a qudt:ConstantValue ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000070"^^xsd:double ; + qudt:value "2808.920906"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2mev#mid"^^xsd:anyURI ; + rdfs:label "Value for triton mass energy equivalent in MeV" ; +. +constant:Value_TritonMassInAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000025"^^xsd:double ; + qudt:value "3.0155007134"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtu#mid"^^xsd:anyURI ; + rdfs:label "Triton Mass (amu)" ; +. +constant:Value_TritonMolarMass + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000000025e-3 ; + qudt:value 3.0155007134e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmt#mid"^^xsd:anyURI ; + rdfs:label "Value for triton molar mass" ; +. +constant:Value_TritonNeutronMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00000037"^^xsd:double ; + qudt:value "-1.55718553"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmunn#mid"^^xsd:anyURI ; + rdfs:label "Value for triton-neutron magnetic moment ratio" ; +. +constant:Value_TritonProtonMagneticMomentRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000000010"^^xsd:double ; + qudt:value "1.066639908"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmup#mid"^^xsd:anyURI ; + rdfs:label "Value for triton-proton magnetic moment ratio" ; +. +constant:Value_TritonProtonMassRatio + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.0000000025"^^xsd:double ; + qudt:value "2.9937170309"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsmp#mid"^^xsd:anyURI ; + rdfs:label "Value for triton-proton mass ratio" ; +. +constant:Value_UnifiedAtomicMassUnit + a qudt:ConstantValue ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000000083e-27 ; + qudt:value 1.660538782e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tukg#mid"^^xsd:anyURI ; + rdfs:label "Value for unified atomic mass unit" ; +. +constant:Value_VonKlitzingConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.000018"^^xsd:double ; + qudt:value "25812.807557"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk#mid"^^xsd:anyURI ; + rdfs:label "Value for von Klitzing constant" ; +. +constant:Value_WeakMixingAngle + a qudt:ConstantValue ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty "0.00056"^^xsd:double ; + qudt:value "0.22255"^^xsd:double ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sin2th#mid"^^xsd:anyURI ; + rdfs:label "Value for weak mixing angle" ; +. +constant:Value_WienFrequencyDisplacementLawConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:HZ-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.000010e10 ; + qudt:value 5.878933e10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bpwien#mid"^^xsd:anyURI ; + rdfs:label "Value for Wien frequency displacement law constant" ; +. +constant:Value_WienWavelengthDisplacementLawConstant + a qudt:ConstantValue ; + qudt:hasUnit unit:M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0.0000051e-3 ; + qudt:value 2.8977685e-3 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bwien#mid"^^xsd:anyURI ; + rdfs:label "Value for Wien wavelength displacement law constant" ; +. +constant:VonKlitzingConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_VonKlitzingConstant ; + rdfs:isDefinedBy ; + rdfs:label "Von Klitzing constant"@en ; + skos:closeMatch ; +. +constant:WeakMixingAngle + a qudt:PhysicalConstant ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weinberg_angle"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WeakMixingAngle ; + rdfs:isDefinedBy ; + rdfs:label "Weak mixing angle"@en ; +. +constant:WienFrequencyDisplacementLawConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WienFrequencyDisplacementLawConstant ; + rdfs:isDefinedBy ; + rdfs:label "Wien frequency displacement law constant"@en ; + skos:closeMatch ; +. +constant:WienWavelengthDisplacementLawConstant + a qudt:PhysicalConstant ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WienWavelengthDisplacementLawConstant ; + rdfs:isDefinedBy ; + rdfs:label "Wien wavelength displacement law constant"@en ; + skos:closeMatch ; +. +vaem:GMD_QUDT-CONSTANTS + a vaem:GraphMetaData ; + dcterms:contributor "Irene Polikoff" ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Ralph Hodgson" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2010-02-05"^^xsd:date ; + dcterms:creator "James E. Masters" ; + dcterms:creator "Steve Ray" ; + dcterms:modified "2023-10-19T12:26:31.333-04:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Constants" ; + dcterms:title "QUDT Constants Version 2.1 Vocabulary" ; + vaem:description "The Constants vocabulary defines terms for and contains the values and standard uncertainties of physical constants, initially populated from the NIST website: The NIST Reference on Constants, Units, and Uncertainty, at http://physics.nist.gov/cuu/index.html" ; + vaem:graphName "qudt" ; + vaem:graphTitle "QUDT Constants Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner ; + vaem:hasSteward ; + vaem:intent "Provides a vocabulary of Constants for both human and machine use" ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-CONSTANTS-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/vocab/constant/"^^xsd:anyURI ; + vaem:namespacePrefix "constant" ; + vaem:owner "QUDT.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-CONSTANTS-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:specificity 1 ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/constant"^^xsd:anyURI ; + vaem:urlForHTML "http://qudt.org/2.1/vocab/constant.html"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:title ; + vaem:website "http://qudt.org/2.1/vocab/constant.ttl"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Physical Constant Vocabulary Version 2.1.32 Metadata" ; +. diff --git a/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl new file mode 100644 index 000000000..4ad1a20d5 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl @@ -0,0 +1,3839 @@ +# baseURI: http://qudt.org/2.1/vocab/dimensionvector +# imports: http://qudt.org/2.1/schema/facade/qudt + +@prefix creativecommons: . +@prefix dc: . +@prefix dcterms: . +@prefix owl: . +@prefix qkdv: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-DIMENSION-VECTORS ; + rdfs:isDefinedBy ; + rdfs:label "QUDT VOCAB Dimension Vectors Release 2.1.32" ; + owl:imports ; + owl:versionIRI ; +. +qkdv:A-1E0L-3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L-3I0M0H0T0D0" ; +. +qkdv:A-1E0L0I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:latexDefinition "\\(N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L0I0M0H0T0D0" ; +. +qkdv:A-1E0L0I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarMass ; + qudt:latexDefinition "\\(M N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L0I0M1H0T0D0" ; +. +qkdv:A-1E0L2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L2I0M0H0T0D0" ; +. +qkdv:A-1E0L2I0M1H-1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarHeatCapacity ; + qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L2I0M1H-1T-2D0" ; +. +qkdv:A-1E0L2I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarAngularMomentum ; + qudt:latexDefinition "\\(L^2 M T^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L2I0M1H0T-1D0" ; +. +qkdv:A-1E0L2I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarEnergy ; + qudt:latexDefinition "\\(L^2 M T^-2 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L2I0M1H0T-2D0" ; +. +qkdv:A-1E0L3I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SecondOrderReactionRateConstant ; + qudt:latexDefinition "\\(L^3 N^-1 T^-1 \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L3I0M0H0T-1D0" ; +. +qkdv:A-1E0L3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarVolume ; + qudt:latexDefinition "\\(L^3 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L3I0M0H0T0D0" ; +. +qkdv:A-1E0L3I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthMolarEnergy ; + qudt:latexDefinition "\\(L^3 M T^-2 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E0L3I0M1H0T-2D0" ; +. +qkdv:A-1E1L-3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A-1E1L-3I0M0H0T0D0" ; +. +qkdv:A-1E1L0I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:latexDefinition "\\(T I N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A-1E1L0I0M0H0T1D0" ; +. +qkdv:A-1E2L0I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A-1E2L0I0M-1H0T3D0" ; +. +qkdv:A0E-1L0I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerElectricCharge ; + qudt:latexDefinition "\\(M T^-1 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L0I0M1H0T-1D0" ; +. +qkdv:A0E-1L0I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFluxDensity ; + qudt:latexDefinition "\\(M T^-2 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L0I0M1H0T-2D0" ; +. +qkdv:A0E-1L0I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:latexDefinition "\\(M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L0I0M1H0T-3D0" ; +. +qkdv:A0E-1L1I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:latexDefinition "\\(L I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L1I0M0H0T0D0" ; +. +qkdv:A0E-1L1I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:latexDefinition "\\(L M T^-2 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L1I0M1H0T-2D0" ; +. +qkdv:A0E-1L1I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricFieldStrength ; + qudt:latexDefinition "\\(L M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L1I0M1H0T-3D0" ; +. +qkdv:A0E-1L2I0M1H-1T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L2I0M1H-1T-3D0" ; +. +qkdv:A0E-1L2I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFlux ; + qudt:latexDefinition "\\(L^2 M T^-2 I^-1\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(m^2 \\cdot kg \\cdot s^{-2} \\cdot A^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L2I0M1H0T-2D0" ; +. +qkdv:A0E-1L2I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:latexDefinition "\\(L^2 M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L2I0M1H0T-3D0" ; +. +qkdv:A0E-1L2I0M1H0T-4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:latexDefinition "\\(L^2 M T^-4 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L2I0M1H0T-4D0" ; +. +qkdv:A0E-1L3I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L3I0M0H0T-1D0" ; +. +qkdv:A0E-1L3I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L3I0M1H0T-2D0" ; +. +qkdv:A0E-1L3I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricFlux ; + qudt:latexDefinition "\\(L^3 M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-1L3I0M1H0T-3D0" ; +. +qkdv:A0E-2L1I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:latexDefinition "\\(L M T^-2 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L1I0M1H0T-2D0" ; +. +qkdv:A0E-2L2I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Inductance ; + qudt:latexDefinition "\\(L^2 M T^-2 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L2I0M1H0T-2D0" ; +. +qkdv:A0E-2L2I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Resistance ; + qudt:latexDefinition "\\(L^2 M T^-3 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L2I0M1H0T-3D0" ; +. +qkdv:A0E-2L3I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L3I0M1H0T-3D0" ; +. +qkdv:A0E-2L3I0M1H0T-4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InversePermittivity ; + qudt:latexDefinition "\\(L^3 M T^-4 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L3I0M1H0T-4D0" ; +. +qkdv:A0E-2L4I0M2H-2T-6D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature -2 ; + qudt:dimensionExponentForTime -6 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E-2L4I0M2H-2T-6D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-0.5I0M0.5TE0TM-1D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-0.5I0M0.5TE0TM-2D0" ; +. +qkdv:A0E0L-0pt5I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector ; + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -0.5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:StressIntensityFactor ; + qudt:latexDefinition "\\(L^-0.5 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-0pt5I0M1H0T-2D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1.5I0M0.5TE0TM-1D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1.5 M^0.5\\)"^^qudt:LatexString ; + vaem:todo "Suspicious. Electric Charge per Area would be ET/L**2" ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1.5I0M0.5TE0TM0D0" ; +. +qkdv:A0E0L-1I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M-1H0T3D0" ; +. +qkdv:A0E0L-1I0M-1H1T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalResistivity ; + qudt:latexDefinition "\\(L^{-1} M^{-1} T^3 \\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M-1H1T3D0" ; +. +qkdv:A0E0L-1I0M0H-1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatVolume ; + qudt:latexDefinition "\\(L^-1 T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H-1T-2D0" ; +. +qkdv:A0E0L-1I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseLengthTemperature ; + qudt:latexDefinition "\\(L^-1 Θ^-1\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L^{-1} \\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H-1T0D0" ; +. +qkdv:A0E0L-1I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H0T-1D0" ; +. +qkdv:A0E0L-1I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Curvature ; + qudt:hasReferenceQuantityKind quantitykind:InverseLength ; + qudt:latexDefinition "\\(L^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H0T0D0" ; +. +qkdv:A0E0L-1I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H0T1D0" ; +. +qkdv:A0E0L-1I0M0H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^{-1} T^2\\)"^^qudt:LatexString ; + vaem:todo "Should be M-1L-2T4E2" ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H0T2D0" ; +. +qkdv:A0E0L-1I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M0H1T0D0" ; +. +qkdv:A0E0L-1I0M1H-1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:latexSymbol "\\(M / (L \\cdot T^2 H)\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(M / (L \\cdot T^2 \\Theta)\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H-1T-2D0" ; +. +qkdv:A0E0L-1I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:DynamicViscosity ; + qudt:latexDefinition "\\(L^-1 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H0T-1D0" ; +. +qkdv:A0E0L-1I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyDensity ; + qudt:hasReferenceQuantityKind quantitykind:ForcePerArea ; + qudt:latexDefinition "\\(L^-1 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H0T-2D0" ; +. +qkdv:A0E0L-1I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ForcePerAreaTime ; + qudt:latexDefinition "\\(L^-1 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H0T-3D0" ; +. +qkdv:A0E0L-1I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerLength ; + qudt:latexDefinition "\\(L^-1 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H0T0D0" ; +. +qkdv:A0E0L-1I0M1H1T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-1I0M1H1T-3D0" ; +. +qkdv:A0E0L-2I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseEnergy ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M-1H0T2D0" ; +. +qkdv:A0E0L-2I0M-1H1T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalResistance ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M-1H1T3D0" ; +. +qkdv:A0E0L-2I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 T-1 Q\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M0H0T-1D0" ; +. +qkdv:A0E0L-2I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M0H0T-2D0" ; +. +qkdv:A0E0L-2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M0H0T0D0" ; +. +qkdv:A0E0L-2I0M0H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^{-2} T^2\\)"^^qudt:LatexString ; + vaem:todo "Permeability should be force/current**2, which is ML/T2E2. Permittivity should be T4E2L-3M-1" ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M0H0T2D0" ; +. +qkdv:A0E0L-2I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerAreaTime ; + qudt:latexDefinition "\\(L^{-2} M T^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M1H0T-1D0" ; +. +qkdv:A0E0L-2I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:latexDefinition "\\(L^-2 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M1H0T-2D0" ; +. +qkdv:A0E0L-2I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:RadiantIntensity ; + qudt:latexDefinition "\\(L^-2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M1H0T-3D0" ; +. +qkdv:A0E0L-2I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerArea ; + qudt:latexDefinition "\\(L^-2 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M1H0T0D0" ; +. +qkdv:A0E0L-2I0M1H1T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M1H1T0D0" ; +. +qkdv:A0E0L-2I0M2H0T-2D0 + a qudt:QuantityKindDimensionVector ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^2 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M2H0T-2D0" ; +. +qkdv:A0E0L-2I0M2H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M2H0T-3D0" ; +. +qkdv:A0E0L-2I0M2H0T-6D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -6 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I0M2H0T-6D0" ; +. +qkdv:A0E0L-2I1M-1H0T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I1M-1H0T3D0" ; +. +qkdv:A0E0L-2I1M-1H0T3D1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I1M-1H0T3D1" ; +. +qkdv:A0E0L-2I1M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Luminance ; + qudt:latexDefinition "\\(L^-2 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I1M0H0T0D0" ; +. +qkdv:A0E0L-2I1M0H0T0D1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^-2 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I1M0H0T0D1" ; +. +qkdv:A0E0L-2I1M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 J T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-2I1M0H0T1D0" ; +. +qkdv:A0E0L-3I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-3T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M0H0T-1D0" ; +. +qkdv:A0E0L-3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M0H0T0D0" ; +. +qkdv:A0E0L-3I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M0H0T1D0" ; +. +qkdv:A0E0L-3I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M1H0T-1D0" ; +. +qkdv:A0E0L-3I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M1H0T-3D0" ; +. +qkdv:A0E0L-3I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Density ; + qudt:latexDefinition "\\(L^-3 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-3I0M1H0T0D0" ; +. +qkdv:A0E0L-4I0M-2H0T4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseSquareEnergy ; + qudt:latexDefinition "\\(L^-4 M^-2 T^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-4I0M-2H0T4D0" ; +. +qkdv:A0E0L-4I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L-4I0M1H0T-1D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0.5I0M0.5TE0TM-1D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0.5I0M0.5TE0TM-2D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5\\)"^^qudt:LatexString ; + vaem:todo "Electric Charge should be ET" ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0.5I0M0.5TE0TM0D0" ; +. +qkdv:A0E0L0I0M-1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-1H0T-1D0" ; +. +qkdv:A0E0L0I0M-1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-1H0T0D0" ; +. +qkdv:A0E0L0I0M-1H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-1H0T1D0" ; +. +qkdv:A0E0L0I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-1H0T2D0" ; +. +qkdv:A0E0L0I0M-1H1T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalInsulance ; + qudt:latexDefinition "\\(M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-1H1T3D0" ; +. +qkdv:A0E0L0I0M-2H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M-2H0T0D0" ; +. +qkdv:A0E0L0I0M0H-1T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseTimeTemperature ; + qudt:latexDefinition "\\(T^-1 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H-1T-1D0" ; +. +qkdv:A0E0L0I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy "" ; + rdfs:label "A0E0L0I0M0H-1T0D0" ; +. +qkdv:A0E0L0I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Frequency ; + qudt:latexDefinition "\\(T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T-1D0" ; +. +qkdv:A0E0L0I0M0H0T-1D1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:AngularVelocity ; + qudt:latexDefinition "\\(U T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T-1D1" ; +. +qkdv:A0E0L0I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; + qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T-2D0" ; +. +qkdv:A0E0L0I0M0H0T-2D1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; + qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T-2D1" ; +. +qkdv:A0E0L0I0M0H0T0D1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\(U\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T0D1" ; +. +qkdv:A0E0L0I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Time ; + qudt:latexDefinition "\\(T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T1D0" ; +. +qkdv:A0E0L0I0M0H0T1D1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 1 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T1D1" ; +. +qkdv:A0E0L0I0M0H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TimeSquared ; + qudt:latexDefinition "\\(T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H0T2D0" ; +. +qkdv:A0E0L0I0M0H1T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime ; + qudt:latexDefinition "\\(T^-1 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H1T-1D0" ; +. +qkdv:A0E0L0I0M0H1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:latexDefinition "\\(T^-2 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H1T-2D0" ; +. +qkdv:A0E0L0I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:latexDefinition "\\(H\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H1T0D0" ; +. +qkdv:A0E0L0I0M0H1T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TimeTemperature ; + qudt:latexDefinition "\\(T Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H1T1D0" ; +. +qkdv:A0E0L0I0M0H2T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 2 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H2T-1D0" ; +. +qkdv:A0E0L0I0M0H2T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 2 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M0H2T0D0" ; +. +qkdv:A0E0L0I0M1H-1T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:latexDefinition "\\(M T^-3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H-1T-3D0" ; +. +qkdv:A0E0L0I0M1H-4T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -4 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:latexDefinition "\\(M T^{-3}.H^{-4}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(M T^{-3}.\\Theta^{-4}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H-4T-3D0" ; +. +qkdv:A0E0L0I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassFlowRate ; + qudt:latexDefinition "\\(M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T-1D0" ; +. +qkdv:A0E0L0I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerArea ; + qudt:hasReferenceQuantityKind quantitykind:ForcePerLength ; + qudt:latexDefinition "\\(M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T-2D0" ; +. +qkdv:A0E0L0I0M1H0T-3D-1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T-3D-1" ; +. +qkdv:A0E0L0I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerArea ; + qudt:latexDefinition "\\(M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T-3D0" ; +. +qkdv:A0E0L0I0M1H0T-4D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T-4D0" ; +. +qkdv:A0E0L0I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Mass ; + qudt:latexDefinition "\\(M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T0D0" ; +. +qkdv:A0E0L0I0M1H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(M T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H0T2D0" ; +. +qkdv:A0E0L0I0M1H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassTemperature ; + qudt:latexDefinition "\\(M Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M1H1T0D0" ; +. +qkdv:A0E0L0I0M2H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I0M2H0T-2D0" ; +. +qkdv:A0E0L0I1M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LuminousIntensity ; + qudt:latexDefinition "\\(J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I1M0H0T0D0" ; +. +qkdv:A0E0L0I1M0H0T0D1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L0I1M0H0T0D1" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + vaem:todo "Suspicious" ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1.5I0M0.5TE0TM-1D0" ; +. + + a qudt:QuantityKindDimensionVector_CGS ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^1.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1.5I0M0.5TE0TM-2D0" ; +. +qkdv:A0E0L1I0M-1H0T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M-1H0T1D0" ; +. +qkdv:A0E0L1I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InversePressure ; + qudt:latexDefinition "\\(L T^2 M^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M-1H0T2D0" ; +. +qkdv:A0E0L1I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearThermalExpansion ; + qudt:latexDefinition "\\(L .H^{-1}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L .\\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H-1T0D0" ; +. +qkdv:A0E0L1I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearVelocity ; + qudt:latexDefinition "\\(L T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T-1D0" ; +. +qkdv:A0E0L1I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearAcceleration ; + qudt:hasReferenceQuantityKind quantitykind:ThrustToMassRatio ; + qudt:latexDefinition "\\(L T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T-2D0" ; +. +qkdv:A0E0L1I0M0H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T-3D0" ; +. +qkdv:A0E0L1I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Length ; + qudt:latexDefinition "\\(L\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T0D0" ; +. +qkdv:A0E0L1I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T1D0" ; +. +qkdv:A0E0L1I0M0H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H0T2D0" ; +. +qkdv:A0E0L1I0M0H1T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H1T-1D0" ; +. +qkdv:A0E0L1I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthTemperature ; + qudt:latexSymbol "\\(L \\cdot H\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L \\cdot \\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H1T0D0" ; +. +qkdv:A0E0L1I0M0H1T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M0H1T1D0" ; +. +qkdv:A0E0L1I0M1H-1T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalConductivity ; + qudt:latexSymbol "\\(L \\cdot M /( T^3 \\cdot \\Theta^1)\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L.M.T^{-3} .\\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M1H-1T-3D0" ; +. +qkdv:A0E0L1I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearMomentum ; + qudt:latexDefinition "\\(L M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M1H0T-1D0" ; +. +qkdv:A0E0L1I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Force ; + qudt:latexDefinition "\\(L M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M1H0T-2D0" ; +. +qkdv:A0E0L1I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M1H0T-3D0" ; +. +qkdv:A0E0L1I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthMass ; + qudt:latexDefinition "\\(L M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L1I0M1H0T0D0" ; +. +qkdv:A0E0L2I0M-1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M-1H0T0D0" ; +. +qkdv:A0E0L2I0M-1H1T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M-1H1T-1D0" ; +. +qkdv:A0E0L2I0M0H-1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:latexDefinition "\\(L^2 T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H-1T-2D0" ; +. +qkdv:A0E0L2I0M0H-1T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^2 T^-3 Θ^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H-1T-3D0" ; +. +qkdv:A0E0L2I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaThermalExpansion ; + qudt:latexDefinition "\\(L^2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H-1T0D0" ; +. +qkdv:A0E0L2I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaPerTime ; + qudt:latexDefinition "\\(L^2 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T-1D0" ; +. +qkdv:A0E0L2I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificEnergy ; + qudt:latexDefinition "\\(L^2 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T-2D0" ; +. +qkdv:A0E0L2I0M0H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:latexDefinition "\\(L^2 T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T-3D0" ; +. +qkdv:A0E0L2I0M0H0T-4D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T-4D0" ; +. +qkdv:A0E0L2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Area ; + qudt:latexDefinition "\\(L^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T0D0" ; +. +qkdv:A0E0L2I0M0H0T0D1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T0D1" ; +. +qkdv:A0E0L2I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTime ; + qudt:latexDefinition "\\(L^2 T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T1D0" ; +. +qkdv:A0E0L2I0M0H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H0T2D0" ; +. +qkdv:A0E0L2I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTemperature ; + qudt:latexDefinition "\\(L^2 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H1T0D0" ; +. +qkdv:A0E0L2I0M0H1T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTimeTemperature ; + qudt:latexDefinition "\\(L^2 T Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M0H1T1D0" ; +. +qkdv:A0E0L2I0M1H-1T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerTemperature ; + qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H-1T-2D0" ; +. +qkdv:A0E0L2I0M1H-1T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^2 M T^-3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H-1T-3D0" ; +. +qkdv:A0E0L2I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AngularMomentum ; + qudt:latexDefinition "\\(L^2 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H0T-1D0" ; +. +qkdv:A0E0L2I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Energy ; + qudt:hasReferenceQuantityKind quantitykind:Torque ; + qudt:latexDefinition "\\(L^2\\,M\\,T^{-2}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H0T-2D0" ; +. +qkdv:A0E0L2I0M1H0T-3D-1 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 L^2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H0T-3D-1" ; +. +qkdv:A0E0L2I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Power ; + qudt:latexDefinition "\\(L^2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H0T-3D0" ; +. +qkdv:A0E0L2I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MomentOfInertia ; + qudt:latexDefinition "\\(L^2 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L2I0M1H0T0D0" ; +. +qkdv:A0E0L3I0M-1H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatPressure ; + qudt:latexDefinition "\\(L^3 M^-1 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M-1H-1T0D0" ; +. +qkdv:A0E0L3I0M-1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^3 M^-1 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M-1H0T-2D0" ; +. +qkdv:A0E0L3I0M-1H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificVolume ; + qudt:latexDefinition "\\(L^3 M^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M-1H0T0D0" ; +. +qkdv:A0E0L3I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:latexDefinition "\\(L^3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M0H-1T0D0" ; +. +qkdv:A0E0L3I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumeFlowRate ; + qudt:latexDefinition "\\(L^3 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M0H0T-1D0" ; +. +qkdv:A0E0L3I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:latexDefinition "\\(L^3 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M0H0T-2D0" ; +. +qkdv:A0E0L3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Volume ; + qudt:latexDefinition "\\(L^3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M0H0T0D0" ; +. +qkdv:A0E0L3I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M0H1T0D0" ; +. +qkdv:A0E0L3I0M1H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MomentOfForce ; + qudt:latexDefinition "\\(L^3 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M1H0T-1D0" ; +. +qkdv:A0E0L3I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthEnergy ; + qudt:hasReferenceQuantityKind quantitykind:ThermalEnergyLength ; + qudt:latexDefinition "\\(L^3 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L3I0M1H0T-2D0" ; +. +qkdv:A0E0L4I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M0H0T-1D0" ; +. +qkdv:A0E0L4I0M0H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M0H0T-2D0" ; +. +qkdv:A0E0L4I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:latexDefinition "\\(L^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M0H0T0D0" ; +. +qkdv:A0E0L4I0M1H0T-2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M1H0T-2D0" ; +. +qkdv:A0E0L4I0M1H0T-3D-1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 L^4 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M1H0T-3D-1" ; +. +qkdv:A0E0L4I0M1H0T-3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerArea ; + qudt:latexDefinition "\\(L^4 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M1H0T-3D0" ; +. +qkdv:A0E0L4I0M2H0T-4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SquareEnergy ; + qudt:latexDefinition "\\(L^4 M^2 T^-4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L4I0M2H0T-4D0" ; +. +qkdv:A0E0L5I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L5I0M0H0T0D0" ; +. +qkdv:A0E0L6I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 6 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E0L6I0M0H0T0D0" ; +. +qkdv:A0E1L-1I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticReluctivity ; + qudt:latexDefinition "\\(L^{-1} M^{-1} T^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-1I0M-1H0T2D0" ; +. +qkdv:A0E1L-1I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-1I0M0H0T0D0" ; +. +qkdv:A0E1L-1I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargeLineDensity ; + qudt:latexDefinition "\\(L^-1 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-1I0M0H0T1D0" ; +. +qkdv:A0E1L-2I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseMagneticFlux ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-2I0M-1H0T2D0" ; +. +qkdv:A0E1L-2I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-2I0M-1H0T3D0" ; +. +qkdv:A0E1L-2I0M0H-2T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -2 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-2I0M0H-2T0D0" ; +. +qkdv:A0E1L-2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:latexDefinition "\\(L^-2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-2I0M0H0T0D0" ; +. +qkdv:A0E1L-2I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerArea ; + qudt:latexDefinition "\\(L^-2 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-2I0M0H0T1D0" ; +. +qkdv:A0E1L-3I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:latexDefinition "\\(L^-3 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L-3I0M0H0T1D0" ; +. +qkdv:A0E1L0I0M-1H0T0D0 + a qudt:ISO-DimensionVector ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ExposureRate ; + qudt:hasReferenceQuantityKind quantitykind:SpecificElectricCurrent ; + qudt:latexDefinition "\\(I M^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M-1H0T0D0" ; +. +qkdv:A0E1L0I0M-1H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerMass ; + qudt:hasReferenceQuantityKind quantitykind:SpecificElectricCharge ; + qudt:latexDefinition "\\(I T M^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M-1H0T1D0" ; +. +qkdv:A0E1L0I0M-1H0T4D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M-1H0T4D0" ; +. +qkdv:A0E1L0I0M-1H1T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:latexDefinition "\\(M^-1 T^2 I Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M-1H1T2D0" ; +. +qkdv:A0E1L0I0M0H-1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M0H-1T0D0" ; +. +qkdv:A0E1L0I0M0H0T0D-1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M0H0T0D-1" ; +. +qkdv:A0E1L0I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrent ; + qudt:latexDefinition "\\(I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M0H0T0D0" ; +. +qkdv:A0E1L0I0M0H0T0D1 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M0H0T0D1" ; +. +qkdv:A0E1L0I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCharge ; + qudt:latexDefinition "\\(T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L0I0M0H0T1D0" ; +. +qkdv:A0E1L1I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:latexDefinition "\\(L T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L1I0M0H0T1D0" ; +. +qkdv:A0E1L2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:latexDefinition "\\(L^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L2I0M0H0T0D0" ; +. +qkdv:A0E1L2I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:latexDefinition "\\(L^2 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E1L2I0M0H0T1D0" ; +. +qkdv:A0E2L-1I0M-1H0T4D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-1I0M-1H0T4D0" ; +. +qkdv:A0E2L-2I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-2I0M-1H0T2D0" ; +. +qkdv:A0E2L-2I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-2I0M-1H0T3D0" ; +. +qkdv:A0E2L-2I0M-1H0T4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Capacitance ; + qudt:latexDefinition "\\(L^-2 M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-2I0M-1H0T4D0" ; +. +qkdv:A0E2L-3I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-3I0M-1H0T3D0" ; +. +qkdv:A0E2L-3I0M-1H0T4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Permittivity ; + qudt:latexDefinition "\\(L^-3 M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-3I0M-1H0T4D0" ; +. +qkdv:A0E2L-4I0M-1H0T3D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L-4I0M-1H0T3D0" ; +. +qkdv:A0E2L0I0M-1H0T4D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L0I0M-1H0T4D0" ; +. +qkdv:A0E2L0I0M0H0T1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L0I0M0H0T1D0" ; +. +qkdv:A0E2L2I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; + qudt:latexDefinition "\\(L^2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E2L2I0M-1H0T2D0" ; +. +qkdv:A0E3L-1I0M-2H0T7D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 3 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 7 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; + qudt:latexDefinition "\\(L^-1 M^-2 T^7 I^3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E3L-1I0M-2H0T7D0" ; +. +qkdv:A0E3L-3I0M-2H0T7D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 3 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 7 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A0E3L-3I0M-2H0T7D0" ; +. +qkdv:A0E4L-2I0M-3H0T10D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 4 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -3 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 10 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; + qudt:latexDefinition "\\(L^-2 M^-3 T^10 I^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E4L-2I0M-3H0T10D0" ; +. +qkdv:A0E4L-5I0M-3H0T10D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 4 ; + qudt:dimensionExponentForLength -5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -3 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 10 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-5 M^-3 T^10 I^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A0E4L-5I0M-3H0T10D0" ; +. +qkdv:A1E0L-2I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L-2I0M0H0T-1D0" ; +. +qkdv:A1E0L-2I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L-2I0M0H0T0D0" ; +. +qkdv:A1E0L-3I0M-1H0T2D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L-3I0M-1H0T2D0" ; +. +qkdv:A1E0L-3I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L-3I0M0H0T-1D0" ; +. +qkdv:A1E0L-3I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:latexDefinition "\\(L^-3 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L-3I0M0H0T0D0" ; +. +qkdv:A1E0L0I0M-1H0T-1D0 + a qudt:QuantityKindDimensionVector_CGS ; + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M-1H0T-1D0" ; +. +qkdv:A1E0L0I0M-1H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:latexDefinition "\\(M^-1 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M-1H0T0D0" ; +. +qkdv:A1E0L0I0M0H0T-1D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CatalyticActivity ; + qudt:latexDefinition "\\(T^-1 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M0H0T-1D0" ; +. +qkdv:A1E0L0I0M0H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstance ; + qudt:latexDefinition "\\(N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M0H0T0D0" ; +. +qkdv:A1E0L0I0M0H1T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:latexDefinition "\\(\\theta N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M0H1T0D0" ; +. +qkdv:A1E0L0I0M1H0T0D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassAmountOfSubstance ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L0I0M1H0T0D0" ; +. +qkdv:A1E0L1I0M-2H0T2D0 + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; + rdfs:isDefinedBy ; + rdfs:label "A1E0L1I0M-2H0T2D0" ; +. +qkdv:NotApplicable + a qudt:QuantityKindDimensionVector_ISO ; + a qudt:QuantityKindDimensionVector_Imperial ; + a qudt:QuantityKindDimensionVector_SI ; + dcterms:description "This is a placeholder dimension vector used in cases where there is no appropriate dimension vector"^^rdf:HTML ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy ; + rdfs:label "Not Applicable" ; +. +voag:QUDT-DIMENSIONS-VocabCatalogEntry + a vaem:CatalogEntry ; + rdfs:isDefinedBy ; + rdfs:label "QUDT DIMENSIONS Vocab Catalog Entry" ; +. +vaem:GMD_QUDT-DIMENSION-VECTORS + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2019-08-01T16:25:54.850+00:00"^^xsd:dateTime ; + dcterms:creator "Steve Ray" ; + dcterms:description "Provides the set of all dimension vectors"^^rdf:HTML ; + dcterms:modified "2023-10-19T12:10:32.305-04:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "QUANTITY-KIND-DIMENSION-VECTORS" ; + dcterms:title "QUDT Dimension Vectors Version 2.1 Vocabulary" ; + vaem:applicableDiscipline "All disciplines" ; + vaem:applicableDomain "Science, Medicine and Engineering" ; + vaem:dateCreated "2019-08-01T21:26:38"^^xsd:dateTime ; + vaem:description "QUDT Dimension Vectors is a vocabulary that extends QUDT Quantity Kinds with properties that support dimensional analysis. There is one dimension vector for each of the system's base quantity kinds. The vector's magnitude determines the exponent of the base dimension for the referenced quantity kind"^^rdf:HTML ; + vaem:graphTitle "QUDT Dimension Vectors Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:intent "TBD" ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-QUANTITY-KIND-DIMENSION-VECTORS-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png" ; + vaem:namespace "http://qudt.org/vocab/dimensionvector/"^^xsd:anyURI ; + vaem:namespacePrefix "qkdv" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-QUANTITY-KIND-DIMENSION-VECTORS-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:specificity 1 ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/dimensionvector"^^xsd:anyURI ; + vaem:usesNonImportedResource dc:contributor ; + vaem:usesNonImportedResource dc:creator ; + vaem:usesNonImportedResource dc:description ; + vaem:usesNonImportedResource dc:rights ; + vaem:usesNonImportedResource dc:subject ; + vaem:usesNonImportedResource dc:title ; + vaem:usesNonImportedResource dcterms:contributor ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:description ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:rights ; + vaem:usesNonImportedResource dcterms:subject ; + vaem:usesNonImportedResource dcterms:title ; + vaem:usesNonImportedResource voag:QUDT-Attribution ; + vaem:usesNonImportedResource skos:closeMatch ; + vaem:usesNonImportedResource skos:exactMatch ; + vaem:withAttributionTo voag:QUDT-Attribution ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Dimension Vector Vocabulary Metadata Version 2.1.32" ; +. diff --git a/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl new file mode 100644 index 000000000..4da6e3ded --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl @@ -0,0 +1,431 @@ +# baseURI: http://qudt.org/2.1/vocab/prefix +# imports: http://qudt.org/2.1/schema/facade/qudt + +@prefix dcterms: . +@prefix owl: . +@prefix prefix: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix vaem: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-PREFIXES ; + rdfs:label "QUDT VOCAB Decimal Prefixes Release 2.1.32" ; + owl:imports ; + owl:versionIRI ; + owl:versionInfo "Created with TopBraid Composer" ; +. +prefix:Atto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "\"atto\" is a decimal prefix for expressing a value with a scaling of \\(10^{-18}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atto"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atto?oldid=412748080"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-18 ; + qudt:symbol "a" ; + qudt:ucumCode "a" ; + rdfs:isDefinedBy ; + rdfs:label "Atto"@en ; +. +prefix:Centi + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'centi' is a decimal prefix for expressing a value with a scaling of \\(10^{-2}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centi-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centi-?oldid=480291808"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-2 ; + qudt:symbol "c" ; + qudt:ucumCode "c" ; + rdfs:isDefinedBy ; + rdfs:label "Centi"@en ; +. +prefix:Deca + a qudt:DecimalPrefix ; + a qudt:Prefix ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; + qudt:exactMatch prefix:Deka ; + qudt:prefixMultiplier 1.0E1 ; + qudt:symbol "da" ; + qudt:ucumCode "da" ; + rdfs:isDefinedBy ; + rdfs:label "Deca"@en ; +. +prefix:Deci + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "\"deci\" is a decimal prefix for expressing a value with a scaling of \\(10^{-1}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deci-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deci-?oldid=469980160"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-1 ; + qudt:symbol "d" ; + qudt:ucumCode "d" ; + rdfs:isDefinedBy ; + rdfs:label "Deci"@en ; +. +prefix:Deka + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "deka is a decimal prefix for expressing a value with a scaling of \\(10^{1}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; + qudt:exactMatch prefix:Deca ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deca?oldid=480093935"^^xsd:anyURI ; + qudt:prefixMultiplier "10.0"^^xsd:double ; + qudt:symbol "da" ; + qudt:ucumCode "da" ; + rdfs:isDefinedBy ; + rdfs:label "Deka"@en ; +. +prefix:Exa + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'exa' is a decimal prefix for expressing a value with a scaling of \\(10^{18}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exa-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exa-?oldid=494400216"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E18 ; + qudt:symbol "E" ; + qudt:ucumCode "E" ; + rdfs:isDefinedBy ; + rdfs:label "Exa"@en ; +. +prefix:Exbi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{6}\\), or \\(2^{60}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "152921504606846976.0"^^xsd:double ; + qudt:symbol "Ei" ; + rdfs:isDefinedBy ; + rdfs:label "Exbi"@en ; +. +prefix:Femto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'femto' is a decimal prefix for expressing a value with a scaling of \\(10^{-15}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Femto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Femto-?oldid=467211359"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-15 ; + qudt:symbol "f" ; + qudt:ucumCode "f" ; + rdfs:isDefinedBy ; + rdfs:label "Femto"@en ; +. +prefix:Gibi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{3}\\), or \\(2^{30}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1073741824"^^xsd:double ; + qudt:symbol "Gi" ; + rdfs:isDefinedBy ; + rdfs:label "Gibi"@en ; +. +prefix:Giga + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'giga' is a decimal prefix for expressing a value with a scaling of \\(10^{9}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Giga-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Giga-?oldid=473222816"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E9 ; + qudt:symbol "G" ; + qudt:ucumCode "G" ; + rdfs:isDefinedBy ; + rdfs:label "Giga"@en ; +. +prefix:Hecto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'hecto' is a decimal prefix for expressing a value with a scaling of \\(10^{2}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hecto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hecto-?oldid=494711166"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E2 ; + qudt:symbol "h" ; + qudt:ucumCode "h" ; + rdfs:isDefinedBy ; + rdfs:label "Hecto"@en ; +. +prefix:Kibi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024\\), or \\(2^{10}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1024"^^xsd:double ; + qudt:symbol "Ki" ; + rdfs:isDefinedBy ; + rdfs:label "Kibi"@en ; +. +prefix:Kilo + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "\"kilo\" is a decimal prefix for expressing a value with a scaling of \\(10^{3}\"\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilo"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilo?oldid=461428121"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E3 ; + qudt:symbol "k" ; + qudt:ucumCode "k" ; + rdfs:isDefinedBy ; + rdfs:label "Kilo"@en ; +. +prefix:Mebi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{2}\\), or \\(2^{20}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1048576"^^xsd:double ; + qudt:symbol "Mi" ; + rdfs:isDefinedBy ; + rdfs:label "Mebi"@en ; +. +prefix:Mega + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'mega' is a decimal prefix for expressing a value with a scaling of \\(10^{6}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mega"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mega?oldid=494040441"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E6 ; + qudt:symbol "M" ; + qudt:ucumCode "M" ; + rdfs:isDefinedBy ; + rdfs:label "Mega"@en ; +. +prefix:Micro + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "\"micro\" is a decimal prefix for expressing a value with a scaling of \\(10^{-6}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Micro"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Micro?oldid=491618374"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-6 ; + qudt:symbol "μ" ; + qudt:ucumCode "u" ; + rdfs:isDefinedBy ; + rdfs:label "Micro"@en ; +. +prefix:Milli + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'milli' is a decimal prefix for expressing a value with a scaling of \\(10^{-3}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Milli-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Milli-?oldid=467190544"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-3 ; + qudt:symbol "m" ; + qudt:ucumCode "m" ; + rdfs:isDefinedBy ; + rdfs:label "Milli"@en ; +. +prefix:Nano + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'nano' is a decimal prefix for expressing a value with a scaling of \\(10^{-9}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nano"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nano?oldid=489001692"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-9 ; + qudt:symbol "n" ; + qudt:ucumCode "n" ; + rdfs:isDefinedBy ; + rdfs:label "Nano"@en ; +. +prefix:Pebi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{5}\\), or \\(2^{50}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "125899906842624"^^xsd:double ; + qudt:symbol "Pi" ; + rdfs:isDefinedBy ; + rdfs:label "Pebi"@en ; +. +prefix:Peta + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'peta' is a decimal prefix for expressing a value with a scaling of \\(10^{15}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Peta"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Peta?oldid=488263435"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E15 ; + qudt:symbol "P" ; + qudt:ucumCode "P" ; + rdfs:isDefinedBy ; + rdfs:label "Peta"@en ; +. +prefix:Pico + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'pico' is a decimal prefix for expressing a value with a scaling of \\(10^{-12}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pico"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pico?oldid=485697614"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-12 ; + qudt:symbol "p" ; + qudt:ucumCode "p" ; + rdfs:isDefinedBy ; + rdfs:label "Pico"@en ; +. +prefix:Quecto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'quecto' is a decimal prefix for expressing a value with a scaling of \\(10^{-30}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quecto"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-30 ; + qudt:symbol "q" ; + qudt:ucumCode "q" ; + rdfs:isDefinedBy ; + rdfs:label "Quecto"@en ; +. +prefix:Quetta + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'quetta' is a decimal prefix for expressing a value with a scaling of \\(10^{30}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quetta"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E30 ; + qudt:symbol "Q" ; + qudt:ucumCode "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Quetta"@en ; +. +prefix:Ronna + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'ronna' is a decimal prefix for expressing a value with a scaling of \\(10^{27}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ronna"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E27 ; + qudt:symbol "R" ; + qudt:ucumCode "R" ; + rdfs:isDefinedBy ; + rdfs:label "Ronna"@en ; +. +prefix:Ronto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'ronto' is a decimal prefix for expressing a value with a scaling of \\(10^{-27}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ronto"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-27 ; + qudt:symbol "r" ; + qudt:ucumCode "r" ; + rdfs:isDefinedBy ; + rdfs:label "Ronto"@en ; +. +prefix:Tebi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^4}\\), or \\(2^{40}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1099511627776"^^xsd:double ; + qudt:symbol "Ti" ; + rdfs:isDefinedBy ; + rdfs:label "Tebi"@en ; +. +prefix:Tera + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'tera' is a decimal prefix for expressing a value with a scaling of \\(10^{12}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tera"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tera?oldid=494204788"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E12 ; + qudt:symbol "T" ; + qudt:ucumCode "T" ; + rdfs:isDefinedBy ; + rdfs:label "Tera"@en ; +. +prefix:Yobi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{8}\\), or \\(2^{80}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1208925819614629174706176"^^xsd:double ; + qudt:symbol "Yi" ; + rdfs:isDefinedBy ; + rdfs:label "Yobi"@en ; +. +prefix:Yocto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'yocto' is a decimal prefix for expressing a value with a scaling of \\(10^{-24}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yocto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yocto-?oldid=488155799"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-24 ; + qudt:symbol "y" ; + qudt:ucumCode "y" ; + rdfs:isDefinedBy ; + rdfs:label "Yocto"@en ; +. +prefix:Yotta + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'yotta' is a decimal prefix for expressing a value with a scaling of \\(10^{24}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yotta-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yotta-?oldid=494538119"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E24 ; + qudt:symbol "Y" ; + qudt:ucumCode "Y" ; + rdfs:isDefinedBy ; + rdfs:label "Yotta"@en ; +. +prefix:Zebi + a qudt:BinaryPrefix ; + a qudt:Prefix ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{7}\\), or \\(2^{70}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier "1180591620717411303424"^^xsd:double ; + qudt:symbol "Zi" ; + rdfs:isDefinedBy ; + rdfs:label "Zebi"@en ; +. +prefix:Zepto + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'zepto' is a decimal prefix for expressing a value with a scaling of \\(10^{-21}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zepto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zepto-?oldid=476974663"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E-21 ; + qudt:symbol "z" ; + qudt:ucumCode "z" ; + rdfs:isDefinedBy ; + rdfs:label "Zepto"@en ; +. +prefix:Zetta + a qudt:DecimalPrefix ; + a qudt:Prefix ; + dcterms:description "'zetta' is a decimal prefix for expressing a value with a scaling of \\(10^{21}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zetta-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zetta-?oldid=495223080"^^xsd:anyURI ; + qudt:prefixMultiplier 1.0E21 ; + qudt:symbol "Z" ; + qudt:ucumCode "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Zetta"@en ; +. +vaem:GMD_QUDT-PREFIXES + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Michael Ringel" ; + dcterms:contributor "Ralph Hodgson" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2020-07-15"^^xsd:date ; + dcterms:creator "Steve Ray" ; + dcterms:modified "2023-10-19T12:29:18.111-04:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Prefixes" ; + dcterms:title "QUDT Prefixes Version 2.1 Vocabulary" ; + vaem:description "The Prefixes vocabulary defines the prefixes commonly prepended to units to connote multiplication, either decimal or binary." ; + vaem:graphName "prefix" ; + vaem:graphTitle "QUDT Prefixes Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner ; + vaem:hasSteward ; + vaem:intent "Provides a vocabulary of prefixes for both human and machine use" ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-PREFIXES-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/vocab/prefix/"^^xsd:anyURI ; + vaem:namespacePrefix "prefix" ; + vaem:owner "QUDT.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-PREFIXES-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:specificity 1 ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/prefix"^^xsd:anyURI ; + vaem:urlForHTML "http://qudt.org/2.1/vocab/prefix.html"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:title ; + vaem:website "http://qudt.org/2.1/vocab/prefix.ttl"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Prefix Vocabulary Version Metadata 2.1.32" ; +. diff --git a/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl new file mode 100644 index 000000000..47ca49e86 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl @@ -0,0 +1,23896 @@ +# baseURI: http://qudt.org/2.1/vocab/quantitykind +# imports: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/vocab/dimensionvector + +@prefix constant: . +@prefix dc: . +@prefix dcterms: . +@prefix mc: . +@prefix owl: . +@prefix prov: . +@prefix qkdv: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix soqk: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-QUANTITY-KINDS-ALL ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Quantity Kind Vocabulary Version 2.1.32" ; + owl:imports ; + owl:imports ; + owl:versionIRI ; +. +quantitykind:AbsoluteActivity + a qudt:QuantityKind ; + dcterms:description "The \"Absolute Activity\" is the exponential of the ratio of the chemical potential to \\(RT\\) where \\(R\\) is the gas constant and \\(T\\) the thermodynamic temperature."^^qudt:LatexString ; + qudt:applicableUnit unit:BQ-SEC-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/A00019.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_B = e^{\\frac{\\mu_B}{RT}}\\), where \\(\\mu_B\\) is the chemical potential of substance \\(B\\), \\(R\\) is the molar gas constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_B\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Absolute Activity"@en ; + skos:broader quantitykind:InverseVolume ; +. +quantitykind:AbsoluteHumidity + a qudt:QuantityKind ; + dcterms:description "\"Absolute Humidity\" is an amount of water vapor, usually discussed per unit volume. Absolute humidity in air ranges from zero to roughly 30 grams per cubic meter when the air is saturated at \\(30 ^\\circ C\\). The absolute humidity changes as air temperature or pressure changes. This is very inconvenient for chemical engineering calculations, e.g. for clothes dryers, where temperature can vary considerably. As a result, absolute humidity is generally defined in chemical engineering as mass of water vapor per unit mass of dry air, also known as the mass mixing ratio, which is much more rigorous for heat and mass balance calculations. Mass of water per unit volume as in the equation above would then be defined as volumetric humidity. Because of the potential confusion."^^qudt:LatexString ; + qudt:applicableUnit unit:DEGREE_BALLING ; + qudt:applicableUnit unit:DEGREE_BAUME ; + qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; + qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; + qudt:applicableUnit unit:DEGREE_BRIX ; + qudt:applicableUnit unit:DEGREE_OECHSLE ; + qudt:applicableUnit unit:DEGREE_PLATO ; + qudt:applicableUnit unit:DEGREE_TWADDELL ; + qudt:applicableUnit unit:FemtoGM-PER-L ; + qudt:applicableUnit unit:GM-PER-CentiM3 ; + qudt:applicableUnit unit:GM-PER-DeciL ; + qudt:applicableUnit unit:GM-PER-DeciM3 ; + qudt:applicableUnit unit:GM-PER-L ; + qudt:applicableUnit unit:GM-PER-M3 ; + qudt:applicableUnit unit:GM-PER-MilliL ; + qudt:applicableUnit unit:GRAIN-PER-GAL ; + qudt:applicableUnit unit:GRAIN-PER-GAL_US ; + qudt:applicableUnit unit:GRAIN-PER-M3 ; + qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; + qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; + qudt:applicableUnit unit:KiloGM-PER-L ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:applicableUnit unit:LB-PER-FT3 ; + qudt:applicableUnit unit:LB-PER-GAL ; + qudt:applicableUnit unit:LB-PER-GAL_UK ; + qudt:applicableUnit unit:LB-PER-GAL_US ; + qudt:applicableUnit unit:LB-PER-IN3 ; + qudt:applicableUnit unit:LB-PER-M3 ; + qudt:applicableUnit unit:LB-PER-YD3 ; + qudt:applicableUnit unit:MegaGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-DeciL ; + qudt:applicableUnit unit:MicroGM-PER-L ; + qudt:applicableUnit unit:MicroGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-MilliL ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:applicableUnit unit:MilliGM-PER-L ; + qudt:applicableUnit unit:MilliGM-PER-M3 ; + qudt:applicableUnit unit:MilliGM-PER-MilliL ; + qudt:applicableUnit unit:NanoGM-PER-DeciL ; + qudt:applicableUnit unit:NanoGM-PER-L ; + qudt:applicableUnit unit:NanoGM-PER-M3 ; + qudt:applicableUnit unit:NanoGM-PER-MicroL ; + qudt:applicableUnit unit:NanoGM-PER-MilliL ; + qudt:applicableUnit unit:OZ-PER-GAL ; + qudt:applicableUnit unit:OZ-PER-GAL_UK ; + qudt:applicableUnit unit:OZ-PER-GAL_US ; + qudt:applicableUnit unit:OZ-PER-IN3 ; + qudt:applicableUnit unit:OZ-PER-YD3 ; + qudt:applicableUnit unit:PicoGM-PER-L ; + qudt:applicableUnit unit:PicoGM-PER-MilliL ; + qudt:applicableUnit unit:PlanckDensity ; + qudt:applicableUnit unit:SLUG-PER-FT3 ; + qudt:applicableUnit unit:TONNE-PER-M3 ; + qudt:applicableUnit unit:TON_LONG-PER-YD3 ; + qudt:applicableUnit unit:TON_Metric-PER-M3 ; + qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; + qudt:applicableUnit unit:TON_UK-PER-YD3 ; + qudt:applicableUnit unit:TON_US-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Humidity"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Humidity#Absolute_humidity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """\\(AH = \\frac{\\mathcal{M}_\\omega}{\\vee_{net}}\\), +where \\(\\mathcal{M}_\\omega\\) is the mass of water vapor per unit volume of total air and \\(\\vee_{net}\\) is water vapor mixture."""^^qudt:LatexString ; + qudt:symbol "AH" ; + rdfs:isDefinedBy ; + rdfs:label "Absolute Humidity"@en ; + rdfs:seeAlso quantitykind:RelativeHumidity ; + skos:broader quantitykind:Density ; +. +quantitykind:AbsorbedDose + a qudt:QuantityKind ; + dcterms:description "\"Absorbed Dose\" (also known as Total Ionizing Dose, TID) is a measure of the energy deposited in a medium by ionizing radiation. It is equal to the energy deposited per unit mass of medium, and so has the unit \\(J/kg\\), which is given the special name Gray (\\(Gy\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:GRAY ; + qudt:applicableUnit unit:MicroGRAY ; + qudt:applicableUnit unit:MilliGRAY ; + qudt:applicableUnit unit:MilliRAD_R ; + qudt:applicableUnit unit:RAD_R ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Absorbed_dose"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbed_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D = \\frac{d\\bar{\\varepsilon}}{dm}\\), where \\(d\\bar{\\varepsilon}\\) is the mean energy imparted by ionizing radiation to an element of irradiated matter with the mass \\(dm\\)."^^qudt:LatexString ; + qudt:symbol "D" ; + rdfs:comment "Note that the absorbed dose is not a good indicator of the likely biological effect. 1 Gy of alpha radiation would be much more biologically damaging than 1 Gy of photon radiation for example. Appropriate weighting factors can be applied reflecting the different relative biological effects to find the equivalent dose. The risk of stoctic effects due to radiation exposure can be quantified using the effective dose, which is a weighted average of the equivalent dose to each organ depending upon its radiosensitivity. When ionising radiation is used to treat cancer, the doctor will usually prescribe the radiotherapy treatment in Gy. When risk from ionising radiation is being discussed, a related unit, the Sievert is used." ; + rdfs:isDefinedBy ; + rdfs:label "Absorbed Dose"@en ; + skos:broader quantitykind:SpecificEnergy ; +. +quantitykind:AbsorbedDoseRate + a qudt:QuantityKind ; + dcterms:description "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-GM-SEC ; + qudt:applicableUnit unit:GRAY-PER-SEC ; + qudt:applicableUnit unit:MilliW-PER-MilliGM ; + qudt:applicableUnit unit:W-PER-GM ; + qudt:applicableUnit unit:W-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "http://www.answers.com/topic/absorbed-dose-rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{D} = \\frac{dD}{dt}\\), where \\(dD\\) is the increment of absorbed dose during time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{D}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)." ; + rdfs:isDefinedBy ; + rdfs:label "Absorbed Dose Rate"@en ; +. +quantitykind:Absorptance + a qudt:QuantityKind ; + dcterms:description "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbance"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Absorptance"^^xsd:anyURI ; + qudt:informativeReference "https://www.researchgate.net/post/Absorptance_or_absorbance"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha = \\frac{\\Phi_a}{\\Phi_m}\\), where \\(\\Phi_a\\) is the absorbed radiant flux or the absorbed luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Absorptance"@en ; +. +quantitykind:Acceleration + a qudt:QuantityKind ; + dcterms:description "Acceleration is the (instantaneous) rate of change of velocity. Acceleration may be either linear acceleration, or angular acceleration. It is a vector quantity with dimension \\(length/time^{2}\\) for linear acceleration, or in the case of angular acceleration, with dimension \\(angle/time^{2}\\). In SI units, linear acceleration is measured in \\(meters/second^{2}\\) (\\(m \\cdot s^{-2}\\)) and angular acceleration is measured in \\(radians/second^{2}\\). In physics, any increase or decrease in speed is referred to as acceleration and similarly, motion in a circle at constant speed is also an acceleration, since the direction component of the velocity is changing."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-SEC2 ; + qudt:applicableUnit unit:FT-PER-SEC2 ; + qudt:applicableUnit unit:G ; + qudt:applicableUnit unit:GALILEO ; + qudt:applicableUnit unit:IN-PER-SEC2 ; + qudt:applicableUnit unit:KN-PER-SEC ; + qudt:applicableUnit unit:KiloPA-M2-PER-GM ; + qudt:applicableUnit unit:M-PER-SEC2 ; + qudt:applicableUnit unit:MicroG ; + qudt:applicableUnit unit:MilliG ; + qudt:applicableUnit unit:MilliGAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearAcceleration ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acceleration"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Beschleunigung"@de ; + rdfs:label "Pecutan"@ms ; + rdfs:label "Zrychlení"@cs ; + rdfs:label "acceleratio"@la ; + rdfs:label "acceleration"@en ; + rdfs:label "accelerazione"@it ; + rdfs:label "accelerație"@ro ; + rdfs:label "accélération"@fr ; + rdfs:label "aceleración"@es ; + rdfs:label "aceleração"@pt ; + rdfs:label "ivme"@tr ; + rdfs:label "pospešek"@sl ; + rdfs:label "przyspieszenie"@pl ; + rdfs:label "Όγκος"@el ; + rdfs:label "Ускоре́ние"@ru ; + rdfs:label "التسارع"@ar ; + rdfs:label "شتاب"@fa ; + rdfs:label "त्वरण"@hi ; + rdfs:label "加速度"@ja ; + rdfs:label "加速度"@zh ; +. +quantitykind:AccelerationOfGravity + a qudt:QuantityKind ; + dcterms:description "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-SEC2 ; + qudt:applicableUnit unit:FT-PER-SEC2 ; + qudt:applicableUnit unit:G ; + qudt:applicableUnit unit:GALILEO ; + qudt:applicableUnit unit:IN-PER-SEC2 ; + qudt:applicableUnit unit:KN-PER-SEC ; + qudt:applicableUnit unit:KiloPA-M2-PER-GM ; + qudt:applicableUnit unit:M-PER-SEC2 ; + qudt:applicableUnit unit:MicroG ; + qudt:applicableUnit unit:MilliG ; + qudt:applicableUnit unit:MilliGAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:plainTextDescription "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "Acceleration Of Gravity"@en ; + skos:broader quantitykind:Acceleration ; +. +quantitykind:AcceptorDensity + a qudt:QuantityKind ; + dcterms:description "\"Acceptor Density\" is the number per volume of acceptor levels."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Acceptor Density\" is the number per volume of acceptor levels." ; + qudt:symbol "n_a" ; + rdfs:isDefinedBy ; + rdfs:label "Acceptor Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:AcceptorIonizationEnergy + a qudt:QuantityKind ; + dcterms:description "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor." ; + qudt:symbol "E_a" ; + rdfs:isDefinedBy ; + rdfs:label "Acceptor Ionization Energy"@en ; + skos:broader quantitykind:IonizationEnergy ; + skos:closeMatch quantitykind:DonorIonizationEnergy ; +. +quantitykind:Acidity + a qudt:QuantityKind ; + dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity." ; + rdfs:isDefinedBy ; + rdfs:label "Acidity"@en ; + skos:broader quantitykind:PH ; +. +quantitykind:AcousticImpedance + a qudt:QuantityKind ; + dcterms:description "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface."^^rdf:HTML ; + qudt:applicableUnit unit:PA-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_a= \\frac{p}{q} = \\frac{p}{vS}\\), where \\(p\\) is the sound pressure, \\(q\\) is the sound volume velocity, \\(v\\) is sound particle velocity, and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; + qudt:plainTextDescription "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Acoustic Impediance"@en ; + skos:broader quantitykind:MassPerAreaTime ; +. +quantitykind:Action + a qudt:QuantityKind ; + dcterms:description """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. +The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; + qudt:applicableUnit unit:AttoJ-SEC ; + qudt:applicableUnit unit:J-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Action_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(S = \\int Ldt\\), where \\(L\\) is the Lagrange function and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. +The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Action"@en ; +. +quantitykind:ActionTime + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Action Time (sec) " ; + rdfs:isDefinedBy ; + rdfs:label "Action Time"@en ; +. +quantitykind:ActiveEnergy + a qudt:QuantityKind ; + dcterms:description "\"Active Energy\" is the electrical energy transformable into some other form of energy."^^rdf:HTML ; + qudt:abbreviation "active-energy" ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=601-01-19"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(W = \\int_{t_1}^{t_2} p dt\\), where \\(p\\) is instantaneous power and the integral interval is the time interval from \\(t_1\\) to \\(t_2\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Active Energy\" is the electrical energy transformable into some other form of energy." ; + qudt:symbol "W" ; + rdfs:isDefinedBy ; + rdfs:label "Active Energy"@en ; + rdfs:seeAlso quantitykind:InstantaneousPower ; + skos:broader quantitykind:Energy ; +. +quantitykind:ActivePower + a qudt:QuantityKind ; + dcterms:description "\\(Active Power\\) is, under periodic conditions, the mean value, taken over one period \\(T\\), of the instantaneous power \\(p\\). In complex notation, \\(P = \\mathbf{Re} \\; \\underline{S}\\), where \\(\\underline{S}\\) is \\(\\textit{complex power}\\)\"."^^qudt:LatexString ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-42"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(P = \\frac{1}{T}\\int_{0}^{T} pdt\\), where \\(T\\) is the period and \\(p\\) is instantaneous power."^^qudt:LatexString ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + rdfs:label "Active Power"@en ; + rdfs:seeAlso quantitykind:ComplexPower ; + rdfs:seeAlso quantitykind:InstantaneousPower ; + skos:broader quantitykind:ComplexPower ; +. +quantitykind:Activity + a qudt:QuantityKind ; + dcterms:description "\"Activity\" is the number of decays per unit time of a radioactive sample, the term used to characterise the number of nuclei which disintegrate in a radioactive substance per unit time. Activity is usually measured in Becquerels (\\(Bq\\)), where 1 \\(Bq\\) is 1 disintegration per second, in honor of the scientist Henri Becquerel."^^qudt:LatexString ; + qudt:applicableUnit unit:BQ ; + qudt:applicableUnit unit:Ci ; + qudt:applicableUnit unit:GigaBQ ; + qudt:applicableUnit unit:KiloBQ ; + qudt:applicableUnit unit:KiloCi ; + qudt:applicableUnit unit:MegaBQ ; + qudt:applicableUnit unit:MicroBQ ; + qudt:applicableUnit unit:MicroCi ; + qudt:applicableUnit unit:MilliBQ ; + qudt:applicableUnit unit:MilliCi ; + qudt:applicableUnit unit:NanoBQ ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radioactive_decay"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radioactive_decay"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radioactive_decay#Radioactive_decay_rates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number. + +Variation \\(dN\\) of spontaneous number of nuclei \\(N\\) in a particular energy state, in a sample of radionuclide, due to spontaneous nuclear transitions from this state during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(A = -\\frac{dN}{dt}\\)."""^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Activity"@en ; + skos:broader quantitykind:StochasticProcess ; +. +quantitykind:ActivityCoefficient + a qudt:QuantityKind ; + dcterms:description "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. "^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(f_B = \\frac{\\lambda_B}{(\\lambda_B^*x_B)}\\), where \\(\\lambda_B\\) the absolute activity of substance \\(B\\), \\(\\lambda_B^*\\) is the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. " ; + qudt:symbol "f_B" ; + rdfs:isDefinedBy ; + rdfs:label "Activity Coefficient"@en ; +. +quantitykind:ActivityConcentration + a qudt:QuantityKind ; + dcterms:description "The \"Activity Concentration\", also known as volume activity, and activity density, is ."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-L ; + qudt:applicableUnit unit:BQ-PER-M3 ; + qudt:applicableUnit unit:MicroBQ-PER-L ; + qudt:applicableUnit unit:MilliBQ-PER-L ; + qudt:applicableUnit unit:NanoBQ-PER-L ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/activityconcentration.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_A = \\frac{A}{V}\\), where \\(A\\) is the activity of a sample and \\(V\\) is its volume."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Activity Concentration\", also known as volume activity, and activity density, is ." ; + qudt:symbol "c_A" ; + rdfs:isDefinedBy ; + rdfs:label "Activity Concentration"@en ; +. +quantitykind:ActivityThresholds + a qudt:QuantityKind ; + dcterms:description "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity." ; + rdfs:isDefinedBy ; + rdfs:label "Activity Thresholds"@en ; +. +quantitykind:Adaptation + a qudt:QuantityKind ; + dcterms:description "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation), usually measured in units of time."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neural_adaptation#Visual"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation)." ; + rdfs:isDefinedBy ; + rdfs:label "Adaptation"@en ; +. +quantitykind:Admittance + a qudt:QuantityKind ; + dcterms:description "\"Admittance\" is a measure of how easily a circuit or device will allow a current to flow. It is defined as the inverse of the impedance (\\(Z\\)). "^^qudt:LatexString ; + qudt:applicableUnit unit:DeciS ; + qudt:applicableUnit unit:KiloS ; + qudt:applicableUnit unit:MegaS ; + qudt:applicableUnit unit:MicroS ; + qudt:applicableUnit unit:MilliS ; + qudt:applicableUnit unit:NanoS ; + qudt:applicableUnit unit:PicoS ; + qudt:applicableUnit unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Y = \\frac{1}{Z}\\), where \\(Z\\) is impedance."^^qudt:LatexString ; + qudt:latexSymbol "\\(Y\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Admittance"@en ; + rdfs:seeAlso quantitykind:Impedance ; +. +quantitykind:AlphaDisintegrationEnergy + a qudt:QuantityKind ; + dcterms:description "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the \\(\\alpha\\)-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:latexSymbol "\\(Q_a\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the alpha-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration." ; + rdfs:isDefinedBy ; + rdfs:label "Alpha Disintegration Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:Altitude + a qudt:QuantityKind ; + dcterms:description "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Altitude"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]" ; + rdfs:isDefinedBy ; + rdfs:label "Altitude"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:AmbientPressure + a qudt:QuantityKind ; + dcterms:description """The ambient pressure on an object is the pressure of the surrounding medium, such as a gas or liquid, which comes into contact with the object. +The SI unit of pressure is the pascal (Pa), which is a very small unit relative to atmospheric pressure on Earth, so kilopascals (\\(kPa\\)) are more commonly used in this context. """^^qudt:LatexString ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p_a" ; + rdfs:isDefinedBy ; + rdfs:label "Ambient Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:AmountOfSubstance + a qudt:QuantityKind ; + dcterms:description "\"Amount of Substance\" is a standards-defined quantity that measures the size of an ensemble of elementary entities, such as atoms, molecules, electrons, and other particles. It is sometimes referred to as chemical amount. The International System of Units (SI) defines the amount of substance to be proportional to the number of elementary entities present. The SI unit for amount of substance is \\(mole\\). It has the unit symbol \\(mol\\). The mole is defined as the amount of substance that contains an equal number of elementary entities as there are atoms in 0.012kg of the isotope carbon-12. This number is called Avogadro's number and has the value \\(6.02214179(30) \\times 10^{23}\\). The only other unit of amount of substance in current use is the \\(pound-mole\\) with the symbol \\(lb-mol\\), which is sometimes used in chemical engineering in the United States. One \\(pound-mole\\) is exactly \\(453.59237 mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiMOL ; + qudt:applicableUnit unit:FemtoMOL ; + qudt:applicableUnit unit:IU ; + qudt:applicableUnit unit:KiloMOL ; + qudt:applicableUnit unit:MOL ; + qudt:applicableUnit unit:MicroMOL ; + qudt:applicableUnit unit:MilliMOL ; + qudt:applicableUnit unit:NanoMOL ; + qudt:applicableUnit unit:PicoMOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Amount_of_substance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Jumlah bahan"@ms ; + rdfs:label "Látkové množství"@cs ; + rdfs:label "Stoffmenge"@de ; + rdfs:label "amount of substance"@en ; + rdfs:label "anyagmennyiség"@hu ; + rdfs:label "cantidad de sustancia"@es ; + rdfs:label "cantitate de substanță"@ro ; + rdfs:label "chemical amount"@en ; + rdfs:label "jumlah kimia"@ms ; + rdfs:label "liczność materii"@pl ; + rdfs:label "madde miktarı"@tr ; + rdfs:label "množina snovi"@sl ; + rdfs:label "quantidade de substância"@pt ; + rdfs:label "quantitas substantiae"@la ; + rdfs:label "quantità chimica"@it ; + rdfs:label "quantità di materia"@it ; + rdfs:label "quantità di sostanza"@it ; + rdfs:label "quantité de matière"@fr ; + rdfs:label "Ποσότητα Ουσίας"@el ; + rdfs:label "Количество вещества"@ru ; + rdfs:label "Количество вещество"@bg ; + rdfs:label "כמות חומר"@he ; + rdfs:label "كمية المادة"@ar ; + rdfs:label "مقدار ماده"@fa ; + rdfs:label "पदार्थ की मात्रा"@hi ; + rdfs:label "物質量"@ja ; + rdfs:label "物质的量"@zh ; +. +quantitykind:AmountOfSubstanceConcentration + a qudt:QuantityKind ; + dcterms:description "\"Amount of Substance of Concentration\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-L ; + qudt:applicableUnit unit:FemtoMOL-PER-L ; + qudt:applicableUnit unit:KiloMOL-PER-M3 ; + qudt:applicableUnit unit:MOL-PER-DeciM3 ; + qudt:applicableUnit unit:MOL-PER-L ; + qudt:applicableUnit unit:MOL-PER-M3 ; + qudt:applicableUnit unit:MicroMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-M3 ; + qudt:applicableUnit unit:NanoMOL-PER-L ; + qudt:applicableUnit unit:PicoMOL-PER-L ; + qudt:applicableUnit unit:PicoMOL-PER-M3 ; + qudt:exactMatch quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy ; + rdfs:label "Amount of Substance of Concentration"@en ; +. +quantitykind:AmountOfSubstanceConcentrationOfB + a qudt:QuantityKind ; + dcterms:description "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:AmountOfSubstanceConcentration ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy ; + rdfs:label "Amount of Substance of Concentration of B"@en ; +. +quantitykind:AmountOfSubstanceFraction + a qudt:QuantityKind ; + dcterms:description "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; + qudt:symbol "X_B" ; + rdfs:isDefinedBy ; + rdfs:label "Fractional Amount of Substance"@en ; +. +quantitykind:AmountOfSubstanceFractionOfB + a qudt:QuantityKind ; + dcterms:description "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:AmountOfSubstanceFraction ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; + qudt:symbol "X_B" ; + rdfs:isDefinedBy ; + rdfs:label "Amount of Substance of Fraction of B"@en ; +. +quantitykind:AmountOfSubstancePerUnitMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; + qudt:applicableUnit unit:FemtoMOL-PER-KiloGM ; + qudt:applicableUnit unit:IU-PER-MilliGM ; + qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; + qudt:applicableUnit unit:MOL-PER-KiloGM ; + qudt:applicableUnit unit:MOL-PER-TONNE ; + qudt:applicableUnit unit:MicroMOL-PER-GM ; + qudt:applicableUnit unit:MicroMOL-PER-KiloGM ; + qudt:applicableUnit unit:MilliMOL-PER-GM ; + qudt:applicableUnit unit:MilliMOL-PER-KiloGM ; + qudt:applicableUnit unit:NanoMOL-PER-KiloGM ; + qudt:applicableUnit unit:PicoMOL-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + vaem:todo "fix the numerator and denominator dimensions" ; + rdfs:isDefinedBy ; + rdfs:label "Amount of Substance per Unit Mass"@en ; +. +quantitykind:AmountOfSubstancePerUnitMassPressure + a qudt:QuantityKind ; + dcterms:description "The \"Variation of Molar Mass\" of a gas as a function of pressure."^^rdf:HTML ; + qudt:applicableUnit unit:MOL-PER-KiloGM-PA ; + qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; + qudt:plainTextDescription "The \"Variation of Molar Mass\" of a gas as a function of pressure." ; + rdfs:isDefinedBy ; + rdfs:label "Molar Mass variation due to Pressure"@en ; +. +quantitykind:AmountOfSubstancePerUnitVolume + a qudt:QuantityKind ; + dcterms:description "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-L ; + qudt:applicableUnit unit:FemtoMOL-PER-L ; + qudt:applicableUnit unit:KiloMOL-PER-M3 ; + qudt:applicableUnit unit:MOL-PER-DeciM3 ; + qudt:applicableUnit unit:MOL-PER-L ; + qudt:applicableUnit unit:MOL-PER-M3 ; + qudt:applicableUnit unit:MicroMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-M3 ; + qudt:applicableUnit unit:NanoMOL-PER-L ; + qudt:applicableUnit unit:PicoMOL-PER-L ; + qudt:applicableUnit unit:PicoMOL-PER-M3 ; + qudt:exactMatch quantitykind:AmountOfSubstanceConcentration ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.ask.com/answers/72367781/what-is-defined-as-the-amount-of-substance-per-unit-of-volume"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; + qudt:plainTextDescription "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure." ; + rdfs:isDefinedBy ; + rdfs:label "Amount of Substance per Unit Volume"@en ; + skos:broader quantitykind:Concentration ; +. +quantitykind:Angle + a qudt:QuantityKind ; + dcterms:description "The abstract notion of angle. Narrow concepts include plane angle and solid angle. While both plane angle and solid angle are dimensionless, they are actually length/length and area/area respectively."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angle"^^xsd:anyURI ; + qudt:exactMatch quantitykind:PlaneAngle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Angle"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:AngleOfAttack + a qudt:QuantityKind ; + dcterms:description "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing." ; + rdfs:isDefinedBy ; + rdfs:label "Angle Of Attack"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:AngleOfOpticalRotation + a qudt:QuantityKind ; + dcterms:description "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Optical_rotation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium." ; + rdfs:isDefinedBy ; + rdfs:label "Angle of Optical Rotation"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:AngularAcceleration + a qudt:QuantityKind ; + dcterms:description "Angular acceleration is the rate of change of angular velocity over time. Measurement of the change made in the rate of change of an angle that a spinning object undergoes per unit time. It is a vector quantity. Also called Rotational acceleration. In SI units, it is measured in radians per second squared (\\(rad/s^2\\)), and is usually denoted by the Greek letter alpha."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-SEC2 ; + qudt:applicableUnit unit:RAD-PER-SEC2 ; + qudt:applicableUnit unit:REV-PER-SEC2 ; + qudt:baseCGSUnitDimensions "U/T^2" ; + qudt:baseSIUnitDimensions "\\(/s^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_acceleration"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Accelerație unghiulară"@ro ; + rdfs:label "Açısal ivme"@tr ; + rdfs:label "Pecutan bersudut"@ms ; + rdfs:label "Przyspieszenie kątowe"@pl ; + rdfs:label "Winkelbeschleunigung"@de ; + rdfs:label "accelerazione angolare"@it ; + rdfs:label "accélération angulaire"@fr ; + rdfs:label "aceleración angular"@es ; + rdfs:label "aceleração angular"@pt ; + rdfs:label "angular acceleration"@en ; + rdfs:label "Úhlové zrychlení"@cs ; + rdfs:label "Угловое ускорение"@ru ; + rdfs:label "تسارع زاوي"@ar ; + rdfs:label "شتاب زاویه‌ای"@fa ; + rdfs:label "कोणीय त्वरण"@hi ; + rdfs:label "角加速度"@ja ; + rdfs:label "角加速度"@zh ; + skos:broader quantitykind:InverseSquareTime ; +. +quantitykind:AngularCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone, divided by the solid angle \\(d\\Omega\\) of that cone."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\sigma_\\Omega d\\Omega\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_\\Omega\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Angular Cross-section"@en ; + skos:closeMatch quantitykind:SpectralCrossSection ; +. +quantitykind:AngularDistance + a qudt:QuantityKind ; + dcterms:description "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach." ; + rdfs:isDefinedBy ; + rdfs:label "Angular Distance"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:AngularFrequency + a qudt:QuantityKind ; + dcterms:description "\"Angular frequency\", symbol \\(\\omega\\) (also referred to by the terms angular speed, radial frequency, circular frequency, orbital frequency, radian frequency, and pulsatance) is a scalar measure of rotation rate. Angular frequency (or angular speed) is the magnitude of the vector quantity angular velocity."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_frequency"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega = 2\\pi f\\), where \\(f\\) is frequency."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Kreisfrequenz"@de ; + rdfs:label "Pulsación"@fr ; + rdfs:label "Pulsatanzpulsation"@de ; + rdfs:label "angular frequency"@en ; + rdfs:label "frequenza angolare"@it ; + rdfs:label "frequência angular"@pt ; + rdfs:label "pulsación"@es ; + rdfs:label "pulsacja"@pl ; + rdfs:label "pulsatance"@en ; + rdfs:label "pulsazione"@it ; + rdfs:label "pulsação"@pt ; + rdfs:label "تردد زاوى"@ar ; + rdfs:label "نابض"@ar ; + rdfs:label "角周波数"@ja ; + rdfs:label "角振動数"@ja ; + rdfs:label "角速度"@zh ; + rdfs:label "角频率"@zh ; + skos:broader quantitykind:AngularVelocity ; +. +quantitykind:AngularImpulse + a qudt:QuantityKind ; + dcterms:description "The Angular Impulse, also known as angular momentum, is the moment of linear momentum around a point. It is defined as\\(H = \\int Mdt\\), where \\(M\\) is the moment of force and \\(t\\) is time."^^qudt:LatexString ; + qudt:applicableUnit unit:ERG-SEC ; + qudt:applicableUnit unit:EV-SEC ; + qudt:applicableUnit unit:FT-LB_F-SEC ; + qudt:applicableUnit unit:J-SEC ; + qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; + qudt:applicableUnit unit:N-M-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/AngularMomentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:AngularMomentum ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://emweb.unl.edu/NEGAHBAN/EM373/note13/note.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + rdfs:label "Drehmomentstoß"@de ; + rdfs:label "Drehstoß"@de ; + rdfs:label "angular impulse"@en ; + rdfs:label "impulsion angulaire"@fr ; + rdfs:label "impulso angolare"@it ; + rdfs:label "impulso angular"@es ; + rdfs:label "impulsão angular"@pt ; + rdfs:label "popęd kątowy"@pl ; + rdfs:label "نبضة دفعية زاوية"@ar ; + rdfs:label "角冲量;冲量矩"@zh ; + rdfs:label "角力積"@ja ; +. +quantitykind:AngularMomentum + a qudt:QuantityKind ; + dcterms:description "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-SEC ; + qudt:applicableUnit unit:EV-SEC ; + qudt:applicableUnit unit:FT-LB_F-SEC ; + qudt:applicableUnit unit:J-SEC ; + qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; + qudt:applicableUnit unit:N-M-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:AngularImpulse ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = I\\omega\\), where \\(I\\) is the moment of inertia, and \\(\\omega\\) is the angular velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Angular Momentum"@en ; +. +quantitykind:AngularMomentumPerAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-M-SEC-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Angular Momentum per Angle"@en ; +. +quantitykind:AngularReciprocalLatticeVector + a qudt:QuantityKind ; + dcterms:description "\"Angular Reciprocal Lattice Vector\" is a vector whose scalar products with all fundamental lattice vectors are integral multiples of \\(2\\pi\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Angular Reciprocal Lattice Vector"@en ; +. +quantitykind:AngularVelocity + a qudt:QuantityKind ; + dcterms:description "Angular Velocity refers to how fast an object rotates or revolves relative to another point."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_velocity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Angular_velocity"^^xsd:anyURI ; + qudt:plainTextDescription "The change of angle per unit time; specifically, in celestial mechanics, the change in angle of the radius vector per unit time." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Açısal hız"@tr ; + rdfs:label "Halaju bersudut"@ms ; + rdfs:label "Prędkość kątowa"@pl ; + rdfs:label "Viteză unghiulară"@ro ; + rdfs:label "Winkelgeschwindigkeit"@de ; + rdfs:label "angular speed"@en ; + rdfs:label "angular velocity"@en ; + rdfs:label "kelajuan bersudut"@ms ; + rdfs:label "kotna hitrost"@sl ; + rdfs:label "velocidad angular"@es ; + rdfs:label "velocidade angular"@pt ; + rdfs:label "velocità angolare"@it ; + rdfs:label "vitesse angulaire"@fr ; + rdfs:label "Úhlová rychlost"@cs ; + rdfs:label "Угловая скорость"@ru ; + rdfs:label "سرعة زاوية"@ar ; + rdfs:label "سرعت زاویه‌ای"@fa ; + rdfs:label "कोणीय वेग"@hi ; + rdfs:label "角速度"@ja ; + rdfs:label "角速度"@zh ; +. +quantitykind:AngularWavenumber + a qudt:QuantityKind ; + dcterms:description "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition """\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave. + +Alternatively: + +\\(k = \\frac{p}{\\hbar}\\), where \\(p\\) is the linear momentum of quasi free electrons in an electron gas and \\(\\hbar\\) is the reduced Planck constant (\\(h\\) divided by \\(2\\pi\\)); for phonons, its magnitude is \\(k = \\frac{2\\pi}{\\lambda}\\), where \\(\\lambda\\) is the wavelength of the lattice vibrations."""^^qudt:LatexString ; + qudt:plainTextDescription "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector." ; + qudt:symbol "k" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Kreisrepetenz"@de ; + rdfs:label "Kreiswellenzahl"@de ; + rdfs:label "angular repetency"@en ; + rdfs:label "angular wavenumber"@en ; + rdfs:label "liczba falowa kątowa"@pl ; + rdfs:label "nombre d'onde angulaire"@fr ; + rdfs:label "numero d'onda angolare"@it ; + rdfs:label "número de onda angular"@es ; + rdfs:label "número de onda angular"@pt ; + rdfs:label "repetencja kątowa"@pl ; + rdfs:label "repetência angular"@pt ; + rdfs:label "répétence angulaire"@fr ; + rdfs:label "تكرار زاوى"@ar ; + rdfs:label "عدد موجى زاوى"@ar ; + rdfs:label "角波数"@ja ; + rdfs:label "角波数"@zh ; + skos:broader quantitykind:InverseLength ; +. +quantitykind:ApogeeRadius + a qudt:QuantityKind ; + dcterms:description "Apogee radius of an elliptical orbit"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Apogee radius of an elliptical orbit" ; + qudt:symbol "r_2" ; + rdfs:isDefinedBy ; + rdfs:label "Apogee Radius"@en ; + skos:broader quantitykind:Radius ; +. +quantitykind:ApparentPower + a qudt:QuantityKind ; + dcterms:description "\"Apparent Power\" is the product of the rms voltage \\(U\\) between the terminals of a two-terminal element or two-terminal circuit and the rms electric current I in the element or circuit. Under sinusoidal conditions, the apparent power is the modulus of the complex power."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A ; + qudt:applicableUnit unit:MegaV-A ; + qudt:applicableUnit unit:V-A ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-41"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\left | \\underline{S} \\right | = UI\\), where \\(U\\) is rms value of voltage and \\(I\\) is rms value of electric current."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\left | \\underline{S} \\right |\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Scheinleistung"@de ; + rdfs:label "apparent power"@en ; + rdfs:label "moc pozorna"@pl ; + rdfs:label "potencia aparente"@es ; + rdfs:label "potenza apparente"@it ; + rdfs:label "potência aparente"@pt ; + rdfs:label "puissance apparente"@fr ; + rdfs:label "القدرة الظاهرية"@ar ; + rdfs:label "皮相電力"@ja ; + rdfs:label "表观功率"@zh ; + rdfs:label "视在功率"@zh ; + rdfs:seeAlso quantitykind:ElectricCurrent ; + rdfs:seeAlso quantitykind:Voltage ; + skos:broader quantitykind:ComplexPower ; +. +quantitykind:Area + a qudt:QuantityKind ; + dcterms:description "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:baseCGSUnitDimensions "cm^2" ; + qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Area"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve." ; + rdfs:isDefinedBy ; + rdfs:label "Fläche"@de ; + rdfs:label "Keluasan"@ms ; + rdfs:label "aire"@fr ; + rdfs:label "alan"@tr ; + rdfs:label "area"@en ; + rdfs:label "area"@it ; + rdfs:label "arie"@ro ; + rdfs:label "plocha"@cs ; + rdfs:label "pole powierzchni"@pl ; + rdfs:label "površina"@sl ; + rdfs:label "superficie"@fr ; + rdfs:label "área"@es ; + rdfs:label "área"@pt ; + rdfs:label "Ταχύτητα"@el ; + rdfs:label "Площ"@bg ; + rdfs:label "Площадь"@ru ; + rdfs:label "שטח"@he ; + rdfs:label "مساحة"@ar ; + rdfs:label "مساحت"@fa ; + rdfs:label "क्षेत्रफल"@hi ; + rdfs:label "面积"@zh ; + rdfs:label "面積"@ja ; +. +quantitykind:AreaAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area Angle"@en ; +. +quantitykind:AreaPerTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM2-PER-SEC ; + qudt:applicableUnit unit:FT2-PER-HR ; + qudt:applicableUnit unit:FT2-PER-SEC ; + qudt:applicableUnit unit:IN2-PER-SEC ; + qudt:applicableUnit unit:M2-HZ ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:applicableUnit unit:MilliM2-PER-SEC ; + qudt:baseImperialUnitDimensions "\\(ft^2/s\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^2/s\\)"^^qudt:LatexString ; + qudt:baseUSCustomaryUnitDimensions "\\(L^2/T\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area per Time"@en ; +. +quantitykind:AreaRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:M2-PER-HA ; + qudt:applicableUnit unit:M2-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:AreaTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:FT2-DEG_F ; + qudt:applicableUnit unit:M2-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area Temperature"@en ; +. +quantitykind:AreaThermalExpansion + a qudt:QuantityKind ; + dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/area_thermal_expansion"^^xsd:anyURI ; + qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion." ; + rdfs:isDefinedBy ; + rdfs:label "Area Thermal Expansion"@en ; +. +quantitykind:AreaTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM2-MIN ; + qudt:applicableUnit unit:CentiM2-SEC ; + qudt:applicableUnit unit:HR-FT2 ; + qudt:applicableUnit unit:SEC-FT2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area Time"@en ; +. +quantitykind:AreaTimeTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:FT2-HR-DEG_F ; + qudt:applicableUnit unit:FT2-SEC-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Area Time Temperature"@en ; +. +quantitykind:AreicHeatFlowRate + a qudt:QuantityKind ; + dcterms:description "Density of heat flow rate."^^rdf:HTML ; + qudt:abbreviation "heat-flow-rate" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = \\frac{\\Phi}{A}\\), where \\(\\Phi\\) is heat flow rate and \\(A\\) is area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Density of heat flow rate." ; + qudt:symbol "φ" ; + rdfs:isDefinedBy ; + rdfs:label "Aeric Heat Flow Rate"@en ; + skos:broader quantitykind:PowerPerArea ; + skos:closeMatch ; +. +quantitykind:Asset + a qudt:QuantityKind ; + dcterms:description "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)." ; + rdfs:isDefinedBy ; + rdfs:label "Asset"@en ; +. +quantitykind:AtmosphericHydroxylationRate + a qudt:QuantityKind ; + dcterms:description "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL-SEC ; + qudt:applicableUnit unit:M3-PER-MOL-SEC ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:plainTextDescription "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical." ; + rdfs:isDefinedBy ; + rdfs:label "Atmospheric Hydroxylation Rate"@en ; + skos:broader quantitykind:SecondOrderReactionRateConstant ; +. +quantitykind:AtmosphericPressure + a qudt:QuantityKind ; + dcterms:description "The pressure exerted by the weight of the air above it at any point on the earth's surface. At sea level the atmosphere will support a column of mercury about \\(760 mm\\) high. This decreases with increasing altitude. The standard value for the atmospheric pressure at sea level in SI units is \\(101,325 pascals\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atmospheric_pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/views/ENTRY.html?subview=Main&entry=t83.e178"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Atmospheric Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:AtomScatteringFactor + a qudt:QuantityKind ; + dcterms:description "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://reference.iucr.org/dictionary/Atomic_scattering_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(f = \\frac{E_a}{E_e}\\), where \\(E_a\\) is the radiation amplitude scattered by the atom and \\(E_e\\) is the radiation ampliture scattered by a single electron."^^qudt:LatexString ; + qudt:plainTextDescription "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom." ; + qudt:symbol "f" ; + rdfs:isDefinedBy ; + rdfs:label "Atom Scattering Factor"@en ; +. +quantitykind:AtomicAttenuationCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_a = -\\frac{\\mu}{n}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance." ; + qudt:symbol "μₐ" ; + rdfs:isDefinedBy ; + rdfs:label "Atomic Attenuation Coefficient"@en ; + skos:broader quantitykind:Area ; + skos:closeMatch quantitykind:MolarAttenuationCoefficient ; +. +quantitykind:AtomicCharge + a qudt:QuantityKind ; + dcterms:description "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron."^^rdf:HTML ; + qudt:applicableUnit unit:A-HR ; + qudt:applicableUnit unit:A-SEC ; + qudt:applicableUnit unit:AttoC ; + qudt:applicableUnit unit:C ; + qudt:applicableUnit unit:C_Ab ; + qudt:applicableUnit unit:C_Stat ; + qudt:applicableUnit unit:CentiC ; + qudt:applicableUnit unit:DecaC ; + qudt:applicableUnit unit:DeciC ; + qudt:applicableUnit unit:E ; + qudt:applicableUnit unit:ElementaryCharge ; + qudt:applicableUnit unit:ExaC ; + qudt:applicableUnit unit:F ; + qudt:applicableUnit unit:FR ; + qudt:applicableUnit unit:FemtoC ; + qudt:applicableUnit unit:GigaC ; + qudt:applicableUnit unit:HectoC ; + qudt:applicableUnit unit:KiloA-HR ; + qudt:applicableUnit unit:KiloC ; + qudt:applicableUnit unit:MegaC ; + qudt:applicableUnit unit:MicroC ; + qudt:applicableUnit unit:MilliA-HR ; + qudt:applicableUnit unit:MilliC ; + qudt:applicableUnit unit:NanoC ; + qudt:applicableUnit unit:PetaC ; + qudt:applicableUnit unit:PicoC ; + qudt:applicableUnit unit:PlanckCharge ; + qudt:applicableUnit unit:TeraC ; + qudt:applicableUnit unit:YoctoC ; + qudt:applicableUnit unit:YottaC ; + qudt:applicableUnit unit:ZeptoC ; + qudt:applicableUnit unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.answers.com/topic/atomic-charge"^^xsd:anyURI ; + qudt:plainTextDescription "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron." ; + rdfs:isDefinedBy ; + rdfs:label "Atomic Charge"@en ; + skos:broader quantitykind:ElectricCharge ; +. +quantitykind:AtomicMass + a qudt:QuantityKind ; + dcterms:description "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units." ; + qudt:symbol "m_a" ; + rdfs:isDefinedBy ; + rdfs:label "Atomic Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:AtomicNumber + a qudt:QuantityKind ; + dcterms:description "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge."^^rdf:HTML ; + qudt:applicableUnit unit:Z ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Atomic Number"@en ; + skos:broader quantitykind:Count ; +. +quantitykind:AttenuationCoefficient + a qudt:QuantityKind ; + dcterms:description "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:applicableUnit unit:PERCENT-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Attenuation Coefficient"@en ; +. +quantitykind:AuditoryThresholds + a qudt:QuantityKind ; + dcterms:description "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing."^^rdf:HTML ; + qudt:applicableUnit unit:B ; + qudt:applicableUnit unit:DeciB ; + qudt:applicableUnit unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_a}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing." ; + rdfs:isDefinedBy ; + rdfs:label "Auditory Thresholds"@en ; + skos:broader quantitykind:SoundPowerLevel ; +. +quantitykind:AuxillaryMagneticField + a qudt:QuantityKind ; + dcterms:description "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM ; + qudt:applicableUnit unit:A-PER-M ; + qudt:applicableUnit unit:A-PER-MilliM ; + qudt:applicableUnit unit:AT-PER-IN ; + qudt:applicableUnit unit:AT-PER-M ; + qudt:applicableUnit unit:KiloA-PER-M ; + qudt:applicableUnit unit:MilliA-PER-IN ; + qudt:applicableUnit unit:MilliA-PER-MilliM ; + qudt:applicableUnit unit:OERSTED ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:latexSymbol "H"^^qudt:LatexString ; + qudt:plainTextDescription "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium." ; + rdfs:isDefinedBy ; + rdfs:label "Auxillary Magnetic Field"@en ; + skos:broader quantitykind:MagneticFieldStrength_H ; +. +quantitykind:AverageEnergyLossPerElementaryChargeProduced + a qudt:QuantityKind ; + dcterms:description "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:latexDefinition "\\(W_i = \\frac{E_k}{N_i}\\), where \\(E_k\\) is the initial kinetic energy of an ionizing charged particle and \\(N_i\\) is the total ionization produced by that particle."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed." ; + qudt:symbol "W_i" ; + rdfs:isDefinedBy ; + rdfs:label "Average Energy Loss per Elementary Charge Produced"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:AverageHeadEndPressure + a qudt:QuantityKind ; + qudt:abbreviation "AHEP" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Average Head End Pressure"@en ; + skos:broader quantitykind:HeadEndPressure ; +. +quantitykind:AverageLogarithmicEnergyDecrement + a qudt:QuantityKind ; + dcterms:description "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://everything2.com/title/Average+logarithmic+energy+decrement+per+collision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons." ; + rdfs:isDefinedBy ; + rdfs:label "Average Logarithmic Energy Decrement"@en ; +. +quantitykind:AverageSpecificImpulse + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Avg Specific Impulse (lbf-sec/lbm) " ; + rdfs:isDefinedBy ; + rdfs:label "Average Specific Impulse"@en ; + skos:broader quantitykind:SpecificImpulse ; +. +quantitykind:AverageVacuumThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Average Vacuum Thrust"@en ; + skos:altLabel "AVT" ; + skos:broader quantitykind:VacuumThrust ; +. +quantitykind:Basicity + a qudt:QuantityKind ; + dcterms:description "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Base_(chemistry)"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity." ; + rdfs:isDefinedBy ; + rdfs:label "Acidity"@en ; + skos:broader quantitykind:PH ; +. +quantitykind:BendingMomentOfForce + a qudt:QuantityKind ; + dcterms:description "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN-M ; + qudt:applicableUnit unit:DYN-CentiM ; + qudt:applicableUnit unit:DeciN-M ; + qudt:applicableUnit unit:KiloGM_F-M ; + qudt:applicableUnit unit:KiloN-M ; + qudt:applicableUnit unit:LB_F-FT ; + qudt:applicableUnit unit:LB_F-IN ; + qudt:applicableUnit unit:MegaN-M ; + qudt:applicableUnit unit:MicroN-M ; + qudt:applicableUnit unit:MilliN-M ; + qudt:applicableUnit unit:N-CentiM ; + qudt:applicableUnit unit:N-M ; + qudt:applicableUnit unit:OZ_F-IN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bending_moment"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(M_b = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; + qudt:plainTextDescription "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft." ; + qudt:symbol "M_b" ; + rdfs:isDefinedBy ; + rdfs:label "Bending Moment of Force"@en ; + skos:broader quantitykind:Torque ; +. +quantitykind:BetaDisintegrationEnergy + a qudt:QuantityKind ; + dcterms:description "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decay_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration." ; + qudt:symbol "Qᵦ" ; + rdfs:isDefinedBy ; + rdfs:label "Beta Disintegration Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:BevelGearPitchAngle + a qudt:QuantityKind ; + dcterms:description "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees." ; + rdfs:isDefinedBy ; + rdfs:label "Bevel Gear Pitch Angle"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:BindingFraction + a qudt:QuantityKind ; + dcterms:description "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/binding+fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(b = \\frac{B_r}{A}\\), where \\(B_r\\) is the relative mass defect and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + rdfs:label "Binding Fraction"@en ; +. +quantitykind:BioconcentrationFactor + a qudt:QuantityKind ; + dcterms:description "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient." ; + rdfs:isDefinedBy ; + rdfs:label "Bioconcentration Factor"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:BiodegredationHalfLife + a qudt:QuantityKind ; + dcterms:description "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism."^^rdf:HTML ; + qudt:applicableUnit unit:DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism." ; + rdfs:isDefinedBy ; + rdfs:label "Biodegredation Half Life"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:BloodGlucoseLevel + a qudt:QuantityKind ; + dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; + qudt:applicableUnit unit:MilliMOL-PER-L ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; + rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; + rdfs:isDefinedBy ; + rdfs:label "Blood Glucose Level"@en ; + rdfs:seeAlso quantitykind:BloodGlucoseLevel_Mass ; +. +quantitykind:BloodGlucoseLevel_Mass + a qudt:QuantityKind ; + dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; + rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; + rdfs:isDefinedBy ; + rdfs:label "Blood Glucose Level by Mass"@en ; + rdfs:seeAlso quantitykind:BloodGlucoseLevel ; +. +quantitykind:BodyMassIndex + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Body Mass Index}\\), BMI, is an index of weight for height, calculated as: \\(BMI = \\frac{M_{body}}{H^2}\\), where \\(M_{body}\\) is body mass in kg, and \\(H\\) is height in metres. The BMI has been used as a guideline for defining whether a person is overweight because it minimizes the effect of height, but it does not take into consideration other important factors, such as age and body build. The BMI has also been used as an indicator of obesity on the assumption that the higher the index, the greater the level of body fat."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001.0001/acref-9780198631477-e-254"^^xsd:anyURI ; + qudt:symbol "BMI" ; + rdfs:isDefinedBy ; + rdfs:label "Body Mass Index"@en ; + skos:altLabel "BMI" ; +. +quantitykind:BoilingPoint + a qudt:QuantityKind ; + dcterms:description "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium." ; + rdfs:isDefinedBy ; + rdfs:label "Boiling Point Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:BraggAngle + a qudt:QuantityKind ; + dcterms:description "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://reference.iucr.org/dictionary/Bragg_angle"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(2d\\sin{\\vartheta} = n\\lambda \\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes." ; + rdfs:isDefinedBy ; + rdfs:label "Bragg Angle"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:Breadth + a qudt:QuantityKind ; + dcterms:description "\"Breadth\" is the extent or measure of how broad or wide something is."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wiktionary.org/wiki/breadth"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Breadth\" is the extent or measure of how broad or wide something is." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + rdfs:label "Breite"@de ; + rdfs:label "ancho"@es ; + rdfs:label "breadth"@en ; + rdfs:label "genişliği"@tr ; + rdfs:label "largeur"@fr ; + rdfs:label "larghezza"@it ; + rdfs:label "largura"@pt ; + rdfs:label "lebar"@ms ; + rdfs:label "szerokość"@pl ; + rdfs:label "širina"@sl ; + rdfs:label "šířka"@cs ; + rdfs:label "ширина"@ru ; + rdfs:label "العرض"@ar ; + rdfs:label "عرض"@fa ; + rdfs:label "寬度"@zh ; + rdfs:label "幅"@ja ; + skos:broader quantitykind:Length ; +. +quantitykind:BucklingFactor + a qudt:QuantityKind ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:label "Buckling Factor"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:BulkModulus + a qudt:QuantityKind ; + dcterms:description "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume."^^rdf:HTML ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bulk_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(K = \\frac{p}{\\vartheta}\\), where \\(p\\) is pressure and \\(\\vartheta\\) is volume strain."^^qudt:LatexString ; + qudt:plainTextDescription "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume." ; + qudt:symbol "K" ; + rdfs:isDefinedBy ; + rdfs:label "Bulk Modulus"@en ; +. +quantitykind:BurgersVector + a qudt:QuantityKind ; + dcterms:description "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Burgers_vector"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + rdfs:label "Burgers Vector"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:BurnRate + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Burn Rate"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:BurnTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:symbol "t" ; + rdfs:isDefinedBy ; + rdfs:label "Burn Time"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:CENTER-OF-GRAVITY_X + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_X ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the X axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CENTER-OF-GRAVITY_Y + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_Y ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the Y axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CENTER-OF-GRAVITY_Z + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_Z ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the Z axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CENTER-OF-MASS + a qudt:QuantityKind ; + dcterms:description "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Center_of_mass"^^xsd:anyURI ; + qudt:plainTextDescription "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Mass (CoM)"@en ; + skos:altLabel "COM" ; + skos:broader quantitykind:PositionVector ; +. +quantitykind:CONTRACT-END-ITEM-SPECIFICATION-MASS + a qudt:QuantityKind ; + dcterms:description "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement." ; + rdfs:isDefinedBy ; + rdfs:label "Contract End Item (CEI) Specification Mass."@en ; + skos:altLabel "CEI" ; + skos:broader quantitykind:Mass ; +. +quantitykind:CONTROL-MASS + a qudt:QuantityKind ; + dcterms:description "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo." ; + rdfs:isDefinedBy ; + rdfs:label "Control Mass."@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:CanonicalPartitionFunction + a qudt:QuantityKind ; + dcterms:description "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\sum_r e^{-\\frac{E_r}{kT}}\\), where the sum is over all quantum states consistent with given energy, volume, external fields, and content, \\(E_r\\) is the energy in the \\(rth\\) quantum state, \\(k\\) is the Boltzmann constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Canonical Partition Function"@en ; +. +quantitykind:Capacitance + a qudt:QuantityKind ; + dcterms:description "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:AttoFARAD ; + qudt:applicableUnit unit:FARAD ; + qudt:applicableUnit unit:FARAD_Ab ; + qudt:applicableUnit unit:FARAD_Stat ; + qudt:applicableUnit unit:MicroFARAD ; + qudt:applicableUnit unit:MilliFARAD ; + qudt:applicableUnit unit:NanoFARAD ; + qudt:applicableUnit unit:PicoFARAD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Capacitance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(C = Q/U\\), where \\(Q\\) is electric charge and \\(V\\) is voltage."^^qudt:LatexString ; + qudt:plainTextDescription "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity." ; + qudt:symbol "C" ; + rdfs:isDefinedBy ; + rdfs:label "Capacitance"@en ; +. +quantitykind:Capacity + a qudt:QuantityKind ; + dcterms:description "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food." ; + qudt:symbol "TBD" ; + rdfs:isDefinedBy ; + rdfs:label "Capacity"@en ; +. +quantitykind:CarrierLifetime + a qudt:QuantityKind ; + dcterms:description "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Carrier_lifetime"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tau, \\tau_n, \\tau_p\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors." ; + rdfs:isDefinedBy ; + rdfs:label "Carrier LifetIme"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:CartesianArea + a qudt:QuantityKind ; + dcterms:description "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane."^^rdf:HTML ; + qudt:abbreviation "area" ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = \\int\\int dxdy\\), where \\(x\\) and \\(y\\) are cartesian coordinates."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Cartesian Area"@en ; + skos:broader quantitykind:Area ; + skos:closeMatch quantitykind:Area ; +. +quantitykind:CartesianCoordinates + a qudt:QuantityKind ; + dcterms:description "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cartesian_coordinate_system"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. " ; + qudt:symbol "x, y, z" ; + rdfs:isDefinedBy ; + rdfs:label "Cartesian coordinates"@en ; + rdfs:label "Kartézská soustava souřadnic"@cs ; + rdfs:label "Kartézské souřadnice"@cs ; + rdfs:label "Koordiant Kartesius"@ms ; + rdfs:label "coordenadas cartesianas"@pt ; + rdfs:label "coordinate cartesiane"@it ; + rdfs:label "coordonnées cartésiennes"@fr ; + rdfs:label "kartesische Koordinaten"@de ; + rdfs:label "kartezyen koordinatları"@tr ; + rdfs:label "مختصات دکارتی"@fa ; + rdfs:label "直角坐标系"@zh ; + skos:broader quantitykind:Length ; +. +quantitykind:CartesianVolume + a qudt:QuantityKind ; + dcterms:description "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT ; + qudt:applicableUnit unit:ANGSTROM3 ; + qudt:applicableUnit unit:BBL ; + qudt:applicableUnit unit:BBL_UK_PET ; + qudt:applicableUnit unit:BBL_US ; + qudt:applicableUnit unit:CentiM3 ; + qudt:applicableUnit unit:DecaL ; + qudt:applicableUnit unit:DecaM3 ; + qudt:applicableUnit unit:DeciL ; + qudt:applicableUnit unit:DeciM3 ; + qudt:applicableUnit unit:FBM ; + qudt:applicableUnit unit:FT3 ; + qudt:applicableUnit unit:FemtoL ; + qudt:applicableUnit unit:GI_UK ; + qudt:applicableUnit unit:GI_US ; + qudt:applicableUnit unit:GT ; + qudt:applicableUnit unit:HectoL ; + qudt:applicableUnit unit:IN3 ; + qudt:applicableUnit unit:Kilo-FT3 ; + qudt:applicableUnit unit:KiloL ; + qudt:applicableUnit unit:L ; + qudt:applicableUnit unit:M3 ; + qudt:applicableUnit unit:MI3 ; + qudt:applicableUnit unit:MegaL ; + qudt:applicableUnit unit:MicroL ; + qudt:applicableUnit unit:MicroM3 ; + qudt:applicableUnit unit:MilliL ; + qudt:applicableUnit unit:MilliM3 ; + qudt:applicableUnit unit:NanoL ; + qudt:applicableUnit unit:OZ_VOL_UK ; + qudt:applicableUnit unit:PINT ; + qudt:applicableUnit unit:PINT_UK ; + qudt:applicableUnit unit:PK_UK ; + qudt:applicableUnit unit:PicoL ; + qudt:applicableUnit unit:PlanckVolume ; + qudt:applicableUnit unit:QT_UK ; + qudt:applicableUnit unit:QT_US ; + qudt:applicableUnit unit:RT ; + qudt:applicableUnit unit:STR ; + qudt:applicableUnit unit:Standard ; + qudt:applicableUnit unit:TBSP ; + qudt:applicableUnit unit:TON_SHIPPING_US ; + qudt:applicableUnit unit:TSP ; + qudt:applicableUnit unit:YD3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(V = \\int\\int\\int dxdydz\\), where \\(x\\), \\(y\\), and \\(z\\) are cartesian coordinates."^^qudt:LatexString ; + qudt:plainTextDescription "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains." ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Isipadu"@ms ; + rdfs:label "Objem"@cs ; + rdfs:label "Volumen"@de ; + rdfs:label "hacim"@tr ; + rdfs:label "objętość"@pl ; + rdfs:label "prostornina"@sl ; + rdfs:label "volum"@ro ; + rdfs:label "volume"@en ; + rdfs:label "volume"@fr ; + rdfs:label "volume"@it ; + rdfs:label "volume"@pt ; + rdfs:label "volumen"@es ; + rdfs:label "Επιτάχυνση"@el ; + rdfs:label "Обем"@bg ; + rdfs:label "Объём"@ru ; + rdfs:label "נפח"@he ; + rdfs:label "حجم"@ar ; + rdfs:label "حجم"@fa ; + rdfs:label "आयतन"@hi ; + rdfs:label "体积"@zh ; + rdfs:label "体積"@ja ; + skos:broader quantitykind:Volume ; +. +quantitykind:CatalyticActivity + a qudt:QuantityKind ; + dcterms:description "An index of the actual or potential activity of a catalyst. The catalytic activity of an enzyme or an enzyme-containing preparation is defined as the property measured by the increase in the rate of conversion of a specified chemical reaction that the enzyme produces in a specified assay system. Catalytic activity is an extensive quantity and is a property of the enzyme, not of the reaction mixture; it is thus conceptually different from rate of conversion although measured by and equidimensional with it. The unit for catalytic activity is the \\(katal\\); it may also be expressed in mol \\(s^{-1}\\). Dimensions: \\(N T^{-1}\\). Former terms such as catalytic ability, catalytic amount, and enzymic activity are no er recommended. Derived quantities are molar catalytic activity, specific catalytic activity, and catalytic activity concentration. Source(s): www.answers.com"^^qudt:LatexString ; + qudt:applicableUnit unit:KAT ; + qudt:applicableUnit unit:KiloMOL-PER-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Catalysis"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Catalytic Activity"@en ; +. +quantitykind:CatalyticActivityConcentration + a qudt:QuantityKind ; + dcterms:description "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre."^^rdf:HTML ; + qudt:applicableUnit unit:KAT-PER-L ; + qudt:applicableUnit unit:KAT-PER-MicroL ; + qudt:applicableUnit unit:MicroKAT-PER-L ; + qudt:applicableUnit unit:MilliKAT-PER-L ; + qudt:applicableUnit unit:NanoKAT-PER-L ; + qudt:applicableUnit unit:PicoKAT-PER-L ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "https://doi.org/10.1351/goldbook.C00882"^^xsd:anyURI ; + qudt:plainTextDescription "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre." ; + rdfs:isDefinedBy ; + rdfs:label "Catalytic Activity Concentration"@en ; +. +quantitykind:CelsiusTemperature + a qudt:QuantityKind ; + dcterms:description "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """\"Celsius Temperature\", the thermodynamic temperature \\(T_0\\), is exactly \\(0.01\\)kelvin below the thermodynamic temperature of the triple point of water. +\\(t = T - T_0\\), where \\(T\\) is Thermodynamic Temperature and \\(T_0 = 273.15 K\\)."""^^qudt:LatexString ; + qudt:plainTextDescription "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water." ; + rdfs:isDefinedBy ; + rdfs:label "Celsius sıcaklık"@tr ; + rdfs:label "Celsius temperature"@en ; + rdfs:label "Celsius-Temperatur"@de ; + rdfs:label "Suhu Celsius"@ms ; + rdfs:label "temperatura Celsius"@es ; + rdfs:label "temperatura Celsius"@it ; + rdfs:label "temperatura celsius"@pt ; + rdfs:label "temperatura"@pl ; + rdfs:label "temperatura"@sl ; + rdfs:label "temperatură Celsius"@ro ; + rdfs:label "température Celsius"@fr ; + rdfs:label "teplota"@cs ; + rdfs:label "Температура Цельсия"@ru ; + rdfs:label "צלזיוס"@he ; + rdfs:label "درجة الحرارة المئوية أو السيلسيوس"@ar ; + rdfs:label "دمای سلسیوس/سانتیگراد"@fa ; + rdfs:label "सेल्सियस तापमान"@hi ; + rdfs:label "温度"@ja ; + rdfs:label "温度"@zh ; + skos:broader quantitykind:ThermodynamicTemperature ; + prov:wasDerivedFrom quantitykind:ThermodynamicTemperature ; +. +quantitykind:CenterOfGravity_X + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the X axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CenterOfGravity_Y + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the Y axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CenterOfGravity_Z + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + rdfs:label "Center of Gravity in the Z axis"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:CharacteristicAcousticImpedance + a qudt:QuantityKind ; + dcterms:description "Characteristic impedance at a point in a non-dissipative medium and for a plane progressive wave, the quotient of the sound pressure \\(p\\) by the component of the sound particle velocity \\(v\\) in the direction of the wave propagation."^^qudt:LatexString ; + qudt:applicableUnit unit:PA-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance#Characteristic_acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_c = pc\\), where \\(p\\) is the sound pressure and \\(c\\) is the phase speed of sound."^^qudt:LatexString ; + qudt:symbol "Z" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Characteristic Acoustic Impedance"@en ; + skos:broader quantitykind:AcousticImpedance ; +. +quantitykind:CharacteristicVelocity + a qudt:QuantityKind ; + dcterms:description "Characteristic velocity or \\(c^{*}\\) is a measure of the combustion performance of a rocket engine independent of nozzle performance, and is used to compare different propellants and propulsion systems."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:latexSymbol "\\(c^{*}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Characteristic Velocity"@en ; +. +quantitykind:ChargeNumber + a qudt:QuantityKind ; + dcterms:description "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge." ; + qudt:symbol "z" ; + rdfs:isDefinedBy ; + rdfs:label "Charge Number"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:ChemicalAffinity + a qudt:QuantityKind ; + dcterms:description "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_affinity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = -\\sum \\nu_b\\mu_B\\), where \\(\\nu_b\\) is the stoichiometric number of substance \\(B\\) and \\(\\mu_B\\) is the chemical potential of substance \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Chemical Affinity"@en ; +. +quantitykind:ChemicalConsumptionPerMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:DeciL-PER-GM ; + qudt:applicableUnit unit:L-PER-KiloGM ; + qudt:applicableUnit unit:M3-PER-KiloGM ; + qudt:applicableUnit unit:MilliL-PER-GM ; + qudt:applicableUnit unit:MilliL-PER-KiloGM ; + qudt:applicableUnit unit:MilliM3-PER-GM ; + qudt:applicableUnit unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:plainTextDescription "In the context of a chemical durability test, this is measure of how much of a solution (often a corrosive or reactive one) is consumed or used up per unit mass of a material being tested. In other words, this the volume of solution needed to cause a certain level of chemical reaction or damage to a given mass of the material." ; + rdfs:isDefinedBy ; + rdfs:label "Chemical Consumption per Mass"@en ; + skos:broader quantitykind:SpecificVolume ; +. +quantitykind:ChemicalPotential + a qudt:QuantityKind ; + dcterms:description "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:applicableUnit unit:KiloCAL-PER-MOL ; + qudt:applicableUnit unit:KiloJ-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_B = (\\frac{\\partial G}{\\partial n_B})_{T,p,n_i}\\), where \\(G\\) is Gibbs energy, and \\(n_B\\) is the amount of substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction." ; + rdfs:isDefinedBy ; + rdfs:label "Chemický potenciál"@cs ; + rdfs:label "Keupayaan kimia"@ms ; + rdfs:label "Potencjał chemiczny"@pl ; + rdfs:label "Potențial chimic"@ro ; + rdfs:label "chemical potential"@en ; + rdfs:label "chemisches Potential des Stoffs B"@de ; + rdfs:label "kimyasal potansiyel"@tr ; + rdfs:label "potencial químico"@es ; + rdfs:label "potencial químico"@pt ; + rdfs:label "potential chimique"@fr ; + rdfs:label "potenziale chimico"@it ; + rdfs:label "Химический потенциал"@ru ; + rdfs:label "جهد كيميائي"@ar ; + rdfs:label "پتانسیل شیمیایی"@fa ; + rdfs:label "化学ポテンシャル"@ja ; + rdfs:label "化学势"@zh ; + skos:broader quantitykind:MolarEnergy ; +. +quantitykind:Chromaticity + a qudt:QuantityKind ; + dcterms:description "Chromaticity is an objective specification of the quality of a color regardless of its luminance"^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Chromaticity"^^xsd:anyURI ; + qudt:plainTextDescription "Chromaticity is an objective specification of the quality of a color regardless of its luminance" ; + rdfs:isDefinedBy ; + rdfs:label "Chromaticity"@en ; +. +quantitykind:Circulation + a qudt:QuantityKind ; + dcterms:description "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM2-PER-SEC ; + qudt:applicableUnit unit:FT2-PER-HR ; + qudt:applicableUnit unit:FT2-PER-SEC ; + qudt:applicableUnit unit:IN2-PER-SEC ; + qudt:applicableUnit unit:M2-HZ ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:applicableUnit unit:MilliM2-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Circulation_%28fluid_dynamics%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time." ; + rdfs:isDefinedBy ; + rdfs:label "Circulation"@en ; + skos:broader quantitykind:AreaPerTime ; +. +quantitykind:ClosestApproachRadius + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "r_o" ; + rdfs:isDefinedBy ; + rdfs:label "Closest Approach Radius"@en ; + skos:broader quantitykind:Radius ; +. +quantitykind:CoefficientOfHeatTransfer + a qudt:QuantityKind ; + dcterms:description "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin."^^rdf:HTML ; + qudt:applicableSIUnit unit:W-PER-M2-K ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; + qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:expression "\\(heat-xfer-coeff\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer_coefficient"^^xsd:anyURI ; + qudt:latexDefinition """\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, \\(q/A\\), and the thermodynamic driving force for the flow of heat (that is, the temperature difference, \\( \\bigtriangleup T \\)). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \\(\\textit{Coefficient of Heat Transfer}\\), is often called \\(\\textit{thermal transmittance}\\), with the symbol \\(U\\). \\(\\textit{Coefficient of Heat Transfer}\\), has SI units in watts per squared meter kelvin: \\(W/(m^2 \\cdot K)\\) . + +\\(K = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is thermodynamic temperature difference."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin." ; + rdfs:isDefinedBy ; + rdfs:label "Coefficient of heat transfer"@en ; +. +quantitykind:Coercivity + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Coercivity}\\), also referred to as \\(\\textit{Coercive Field Strength}\\), is the magnetic field strength to be applied to bring the magnetic flux density in a substance from its remaining magnetic flux density to zero. This is defined as the coercive field strength in a substance when either the magnetic flux density or the magnetic polarization and magnetization is brought from its value at magnetic saturation to zero by monotonic reduction of the applied magnetic field strength. The quantity which is brought to zero should be stated, and the appropriate symbol used: \\(H_{cB}\\), \\(H_{cJ}\\) or \\(H_{cM}\\) for the coercivity relating to the magnetic flux density, the magnetic polarization or the magnetization respectively, where \\(H_{cJ} = H_{cM}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-69"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:symbol "H_{c,B}" ; + rdfs:isDefinedBy ; + rdfs:label "Coercivity"@en ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; +. +quantitykind:CoherenceLength + a qudt:QuantityKind ; + dcterms:description "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Coherence_length"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable." ; + qudt:symbol "ξ" ; + rdfs:isDefinedBy ; + rdfs:label "Coherence Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:ColdReceptorThreshold + a qudt:QuantityKind ; + dcterms:description "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_c}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending." ; + rdfs:isDefinedBy ; + rdfs:label "Cold Receptor Threshold"@en ; +. +quantitykind:CombinedNonEvaporativeHeatTransferCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Combined Non Evaporative Heat Transfer Coefficient\" is the "^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(h = h_r + h_c + h_k\\), where \\(h_r\\) is the linear radiative heat transfer coefficient, \\(h_c\\) is the convective heat transfer coefficient, and \\(h_k\\) is the conductive heat transfer coefficient."^^qudt:LatexString ; + qudt:plainTextDescription "\"Combined Non Evaporative Heat Transfer Coefficient\" is the " ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; +. +quantitykind:CombustionChamberTemperature + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:symbol "T_c" ; + rdfs:isDefinedBy ; + rdfs:label "Combustion Chamber Temperature"@en ; +. +quantitykind:ComplexPower + a qudt:QuantityKind ; + dcterms:description "\"Complex Power\", under sinusoidal conditions, is the product of the phasor \\(U\\) representing the voltage between the terminals of a linear two-terminal element or two-terminal circuit and the complex conjugate of the phasor \\(I\\) representing the electric current in the element or circuit."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A ; + qudt:applicableUnit unit:MegaV-A ; + qudt:applicableUnit unit:V-A ; + qudt:expression "\\(complex-power\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-39"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\underline{S} = \\underline{U}\\underline{I^*}\\), where \\(\\underline{U}\\) is voltage phasor and \\(\\underline{I^*}\\) is the complex conjugate of the current phasor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{S}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Complex Power"@en ; + rdfs:seeAlso quantitykind:ElectricCurrentPhasor ; + rdfs:seeAlso quantitykind:VoltagePhasor ; + skos:broader quantitykind:ElectricPower ; +. +quantitykind:Compressibility + a qudt:QuantityKind ; + dcterms:description "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-N ; + qudt:applicableUnit unit:PER-BAR ; + qudt:applicableUnit unit:PER-MILLE-PER-PSI ; + qudt:applicableUnit unit:PER-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\chi = -(\\frac{1}{V})\\frac{dV}{d\\rho}\\), where \\(V\\) is volume and \\(p\\) is pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change." ; + rdfs:isDefinedBy ; + rdfs:label "Compressibility"@en ; +. +quantitykind:CompressibilityFactor + a qudt:QuantityKind ; + dcterms:description "The compressibility factor (\\(Z\\)) is a useful thermodynamic property for modifying the ideal gas law to account for the real gas behaviour. The closer a gas is to a phase change, the larger the deviations from ideal behavior. It is simply defined as the ratio of the molar volume of a gas to the molar volume of an ideal gas at the same temperature and pressure. Values for compressibility are calculated using equations of state (EOS), such as the virial equation and van der Waals equation. The compressibility factor for specific gases can be obtained, with out calculation, from compressibility charts. These charts are created by plotting Z as a function of pressure at constant temperature."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Compressibility Factor"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:Concentration + a qudt:QuantityKind ; + dcterms:description "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Concentration"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Concentration"^^xsd:anyURI ; + qudt:plainTextDescription "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions." ; + rdfs:isDefinedBy ; + rdfs:label "Concentration"@en ; +. +quantitykind:Conductance + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Conductance}\\), for a resistive two-terminal element or two-terminal circuit with terminals A and B, quotient of the electric current i in the element or circuit by the voltage \\(u_{AB}\\) between the terminals: \\(G = \\frac{1}{R}\\), where the electric current is taken as positive if its direction is from A to B and negative in the opposite case. The conductance of an element or circuit is the inverse of its resistance."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciS ; + qudt:applicableUnit unit:KiloS ; + qudt:applicableUnit unit:MegaS ; + qudt:applicableUnit unit:MicroS ; + qudt:applicableUnit unit:MilliS ; + qudt:applicableUnit unit:NanoS ; + qudt:applicableUnit unit:PicoS ; + qudt:applicableUnit unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-06"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition """\\(G = Re\\underline{Y}\\), where \\(\\underline{Y}\\) is admittance. + +Alternatively: + +\\(G = \\frac{1}{R}\\), where \\(R\\) is resistance."""^^qudt:LatexString ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Conductance"@en ; + rdfs:seeAlso quantitykind:Admittance ; +. +quantitykind:ConductionSpeed + a qudt:QuantityKind ; + dcterms:description "\"Conduction Speed\" is the speed of impulses in nerve fibers."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Conduction Speed\" is the speed of impulses in nerve fibers." ; + qudt:symbol "c" ; + rdfs:isDefinedBy ; + rdfs:label "Conduction Speed"@en ; + skos:broader quantitykind:Speed ; +. +quantitykind:ConductiveHeatTransferRate + a qudt:QuantityKind ; + dcterms:description "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_k\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact." ; + rdfs:isDefinedBy ; + rdfs:label "Conductive Heat Transfer Rate"@en ; +. +quantitykind:Conductivity + a qudt:QuantityKind ; + dcterms:description "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity."^^rdf:HTML ; + qudt:applicableUnit unit:DeciS-PER-M ; + qudt:applicableUnit unit:KiloS-PER-M ; + qudt:applicableUnit unit:MegaS-PER-M ; + qudt:applicableUnit unit:MicroS-PER-CentiM ; + qudt:applicableUnit unit:MicroS-PER-M ; + qudt:applicableUnit unit:MilliS-PER-CentiM ; + qudt:applicableUnit unit:MilliS-PER-M ; + qudt:applicableUnit unit:NanoS-PER-CentiM ; + qudt:applicableUnit unit:NanoS-PER-M ; + qudt:applicableUnit unit:PicoS-PER-M ; + qudt:applicableUnit unit:S-PER-CentiM ; + qudt:applicableUnit unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-03"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{J} = \\sigma \\mathbf{E}\\), where \\(\\mathbf{J}\\) is electric current density, and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity." ; + rdfs:isDefinedBy ; + rdfs:label "Conductivity"@en ; + rdfs:seeAlso quantitykind:ElectricCurrentDensity ; + rdfs:seeAlso quantitykind:ElectricFieldStrength ; +. +quantitykind:Constringence + a qudt:QuantityKind ; + dcterms:description "In optics and lens design, constringence of a transparent material, also known as the Abbe number or the V-number, is an approximate measure of the material's dispersion (change of refractive index versus wavelength), with high values of V indicating low dispersion."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Abbe_number"^^xsd:anyURI ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Constringence"@en ; + skos:altLabel "Abbe Number"@en ; + skos:altLabel "V-number"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:ConvectiveHeatTransfer + a qudt:QuantityKind ; + dcterms:description "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Convection"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. " ; + rdfs:isDefinedBy ; + rdfs:label "Convective Heat Transfer"@en ; +. +quantitykind:CorrelatedColorTemperature + a qudt:QuantityKind ; + dcterms:description "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity."^^rdf:HTML ; + qudt:applicableUnit unit:K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "https://www.lrc.rpi.edu/programs/nlpip/lightinganswers/lightsources/whatiscct.asp#:~:text=Correlated%20color%20temperature%20(CCT)%20is,required%20to%20specify%20a%20chromaticity."^^xsd:anyURI ; + qudt:plainTextDescription "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity." ; + rdfs:isDefinedBy ; + rdfs:label "Correlated Color Temperature"@en-us ; + rdfs:label "Correlated Colour Temperature"@en ; + rdfs:seeAlso quantitykind:Duv ; + skos:broader quantitykind:ThermodynamicTemperature ; +. +quantitykind:Count + a qudt:QuantityKind ; + dcterms:description "\"Count\" is the value of a count of items."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "\"Count\" is the value of a count of items." ; + rdfs:isDefinedBy ; + rdfs:label "Count"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:CouplingFactor + a qudt:QuantityKind ; + dcterms:description "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=161-03-18"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "For inductive coupling between two inductive elements, \\(k = \\frac{\\left | L_{mn} \\right |}{\\sqrt{L_m L_n}}\\), where \\(L_m\\) and \\(L_n\\) are their self inductances, and \\(L_{mn}\\) is their mutual inductance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling." ; + qudt:symbol "k" ; + rdfs:isDefinedBy ; + rdfs:label "Constantă de cuplaj"@ro ; + rdfs:label "constante de acoplamiento"@es ; + rdfs:label "constante de couplage"@fr ; + rdfs:label "coupling factor"@en ; + rdfs:label "fattore di accoppiamento"@it ; + rdfs:label "stała sprzężenia"@pl ; + rdfs:label "Çiftlenim sabiti"@tr ; + rdfs:label "Константа взаимодействия"@ru ; + rdfs:label "結合定数"@ja ; + rdfs:label "耦合常數"@zh ; +. +quantitykind:CrossSection + a qudt:QuantityKind ; + dcterms:description "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence." ; + qudt:symbol "σ" ; + rdfs:isDefinedBy ; + rdfs:label "Cross-section"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:CrossSectionalArea + a qudt:QuantityKind ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Cross-sectional Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:CubicElectricDipoleMomentPerSquareEnergy + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; +. +quantitykind:CubicExpansionCoefficient + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:applicableUnit unit:PPM-PER-K ; + qudt:applicableUnit unit:PPTM-PER-K ; + qudt:expression "\\(cubic-exp-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_V = \\frac{1}{V} \\; \\frac{dV}{dT}\\), where \\(V\\) is \\(volume\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_v\\)"^^qudt:LatexString ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Hullámszám"@hu ; + rdfs:label "Volumenausdehnungskoeffizient"@de ; + rdfs:label "coefficient de dilatation volumique"@fr ; + rdfs:label "coefficiente di dilatazione volumica"@it ; + rdfs:label "coeficiente de dilatación cúbica"@es ; + rdfs:label "coeficiente de dilatação volúmica"@pt ; + rdfs:label "cubic expansion coefficient"@en ; + rdfs:label "kübik genleşme katsayısı"@tr ; + rdfs:label "współczynnik rozszerzalności objętościowej"@pl ; + rdfs:label "Κυματαριθμός"@el ; + rdfs:label "Вълново число"@bg ; + rdfs:label "Температурный коэффициент"@ru ; + rdfs:label "מספר גל"@he ; + rdfs:label "ضریب انبساط گرمایی"@fa ; + rdfs:label "معامل التمدد الحجمى"@ar ; + rdfs:label "体膨胀系数"@zh ; + rdfs:label "線膨張係数"@ja ; + skos:broader quantitykind:ExpansionRatio ; +. +quantitykind:CurieTemperature + a qudt:QuantityKind ; + dcterms:description "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie_temperature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet." ; + qudt:symbol "T_C" ; + rdfs:isDefinedBy ; + rdfs:label "Curie sıcaklığı"@tr ; + rdfs:label "Curie temperature"@en ; + rdfs:label "Curie-Temperatur"@de ; + rdfs:label "Curieova teplota"@cs ; + rdfs:label "Punct Curie"@ro ; + rdfs:label "Suhu Curie"@ms ; + rdfs:label "punto di Curie"@it ; + rdfs:label "temperatura Curie"@pl ; + rdfs:label "temperatura de Curie"@es ; + rdfs:label "temperatura de Curie"@pt ; + rdfs:label "température de Curie"@fr ; + rdfs:label "Точка Кюри"@ru ; + rdfs:label "درجة حرارة كوري"@ar ; + rdfs:label "نقطه کوری"@fa ; + rdfs:label "क्यूरी ताप"@hi ; + rdfs:label "キュリー温度"@ja ; + rdfs:label "居里点"@zh ; + skos:closeMatch quantitykind:NeelTemperature ; + skos:closeMatch quantitykind:SuperconductionTransitionTemperature ; +. +quantitykind:CurrencyPerFlight + a qudt:QuantityKind ; + qudt:applicableUnit unit:MegaDOLLAR_US-PER-FLIGHT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Currency Per Flight"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:CurrentLinkage + a qudt:QuantityKind ; + dcterms:description "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:expression "\\(current-linkage\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop." ; + rdfs:isDefinedBy ; + rdfs:label "Current Linkage"@en ; +. +quantitykind:Curvature + a qudt:QuantityKind ; + dcterms:description "The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. The magnitude of curvature at points on physical curves can be measured in \\(diopters\\) (also spelled \\(dioptre\\)) — this is the convention in optics."^^qudt:LatexString ; + qudt:applicableUnit unit:DIOPTER ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curvature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; + qudt:plainTextDescription """The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. +That is, given a point P on a smooth curve C, the curvature of C at P is defined to be 1/R where R is the radius of the osculating circle of C at P. The magnitude of curvature at points on physical curves can be measured in diopters (also spelled dioptre) — this is the convention in optics. [Wikipedia],""" ; + rdfs:isDefinedBy ; + rdfs:label "Curvature"@en ; + skos:broader quantitykind:InverseLength ; +. +quantitykind:CurvatureFromRadius + a qudt:QuantityKind ; + dcterms:description "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\kappa = \\frac{1}{\\rho}\\), where \\(\\rho\\) is the radius of the curvature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context." ; + rdfs:isDefinedBy ; + rdfs:label "Curvature"@en ; + skos:closeMatch quantitykind:Curvature ; +. +quantitykind:CyclotronAngularFrequency + a qudt:QuantityKind ; + dcterms:description "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_cyclotron_resonance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega_c = \\frac{\\left | q \\right |}{m}B\\), where \\(q\\) is the electric charge, \\(m\\) is its mass, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; + rdfs:isDefinedBy ; + rdfs:label "Larmor Angular Frequency"@en ; + skos:broader quantitykind:AngularFrequency ; +. +quantitykind:DELTA-V + a qudt:QuantityKind ; + dcterms:description "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Delta-v"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\bigtriangleup v\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses." ; + rdfs:isDefinedBy ; + rdfs:label "Delta-V"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:DRY-MASS + a qudt:QuantityKind ; + dcterms:description "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo." ; + rdfs:isDefinedBy ; + rdfs:label "Dry Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:DataRate + a qudt:QuantityKind ; + dcterms:description "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits."^^rdf:HTML ; + qudt:applicableUnit unit:BIT-PER-SEC ; + qudt:applicableUnit unit:GigaBIT-PER-SEC ; + qudt:applicableUnit unit:KiloBIT-PER-SEC ; + qudt:applicableUnit unit:KiloBYTE-PER-SEC ; + qudt:applicableUnit unit:MegaBIT-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Data_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:plainTextDescription "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits." ; + rdfs:isDefinedBy ; + rdfs:label "Data Rate"@en ; + skos:broader quantitykind:InformationFlowRate ; +. +quantitykind:Debye-WallerFactor + a qudt:QuantityKind ; + dcterms:description "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye–Waller_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations." ; + qudt:symbol "D, B" ; + rdfs:isDefinedBy ; + rdfs:label "Debye-Waller Factor"@en ; +. +quantitykind:DebyeAngularFrequency + a qudt:QuantityKind ; + dcterms:description "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://lamp.tu-graz.ac.at/~hadley/ss1/phonons/table/dosdebye.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\omega_b\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid." ; + rdfs:isDefinedBy ; + rdfs:label "Debye Angular Frequency"@en ; + skos:broader quantitykind:AngularFrequency ; +. +quantitykind:DebyeAngularWavenumber + a qudt:QuantityKind ; + dcterms:description "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid." ; + qudt:symbol "q_D" ; + rdfs:isDefinedBy ; + rdfs:label "Debye Angular Wavenumber"@en ; + skos:broader quantitykind:InverseLength ; +. +quantitykind:DebyeTemperature + a qudt:QuantityKind ; + dcterms:description "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye_model"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Theta_D = \\frac{\\hbar\\omega_D}{k}\\), where \\(k\\) is the Boltzmann constant, \\(\\hbar\\) is the reduced Planck constant, and \\(\\omega_D\\) is the Debye angular frequency."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Theta_D\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited." ; + rdfs:isDefinedBy ; + rdfs:label "Debye Temperature"@en ; +. +quantitykind:DecayConstant + a qudt:QuantityKind ; + dcterms:description "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay."^^rdf:HTML ; + qudt:applicableUnit unit:KiloCi ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI ; + qudt:informativeReference "http://www.britannica.com/EBchecked/topic/154945/decay-constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "Relative variation \\(\\frac{dN}{N}\\) of the number \\(N\\) of atoms or nuclei in a system, due to spontaneous emission from these atoms or nuclei during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(\\lambda = -\\frac{1}{N}\\frac{dN}{dt}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay." ; + rdfs:isDefinedBy ; + rdfs:label "Decay Constant"@en ; + skos:broader quantitykind:InverseTime ; +. +quantitykind:DegreeOfDissociation + a qudt:QuantityKind ; + dcterms:description "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dissociation_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated." ; + rdfs:isDefinedBy ; + rdfs:label "Degree of Dissociation"@en ; +. +quantitykind:Density + a qudt:QuantityKind ; + dcterms:description "The mass density or density of a material is defined as its mass per unit volume. The symbol most often used for density is \\(\\rho\\). Mathematically, density is defined as mass divided by volume: \\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume. In some cases, density is also defined as its weight per unit volume, although this quantity is more properly called specific weight."^^qudt:LatexString ; + qudt:applicableUnit unit:DEGREE_BALLING ; + qudt:applicableUnit unit:DEGREE_BAUME ; + qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; + qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; + qudt:applicableUnit unit:DEGREE_BRIX ; + qudt:applicableUnit unit:DEGREE_OECHSLE ; + qudt:applicableUnit unit:DEGREE_PLATO ; + qudt:applicableUnit unit:DEGREE_TWADDELL ; + qudt:applicableUnit unit:FemtoGM-PER-L ; + qudt:applicableUnit unit:GM-PER-CentiM3 ; + qudt:applicableUnit unit:GM-PER-DeciL ; + qudt:applicableUnit unit:GM-PER-DeciM3 ; + qudt:applicableUnit unit:GM-PER-L ; + qudt:applicableUnit unit:GM-PER-M3 ; + qudt:applicableUnit unit:GM-PER-MilliL ; + qudt:applicableUnit unit:GRAIN-PER-GAL ; + qudt:applicableUnit unit:GRAIN-PER-GAL_US ; + qudt:applicableUnit unit:GRAIN-PER-M3 ; + qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; + qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; + qudt:applicableUnit unit:KiloGM-PER-L ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:applicableUnit unit:LB-PER-FT3 ; + qudt:applicableUnit unit:LB-PER-GAL ; + qudt:applicableUnit unit:LB-PER-GAL_UK ; + qudt:applicableUnit unit:LB-PER-GAL_US ; + qudt:applicableUnit unit:LB-PER-IN3 ; + qudt:applicableUnit unit:LB-PER-M3 ; + qudt:applicableUnit unit:LB-PER-YD3 ; + qudt:applicableUnit unit:MegaGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-DeciL ; + qudt:applicableUnit unit:MicroGM-PER-L ; + qudt:applicableUnit unit:MicroGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-MilliL ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:applicableUnit unit:MilliGM-PER-L ; + qudt:applicableUnit unit:MilliGM-PER-M3 ; + qudt:applicableUnit unit:MilliGM-PER-MilliL ; + qudt:applicableUnit unit:NanoGM-PER-DeciL ; + qudt:applicableUnit unit:NanoGM-PER-L ; + qudt:applicableUnit unit:NanoGM-PER-M3 ; + qudt:applicableUnit unit:NanoGM-PER-MicroL ; + qudt:applicableUnit unit:NanoGM-PER-MilliL ; + qudt:applicableUnit unit:OZ-PER-GAL ; + qudt:applicableUnit unit:OZ-PER-GAL_UK ; + qudt:applicableUnit unit:OZ-PER-GAL_US ; + qudt:applicableUnit unit:OZ-PER-IN3 ; + qudt:applicableUnit unit:OZ-PER-YD3 ; + qudt:applicableUnit unit:PicoGM-PER-L ; + qudt:applicableUnit unit:PicoGM-PER-MilliL ; + qudt:applicableUnit unit:PlanckDensity ; + qudt:applicableUnit unit:SLUG-PER-FT3 ; + qudt:applicableUnit unit:TONNE-PER-M3 ; + qudt:applicableUnit unit:TON_LONG-PER-YD3 ; + qudt:applicableUnit unit:TON_Metric-PER-M3 ; + qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; + qudt:applicableUnit unit:TON_UK-PER-YD3 ; + qudt:applicableUnit unit:TON_US-PER-YD3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Density"^^xsd:anyURI ; + qudt:exactMatch quantitykind:MassDensity ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Density"@en ; +. +quantitykind:DensityInCombustionChamber + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:latexSymbol "\\(\\rho_c\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Density In Combustion Chamber"@en ; +. +quantitykind:DensityOfStates + a qudt:QuantityKind ; + dcterms:description "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume."^^rdf:HTML ; + qudt:applicableUnit unit:SEC-PER-RAD-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "Density of states"@en ; +. +quantitykind:DensityOfTheExhaustGases + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEGREE_BALLING ; + qudt:applicableUnit unit:DEGREE_BAUME ; + qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; + qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; + qudt:applicableUnit unit:DEGREE_BRIX ; + qudt:applicableUnit unit:DEGREE_OECHSLE ; + qudt:applicableUnit unit:DEGREE_PLATO ; + qudt:applicableUnit unit:DEGREE_TWADDELL ; + qudt:applicableUnit unit:FemtoGM-PER-L ; + qudt:applicableUnit unit:GM-PER-CentiM3 ; + qudt:applicableUnit unit:GM-PER-DeciL ; + qudt:applicableUnit unit:GM-PER-DeciM3 ; + qudt:applicableUnit unit:GM-PER-L ; + qudt:applicableUnit unit:GM-PER-M3 ; + qudt:applicableUnit unit:GM-PER-MilliL ; + qudt:applicableUnit unit:GRAIN-PER-GAL ; + qudt:applicableUnit unit:GRAIN-PER-GAL_US ; + qudt:applicableUnit unit:GRAIN-PER-M3 ; + qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; + qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; + qudt:applicableUnit unit:KiloGM-PER-L ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:applicableUnit unit:LB-PER-FT3 ; + qudt:applicableUnit unit:LB-PER-GAL ; + qudt:applicableUnit unit:LB-PER-GAL_UK ; + qudt:applicableUnit unit:LB-PER-GAL_US ; + qudt:applicableUnit unit:LB-PER-IN3 ; + qudt:applicableUnit unit:LB-PER-M3 ; + qudt:applicableUnit unit:LB-PER-YD3 ; + qudt:applicableUnit unit:MegaGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-DeciL ; + qudt:applicableUnit unit:MicroGM-PER-L ; + qudt:applicableUnit unit:MicroGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-MilliL ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:applicableUnit unit:MilliGM-PER-L ; + qudt:applicableUnit unit:MilliGM-PER-M3 ; + qudt:applicableUnit unit:MilliGM-PER-MilliL ; + qudt:applicableUnit unit:NanoGM-PER-DeciL ; + qudt:applicableUnit unit:NanoGM-PER-L ; + qudt:applicableUnit unit:NanoGM-PER-M3 ; + qudt:applicableUnit unit:NanoGM-PER-MicroL ; + qudt:applicableUnit unit:NanoGM-PER-MilliL ; + qudt:applicableUnit unit:OZ-PER-GAL ; + qudt:applicableUnit unit:OZ-PER-GAL_UK ; + qudt:applicableUnit unit:OZ-PER-GAL_US ; + qudt:applicableUnit unit:OZ-PER-IN3 ; + qudt:applicableUnit unit:OZ-PER-YD3 ; + qudt:applicableUnit unit:PicoGM-PER-L ; + qudt:applicableUnit unit:PicoGM-PER-MilliL ; + qudt:applicableUnit unit:PlanckDensity ; + qudt:applicableUnit unit:SLUG-PER-FT3 ; + qudt:applicableUnit unit:TONNE-PER-M3 ; + qudt:applicableUnit unit:TON_LONG-PER-YD3 ; + qudt:applicableUnit unit:TON_Metric-PER-M3 ; + qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; + qudt:applicableUnit unit:TON_UK-PER-YD3 ; + qudt:applicableUnit unit:TON_US-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Density Of The Exhaust Gases"@en ; + skos:broader quantitykind:Density ; +. +quantitykind:Depth + a qudt:QuantityKind ; + dcterms:description "Depth typically refers to the vertical measure of length from the surface of a liquid."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Depth typically refers to the vertical measure of length from the surface of a liquid." ; + rdfs:isDefinedBy ; + rdfs:label "Depth"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:DewPointTemperature + a qudt:QuantityKind ; + dcterms:description "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation." ; + qudt:symbol "T_d" ; + rdfs:isDefinedBy ; + rdfs:label "Dew Point Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:Diameter + a qudt:QuantityKind ; + dcterms:description "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Diameter"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Diameter"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = 2r\\), where \\(r\\) is the radius of the circle."^^qudt:LatexString ; + qudt:plainTextDescription "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. " ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Durchmesser"@de ; + rdfs:label "diameter"@en ; + rdfs:label "diametro"@it ; + rdfs:label "diamètre"@fr ; + rdfs:label "diámetro"@es ; + rdfs:label "diâmetro"@pt ; + rdfs:label "premer"@sl ; + rdfs:label "průměr"@cs ; + rdfs:label "çap"@tr ; + rdfs:label "średnica"@pl ; + rdfs:label "диаметр"@ru ; + rdfs:label "قطر"@ar ; + rdfs:label "قطر"@fa ; + rdfs:label "直径"@ja ; + rdfs:label "直径"@zh ; + skos:broader quantitykind:Length ; +. +quantitykind:DiastolicBloodPressure + a qudt:QuantityKind ; + dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; + qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; + rdfs:isDefinedBy ; + rdfs:label "Diastolic Blood Pressure"@en ; + rdfs:seeAlso quantitykind:SystolicBloodPressure ; + skos:broader quantitykind:Pressure ; +. +quantitykind:DiffusionArea + a qudt:QuantityKind ; + dcterms:description "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+area"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class." ; + qudt:symbol "L^2" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusion Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:DiffusionCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B \\left \\langle \\nu_B \\right \\rangle = -D grad C_B\\), where \\(C_B\\) the local molecular concentration of substance \\(B\\) in the mixture and \\(\\left \\langle \\nu_B \\right \\rangle\\) is the local average velocity of the molecules of \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry." ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusionskoeffizient"@de ; + rdfs:label "coefficient de diffusion"@fr ; + rdfs:label "coefficiente di diffusione"@it ; + rdfs:label "coeficiente de difusión"@es ; + rdfs:label "coeficiente de difusão"@pt ; + rdfs:label "diffusion coefficient"@en ; + rdfs:label "difuzijski koeficient"@sl ; +. +quantitykind:DiffusionCoefficientForFluenceRate + a qudt:QuantityKind ; + dcterms:description "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ."^^rdf:HTML ; + qudt:abbreviation "m" ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_\\varphi = -\\frac{J_x}{\\frac{\\partial d\\varphi}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(\\varphi\\) is the particle fluence rate."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ." ; + qudt:symbol "Dᵩ" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusion Coefficient for Fluence Rate"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:DiffusionLength + a qudt:QuantityKind ; + dcterms:description "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+length"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\sqrt{L^2}\\), where \\(L^2\\) is the diffusion area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusion Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Dimensionless + a qudt:QuantityKind ; + dcterms:description "In dimensional analysis, a dimensionless quantity or quantity of dimension one is a quantity without an associated physical dimension. It is thus a \"pure\" number, and as such always has a dimension of 1. Dimensionless quantities are widely used in mathematics, physics, engineering, economics, and in everyday life (such as in counting). Numerous well-known quantities, such as \\(\\pi\\), \\(\\epsilon\\), and \\(\\psi\\), are dimensionless. By contrast, non-dimensionless quantities are measured in units of length, area, time, etc. Dimensionless quantities are often defined as products or ratios of quantities that are not dimensionless, but whose dimensions cancel out when their powers are multiplied."^^qudt:LatexString ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dimensionless_quantity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensionless_quantity"^^xsd:anyURI ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Dimensionless"@en ; +. +quantitykind:DimensionlessRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Dimensionless Ratio"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:Displacement + a qudt:QuantityKind ; + dcterms:description "\"Displacement\" is the shortest distance from the initial to the final position of a point P."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_(vector)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta r = R_f - R_i\\), where \\(R_f\\) is the final position and \\(R_i\\) is the initial position."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Displacement\" is the shortest distance from the initial to the final position of a point P." ; + rdfs:isDefinedBy ; + rdfs:label "Displacement"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:DisplacementCurrent + a qudt:QuantityKind ; + dcterms:description "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_current"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_D= \\int_S J_D \\cdot e_n dA\\), over a surface \\(S\\), where \\(J_D\\) is displacement current density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization." ; + qudt:symbol "I_D" ; + rdfs:isDefinedBy ; + rdfs:label "Displacement Current"@en ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; +. +quantitykind:DisplacementCurrentDensity + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Displacement Current Density}\\) is the time rate of change of the \\(\\textit{Electric Flux Density}\\). This is a measure of how quickly the electric field changes if we observe it as a function of time. This is different than if we look at how the electric field changes spatially, that is, over a region of space for a fixed amount of time."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-M2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.maxwells-equations.com/math/partial-electric-flux.php"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_D = \\frac{\\partial D}{\\partial t}\\), where \\(D\\) is electric flux density and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_D\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Displacement Current Density"@en ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; +. +quantitykind:DisplacementVectorOfIon + a qudt:QuantityKind ; + dcterms:description "\"Displacement Vector of Ion\" is the ."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Displacement Vector of Ion\" is the ." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:label "Displacement Vector of Ion"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Dissipance + a qudt:QuantityKind ; + dcterms:description "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dissipation_factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta = \\frac{P_d}{P_i}\\), where \\(P_d\\) is the dissipated sound power, and \\(P_i\\) is the incident sound power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Dissipance"@en ; +. +quantitykind:Distance + a qudt:QuantityKind ; + dcterms:description "\"Distance\" is a numerical description of how far apart objects are. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Distance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Distance\" is a numerical description of how far apart objects are. " ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Entfernung"@de ; + rdfs:label "Jarak"@ms ; + rdfs:label "Vzdálenost"@cs ; + rdfs:label "distance"@en ; + rdfs:label "distance"@fr ; + rdfs:label "distancia"@es ; + rdfs:label "distanza"@it ; + rdfs:label "distância"@pt ; + rdfs:label "uzaklık"@tr ; + rdfs:label "مسافت"@fa ; + rdfs:label "距离"@zh ; + skos:broader quantitykind:Length ; +. +quantitykind:DistanceTraveledDuringBurn + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:label "Distance Traveled During a Burn"@en ; +. +quantitykind:DonorDensity + a qudt:QuantityKind ; + dcterms:description "\"Donor Density\" is the number per volume of donor levels."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Donor Density\" is the number per volume of donor levels." ; + qudt:symbol "n_d" ; + rdfs:isDefinedBy ; + rdfs:label "Donor Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:DonorIonizationEnergy + a qudt:QuantityKind ; + dcterms:description "\"Donor Ionization Energy\" is the ionization energy of a donor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Donor Ionization Energy\" is the ionization energy of a donor." ; + qudt:symbol "E_d" ; + rdfs:isDefinedBy ; + rdfs:label "Donor Ionization Energy"@en ; + skos:broader quantitykind:IonizationEnergy ; + skos:closeMatch quantitykind:AcceptorIonizationEnergy ; +. +quantitykind:DoseEquivalent + a qudt:QuantityKind ; + dcterms:description "\"Dose Equivalent} (former), or \\textit{Equivalent Absorbed Radiation Dose}, usually shortened to \\textit{Equivalent Dose\", is a computed average measure of the radiation absorbed by a fixed mass of biological tissue, that attempts to account for the different biological damage potential of different types of ionizing radiation. The equivalent dose to a tissue is found by multiplying the absorbed dose, in gray, by a dimensionless \"quality factor\" \\(Q\\), dependent upon radiation type, and by another dimensionless factor \\(N\\), dependent on all other pertinent factors. N depends upon the part of the body irradiated, the time and volume over which the dose was spread, even the species of the subject."^^qudt:LatexString ; + qudt:applicableUnit unit:MicroSV ; + qudt:applicableUnit unit:MicroSV-PER-HR ; + qudt:applicableUnit unit:MilliR_man ; + qudt:applicableUnit unit:MilliSV ; + qudt:applicableUnit unit:REM ; + qudt:applicableUnit unit:SV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Equivalent_dose"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "At the point of interest in tissue, \\(H = DQ\\), where \\(D\\) is the absorbed dose and \\(Q\\) is the quality factor at that point."^^qudt:LatexString ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + rdfs:label "Dose Equivalent"@en ; + skos:broader quantitykind:SpecificEnergy ; +. +quantitykind:DoseEquivalentQualityFactor + a qudt:QuantityKind ; + dcterms:description "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Dose Equivalent Quality Factor"@en ; +. +quantitykind:DragCoefficient + a qudt:QuantityKind ; + dcterms:description "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:symbol "C_D" ; + rdfs:isDefinedBy ; + rdfs:label "Drag Coefficient"@en ; +. +quantitykind:DragForce + a qudt:QuantityKind ; + dcterms:description """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. +Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. +Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; + qudt:symbol "D or F_D" ; + rdfs:isDefinedBy ; + rdfs:label "Drag Force"@en ; +. +quantitykind:DryVolume + a qudt:QuantityKind ; + dcterms:description "Dry measures are units of volume used to measure bulk commodities which are not gas or liquid. They are typically used in agriculture, agronomy, and commodity markets to measure grain, dried beans, and dried and fresh fruit; formerly also salt pork and fish. They are also used in fishing for clams, crabs, etc. and formerly for many other substances (for example coal, cement, lime) which were typically shipped and delivered in a standardized container such as a barrel. In the original metric system, the unit of dry volume was the stere, but this is not part of the modern metric system; the liter and the cubic meter (\\(m^{3}\\)) are now used. However, the stere is still widely used for firewood."^^qudt:LatexString ; + qudt:applicableUnit unit:BBL_US_DRY ; + qudt:applicableUnit unit:BU_UK ; + qudt:applicableUnit unit:BU_US ; + qudt:applicableUnit unit:CORD ; + qudt:applicableUnit unit:GAL_US_DRY ; + qudt:applicableUnit unit:PINT_US_DRY ; + qudt:applicableUnit unit:PK_US_DRY ; + qudt:applicableUnit unit:QT_US_DRY ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dry_measure"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Dry Volume"@en ; + skos:broader quantitykind:Volume ; +. +quantitykind:Duv + a qudt:QuantityKind ; + dcterms:description "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://www.waveformlighting.com/tech/calculate-duv-from-cie-1931-xy-coordinates"^^xsd:anyURI ; + qudt:informativeReference "https://www1.eere.energy.gov/buildings/publications/pdfs/ssl/led-color-characteristics-factsheet.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve." ; + rdfs:isDefinedBy ; + rdfs:label "Delta u,v"@en ; + rdfs:seeAlso quantitykind:CorrelatedColorTemperature ; +. +quantitykind:DynamicFriction + a qudt:QuantityKind ; + dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; + rdfs:isDefinedBy ; + rdfs:label "Dynamic Friction"@en ; + skos:broader quantitykind:Friction ; +. +quantitykind:DynamicFrictionCoefficient + a qudt:QuantityKind ; + dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{F}{N}\\), where \\(F\\) is the tangential component of the contact force and \\(N\\) is the normal component of the contact force between two sliding bodies."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Dynamic Friction Coefficient"@en ; + skos:broader quantitykind:FrictionCoefficient ; +. +quantitykind:DynamicPressure + a qudt:QuantityKind ; + dcterms:description "Dynamic Pressure (indicated with q, or Q, and sometimes called velocity pressure) is the quantity defined by: \\(q = 1/2 * \\rho v^{2}\\), where (using SI units), \\(q\\) is dynamic pressure in \\(pascals\\), \\(\\rho\\) is fluid density in \\(kg/m^{3}\\) (for example, density of air) and \\(v \\) is fluid velocity in \\(m/s\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dynamic_pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "q" ; + rdfs:isDefinedBy ; + rdfs:label "Dynamic Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:DynamicViscosity + a qudt:QuantityKind ; + dcterms:description "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE ; + qudt:applicableUnit unit:KiloGM-PER-M-HR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC ; + qudt:applicableUnit unit:LB-PER-FT-HR ; + qudt:applicableUnit unit:LB-PER-FT-SEC ; + qudt:applicableUnit unit:LB_F-SEC-PER-FT2 ; + qudt:applicableUnit unit:LB_F-SEC-PER-IN2 ; + qudt:applicableUnit unit:MicroPOISE ; + qudt:applicableUnit unit:MilliPA-SEC ; + qudt:applicableUnit unit:PA-SEC ; + qudt:applicableUnit unit:POISE ; + qudt:applicableUnit unit:SLUG-PER-FT-SEC ; + qudt:exactMatch quantitykind:Viscosity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:informativeReference "http://dictionary.reference.com/browse/dynamic+viscosity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau_{xz} = \\eta\\frac{dv_x}{dz}\\), where \\(\\tau_{xz}\\) is shear stress in a fluid moving with a velocity gradient \\(\\frac{dv_x}{dz}\\) perpendicular to the plane of shear. "^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law." ; + rdfs:isDefinedBy ; + rdfs:label "Kelikatan dinamik"@ms ; + rdfs:label "Viscozitate dinamică"@ro ; + rdfs:label "dinamik akmazlık"@tr ; + rdfs:label "dinamična viskoznost"@sl ; + rdfs:label "dynamic viscosity"@en ; + rdfs:label "dynamische Viskosität"@de ; + rdfs:label "lepkość dynamiczna"@pl ; + rdfs:label "viscosidad dinámica"@es ; + rdfs:label "viscosidade dinâmica"@pt ; + rdfs:label "viscosità di taglio"@it ; + rdfs:label "viscosità dinamica"@it ; + rdfs:label "viscosité dynamique"@fr ; + rdfs:label "viskozita"@cs ; + rdfs:label "динамическую вязкость"@ru ; + rdfs:label "لزوجة"@ar ; + rdfs:label "گرانروی دینامیکی/ویسکوزیته دینامیکی"@fa ; + rdfs:label "श्यानता"@hi ; + rdfs:label "动力粘度"@zh ; + rdfs:label "粘度"@ja ; + rdfs:seeAlso quantitykind:KinematicViscosity ; + rdfs:seeAlso quantitykind:MolecularViscosity ; +. +quantitykind:EarthClosestApproachVehicleVelocity + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "V_o" ; + rdfs:isDefinedBy ; + rdfs:label "Earth Closest Approach Vehicle Velocity"@en ; + skos:broader quantitykind:VehicleVelocity ; +. +quantitykind:EccentricityOfOrbit + a qudt:QuantityKind ; + dcterms:description "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape." ; + rdfs:isDefinedBy ; + rdfs:label "Eccentricity Of Orbit"@en ; +. +quantitykind:EffectiveExhaustVelocity + a qudt:QuantityKind ; + dcterms:description "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity." ; + qudt:symbol "v_{e}" ; + rdfs:isDefinedBy ; + rdfs:label "Effective Exhaustvelocity"@en ; +. +quantitykind:EffectiveMass + a qudt:QuantityKind ; + dcterms:description "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Effective_mass_(solid-state_physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(m^* = \\hbar^2k(\\frac{d\\varepsilon}{dk})\\), where \\(\\hbar\\) is the reduced Planck constant, \\(k\\) is the wavenumber, and \\(\\varepsilon\\) is the energy of the electron."^^qudt:LatexString ; + qudt:plainTextDescription "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level." ; + qudt:symbol "m^*" ; + rdfs:isDefinedBy ; + rdfs:label "Effective Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:EffectiveMultiplicationFactor + a qudt:QuantityKind ; + dcterms:description "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction#Effective_neutron_multiplication_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium." ; + qudt:symbol "k_{eff}" ; + rdfs:isDefinedBy ; + rdfs:label "Effective Multiplication Factor"@en ; + skos:broader quantitykind:MultiplicationFactor ; + skos:closeMatch quantitykind:InfiniteMultiplicationFactor ; +. +quantitykind:Efficiency + a qudt:QuantityKind ; + dcterms:description "Efficiency is the ratio of output power to input power."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\eta = \\frac{P_{out}}{P_{in}}\\), where \\(P_{out}\\) is the output power and \\(P_{in}\\) is the input power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Efficiency is the ratio of output power to input power." ; + rdfs:isDefinedBy ; + rdfs:label "Wirkungsgrad"@de ; + rdfs:label "efficiency"@en ; + rdfs:label "efficienza"@it ; + rdfs:label "eficiência"@pt ; + rdfs:label "rendement"@fr ; + rdfs:label "rendimento"@it ; + rdfs:label "rendimiento"@es ; + rdfs:label "sprawność"@pl ; + rdfs:label "коэффициент полезного действия"@ru ; + rdfs:label "كفاءة"@ar ; + rdfs:label "効率"@ja ; + rdfs:label "效率"@zh ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:EinsteinTransitionProbability + a qudt:QuantityKind ; + dcterms:description "Given two atomic states of energy \\(E_j\\) and \\(E_k\\). Let \\(E_j > E_k\\). Assume the atom is bathed in radiation of energy density \\(u(w)\\). Transitions between these states can take place in three different ways. Spontaneous, induced/stimulated emission, and induced absorption. \\(A_jk\\) represents the Einstein transition probability for spontaneous emission."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://electron6.phys.utk.edu/qm2/modules/m10/einstein.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\frac{-dN_j}{dt} = A_jkN_j\\), where \\(-dN_j\\) is the number of molecules spontaneously leaving the state j for the state k during a time interval of duration \\(dt\\), \\(N_j\\) is the number of molecules in the state j, and \\(E_j > E_k\\)."^^qudt:LatexString ; + qudt:symbol "A_jkN_j" ; + rdfs:isDefinedBy ; + rdfs:label "Einstein Transition Probability"@en ; +. +quantitykind:ElectricCharge + a qudt:QuantityKind ; + dcterms:description "\"Electric Charge\" is a fundamental conserved property of some subatomic particles, which determines their electromagnetic interaction. Electrically charged matter is influenced by, and produces, electromagnetic fields. The electric charge on a body may be positive or negative. Two positively charged bodies experience a mutual repulsive force, as do two negatively charged bodies. A positively charged body and a negatively charged body experience an attractive force. Electric charge is carried by discrete particles and can be positive or negative. The sign convention is such that the elementary electric charge \\(e\\), that is, the charge of the proton, is positive. The SI derived unit of electric charge is the coulomb."^^qudt:LatexString ; + qudt:applicableUnit unit:A-HR ; + qudt:applicableUnit unit:A-SEC ; + qudt:applicableUnit unit:AttoC ; + qudt:applicableUnit unit:C ; + qudt:applicableUnit unit:C_Ab ; + qudt:applicableUnit unit:C_Stat ; + qudt:applicableUnit unit:CentiC ; + qudt:applicableUnit unit:DecaC ; + qudt:applicableUnit unit:DeciC ; + qudt:applicableUnit unit:E ; + qudt:applicableUnit unit:ElementaryCharge ; + qudt:applicableUnit unit:ExaC ; + qudt:applicableUnit unit:F ; + qudt:applicableUnit unit:FR ; + qudt:applicableUnit unit:FemtoC ; + qudt:applicableUnit unit:GigaC ; + qudt:applicableUnit unit:HectoC ; + qudt:applicableUnit unit:KiloA-HR ; + qudt:applicableUnit unit:KiloC ; + qudt:applicableUnit unit:MegaC ; + qudt:applicableUnit unit:MicroC ; + qudt:applicableUnit unit:MilliA-HR ; + qudt:applicableUnit unit:MilliC ; + qudt:applicableUnit unit:NanoC ; + qudt:applicableUnit unit:PetaC ; + qudt:applicableUnit unit:PicoC ; + qudt:applicableUnit unit:PlanckCharge ; + qudt:applicableUnit unit:TeraC ; + qudt:applicableUnit unit:YoctoC ; + qudt:applicableUnit unit:YottaC ; + qudt:applicableUnit unit:ZeptoC ; + qudt:applicableUnit unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_charge"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_charge?oldid=492961669"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(dQ = Idt\\), where \\(I\\) is electric current."^^qudt:LatexString ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Cas elektrik"@ms ; + rdfs:label "Charge électrique"@fr ; + rdfs:label "Elektrický náboj"@cs ; + rdfs:label "cantitate de electricitate"@ro ; + rdfs:label "carga eléctrica"@es ; + rdfs:label "carga elétrica"@pt ; + rdfs:label "carica elettrica"@it ; + rdfs:label "electric charge"@en ; + rdfs:label "elektrik yükü"@tr ; + rdfs:label "elektrische Ladung"@de ; + rdfs:label "električni naboj"@sl ; + rdfs:label "elektromos töltés"@hu ; + rdfs:label "onus electricum"@la ; + rdfs:label "sarcină electrică"@ro ; + rdfs:label "ładunek elektryczny"@pl ; + rdfs:label "Ηλεκτρικό φορτίο"@el ; + rdfs:label "Електрически заряд"@bg ; + rdfs:label "Электрический заряд"@ru ; + rdfs:label "מטען חשמלי"@he ; + rdfs:label "الشحنة الكهربائية"@ar ; + rdfs:label "بار الکتریکی"@fa ; + rdfs:label "विद्युत आवेग या विद्युत बहाव"@hi ; + rdfs:label "电荷"@zh ; + rdfs:label "電荷"@ja ; + rdfs:seeAlso quantitykind:ElectricCurrent ; +. +quantitykind:ElectricChargeDensity + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M3 ; + qudt:applicableUnit unit:MegaC-PER-M3 ; + qudt:applicableUnit unit:MicroC-PER-M3 ; + qudt:expression "\\(charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.maxwells-equations.com/pho/charge-density.php"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{dQ}{dV}\\), where \\(Q\\) is electric charge and \\(V\\) is Volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Density"@en ; + rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity ; +. +quantitykind:ElectricChargeLineDensity + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot \\), \\(m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Line Density"@en ; +. +quantitykind:ElectricChargeLinearDensity + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M ; + qudt:expression "\\(linear-charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_l = \\frac{dQ}{dl}\\), where \\(Q\\) is electric charge and \\(l\\) is length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Linear Density"@en ; + rdfs:seeAlso quantitykind:ElectricChargeDensity ; +. +quantitykind:ElectricChargePerAmountOfSubstance + a qudt:QuantityKind ; + dcterms:description "\"Electric Charge Per Amount Of Substance\" is the charge assocated with a given amount of substance. Un the ISO and SI systems this is \\(1 mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-MOL ; + qudt:applicableUnit unit:C_Stat-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electric charge per amount of substance"@en ; +. +quantitykind:ElectricChargePerArea + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2 ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:C-PER-MilliM2 ; + qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:applicableUnit unit:MegaC-PER-M2 ; + qudt:applicableUnit unit:MicroC-PER-M2 ; + qudt:applicableUnit unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Electric charge per area"@en ; +. +quantitykind:ElectricChargePerMass + a qudt:QuantityKind ; + dcterms:description "\"Electric Charge Per Mass\" is the charge associated with a specific mass of a substance. In the SI and ISO systems this is \\(1 kg\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-M2-PER-J-SEC ; + qudt:applicableUnit unit:C-PER-KiloGM ; + qudt:applicableUnit unit:HZ-PER-T ; + qudt:applicableUnit unit:KiloR ; + qudt:applicableUnit unit:MegaHZ-PER-T ; + qudt:applicableUnit unit:MilliC-PER-KiloGM ; + qudt:applicableUnit unit:MilliR ; + qudt:applicableUnit unit:PER-T-SEC ; + qudt:applicableUnit unit:R ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Per Mass"@en ; +. +quantitykind:ElectricChargeSurfaceDensity + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:expression "\\(surface-charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac{dQ}{dA}\\), where \\(Q\\) is electric charge and \\(A\\) is Area."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Surface Density"@en ; + rdfs:seeAlso quantitykind:ElectricChargeDensity ; +. +quantitykind:ElectricChargeVolumeDensity + a qudt:QuantityKind ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM3 ; + qudt:applicableUnit unit:C-PER-M3 ; + qudt:applicableUnit unit:C-PER-MilliM3 ; + qudt:applicableUnit unit:KiloC-PER-M3 ; + qudt:applicableUnit unit:MilliC-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Electric Charge Volume Density"@en ; +. +quantitykind:ElectricConductivity + a qudt:QuantityKind ; + dcterms:description "\"Electric Conductivity} or \\textit{Specific Conductance\" is a measure of a material's ability to conduct an electric current. When an electrical potential difference is placed across a conductor, its movable charges flow, giving rise to an electric current. The conductivity \\(\\sigma\\) is defined as the ratio of the electric current density \\(J\\) to the electric field \\(E\\): \\(J = \\sigma E\\). In isotropic materials, conductivity is scalar-valued, however in general, conductivity is a tensor-valued quantity."^^qudt:LatexString ; + qudt:applicableUnit unit:A_Ab-CentiM2 ; + qudt:applicableUnit unit:MHO ; + qudt:applicableUnit unit:MHO_Stat ; + qudt:applicableUnit unit:MicroMHO ; + qudt:applicableUnit unit:S_Ab ; + qudt:applicableUnit unit:S_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Kekonduksian elektrik"@ms ; + rdfs:label "conducibilità elettrica"@it ; + rdfs:label "conductividad eléctrica"@es ; + rdfs:label "conductivité électrique"@fr ; + rdfs:label "condutividade elétrica"@pt ; + rdfs:label "electric conductivity"@en ; + rdfs:label "elektrik iletkenliği"@tr ; + rdfs:label "elektrische Leitfähigkeit"@de ; + rdfs:label "električna prevodnost"@sl ; + rdfs:label "رسانايى الکتريکى/هدایت الکتریکی"@fa ; + rdfs:label "电导率"@zh ; +. +quantitykind:ElectricCurrent + a qudt:QuantityKind ; + dcterms:description "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. "^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:applicableUnit unit:A_Ab ; + qudt:applicableUnit unit:A_Stat ; + qudt:applicableUnit unit:BIOT ; + qudt:applicableUnit unit:KiloA ; + qudt:applicableUnit unit:MegaA ; + qudt:applicableUnit unit:MicroA ; + qudt:applicableUnit unit:MilliA ; + qudt:applicableUnit unit:NanoA ; + qudt:applicableUnit unit:PicoA ; + qudt:applicableUnit unit:PlanckCurrent ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_current"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. " ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Arus elektrik"@ms ; + rdfs:label "Elektrický proud"@cs ; + rdfs:label "corrente elettrica"@it ; + rdfs:label "corrente elétrica"@pt ; + rdfs:label "corriente eléctrica"@es ; + rdfs:label "curent electric"@ro ; + rdfs:label "electric current"@en ; + rdfs:label "elektrik akımı"@tr ; + rdfs:label "elektrische Stromstärke"@de ; + rdfs:label "električni tok"@sl ; + rdfs:label "elektromos áramerősség"@hu ; + rdfs:label "fluxio electrica"@la ; + rdfs:label "intensité de courant électrique"@fr ; + rdfs:label "prąd elektryczny"@pl ; + rdfs:label "Ένταση ηλεκτρικού ρεύματος"@el ; + rdfs:label "Електрически ток"@bg ; + rdfs:label "Сила электрического тока"@ru ; + rdfs:label "זרם חשמלי"@he ; + rdfs:label "تيار كهربائي"@ar ; + rdfs:label "جریان الکتریکی"@fa ; + rdfs:label "विद्युत धारा"@hi ; + rdfs:label "电流"@zh ; + rdfs:label "電流"@ja ; +. +quantitykind:ElectricCurrentDensity + a qudt:QuantityKind ; + dcterms:description "\"Electric Current Density\" is a measure of the density of flow of electric charge; it is the electric current per unit area of cross section. Electric current density is a vector-valued quantity. Electric current, \\(I\\), through a surface \\(S\\) is defined as \\(I = \\int_S J \\cdot e_n dA\\), where \\(e_ndA\\) is the vector surface element."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM2 ; + qudt:applicableUnit unit:A-PER-M2 ; + qudt:applicableUnit unit:A-PER-MilliM2 ; + qudt:applicableUnit unit:A_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:A_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloA-PER-M2 ; + qudt:applicableUnit unit:MegaA-PER-M2 ; + qudt:applicableUnit unit:PlanckCurrentDensity ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Current_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://maxwells-equations.com/density/current.php"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J = \\rho v\\), where \\(\\rho\\) is electric current density and \\(v\\) is volume."^^qudt:LatexString ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:label "Akım yoğunluğu"@tr ; + rdfs:label "Densitate de curent"@ro ; + rdfs:label "Gęstość prądu elektrycznego"@pl ; + rdfs:label "Hustota elektrického proudu"@cs ; + rdfs:label "Ketumpatan arus elektrik"@ms ; + rdfs:label "areic electric current"@en ; + rdfs:label "densidad de corriente"@es ; + rdfs:label "densidade de corrente elétrica"@pt ; + rdfs:label "densità di corrente elettrica"@it ; + rdfs:label "densité de courant"@fr ; + rdfs:label "electric current density"@en ; + rdfs:label "elektrische Stromdichte"@de ; + rdfs:label "gostota električnega toka"@sl ; + rdfs:label "keluasan arus elektrik"@ms ; + rdfs:label "плотность тока"@ru ; + rdfs:label "كثافة التيار"@ar ; + rdfs:label "چگالی جریان الکتریکی"@fa ; + rdfs:label "धारा घनत्व"@hi ; + rdfs:label "电流密度"@zh ; + rdfs:label "電流密度"@ja ; +. +quantitykind:ElectricCurrentPerAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:A-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electric Current per Angle"@en ; +. +quantitykind:ElectricCurrentPerUnitEnergy + a qudt:QuantityKind ; + qudt:applicableUnit unit:A-PER-J ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electric Current per Unit Energy"@en ; +. +quantitykind:ElectricCurrentPerUnitLength + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electric Current per Unit Length"@en ; +. +quantitykind:ElectricCurrentPerUnitTemperature + a qudt:QuantityKind ; + dcterms:description "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-DEG_C ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; + qudt:plainTextDescription "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Current per Unit Temperature"@en ; +. +quantitykind:ElectricCurrentPhasor + a qudt:QuantityKind ; + dcterms:description "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phasor_(electronics)"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "When \\(i = \\hat{I} \\cos{(\\omega t + \\alpha)}\\), where \\(i\\) is the electric current, \\(\\omega\\) is angular frequence, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{I} = Ie^{ja}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{I}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Current Phasor"@en ; +. +quantitykind:ElectricDipoleMoment + a qudt:QuantityKind ; + dcterms:description "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain."^^rdf:HTML ; + qudt:applicableUnit unit:C-M ; + qudt:applicableUnit unit:Debye ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_dipole_moment"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition """\\(E_p = -p \\cdot E\\), where \\(E_p\\) is the interaction energy of the molecule with electric dipole moment \\(p\\) and an electric field with electric field strength \\(E\\). + +\\(p = q(r_+ - r_i)\\), where \\(r_+\\) and \\(r_-\\) are the position vectors to carriers of electric charge \\(a\\) and \\(-q\\), respectively."""^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Dipólový moment"@cs ; + rdfs:label "Momen dwikutub elektrik"@ms ; + rdfs:label "electric dipole moment"@en ; + rdfs:label "elektrik dipol momenti"@tr ; + rdfs:label "elektrisches Dipolmoment"@de ; + rdfs:label "elektryczny moment dipolowy"@pl ; + rdfs:label "moment dipolaire"@fr ; + rdfs:label "moment electric dipolar"@ro ; + rdfs:label "momento de dipolo eléctrico"@es ; + rdfs:label "momento di dipolo elettrico"@it ; + rdfs:label "momento do dipolo elétrico"@pt ; + rdfs:label "Электрический дипольный момент"@ru ; + rdfs:label "عزم ثنائي قطب"@ar ; + rdfs:label "گشتاور دوقطبی الکتریکی"@fa ; + rdfs:label "विद्युत द्विध्रुव आघूर्ण"@hi ; + rdfs:label "电偶极矩"@zh ; + rdfs:label "電気双極子"@ja ; +. +quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared + a qudt:QuantityKind ; + qudt:applicableUnit unit:C3-M-PER-J2 ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; +. +quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic + a qudt:QuantityKind ; + qudt:applicableUnit unit:C4-M4-PER-J3 ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; +. +quantitykind:ElectricDisplacement + a qudt:QuantityKind ; + dcterms:description "In a dielectric material the presence of an electric field E causes the bound charges in the material (atomic nuclei and their electrons) to slightly separate, inducing a local electric dipole moment. The Electric Displacement Field, \\(D\\), is a vector field that accounts for the effects of free charges within such dielectric materials. This describes also the charge density on an extended surface that could be causing the field."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2 ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:C-PER-MilliM2 ; + qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:applicableUnit unit:MegaC-PER-M2 ; + qudt:applicableUnit unit:MicroC-PER-M2 ; + qudt:applicableUnit unit:MilliC-PER-M2 ; + qudt:exactMatch quantitykind:ElectricFluxDensity ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(E\\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + rdfs:label "Electric Displacement"@en ; + skos:broader quantitykind:ElectricChargePerArea ; +. +quantitykind:ElectricDisplacementField + a qudt:QuantityKind ; + qudt:applicableUnit unit:C-PER-CentiM2 ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:C-PER-MilliM2 ; + qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:applicableUnit unit:MegaC-PER-M2 ; + qudt:applicableUnit unit:MicroC-PER-M2 ; + qudt:applicableUnit unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + rdfs:label "Electric Displacement Field"@en ; + skos:broader quantitykind:ElectricChargePerArea ; +. +quantitykind:ElectricField + a qudt:QuantityKind ; + dcterms:description "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-M ; + qudt:applicableUnit unit:V_Ab-PER-CentiM ; + qudt:applicableUnit unit:V_Stat-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_field"^^xsd:anyURI ; + qudt:expression "\\(E\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; + qudt:plainTextDescription "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Field"@en ; +. +quantitykind:ElectricFieldStrength + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Electric Field Strength}\\) is the magnitude and direction of an electric field, expressed by the value of \\(E\\), also referred to as \\(\\color{indigo} {\\textit{electric field intensity}}\\) or simply the electric field."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-PER-M ; + qudt:applicableUnit unit:MegaV-PER-M ; + qudt:applicableUnit unit:MicroV-PER-M ; + qudt:applicableUnit unit:MilliV-PER-M ; + qudt:applicableUnit unit:V-PER-CentiM ; + qudt:applicableUnit unit:V-PER-IN ; + qudt:applicableUnit unit:V-PER-M ; + qudt:applicableUnit unit:V-PER-MilliM ; + qudt:applicableUnit unit:V_Ab-PER-CentiM ; + qudt:applicableUnit unit:V_Stat-PER-CentiM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{E} = \\mathbf{F}/q\\), where \\(\\mathbf{F}\\) is force and \\(q\\) is electric charge, of a test particle at rest."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{E} \\)"^^qudt:LatexString ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Elektromos mező"@hu ; + rdfs:label "Kekuatan medan elektrik"@ms ; + rdfs:label "câmp electric"@ro ; + rdfs:label "electric field strength"@en ; + rdfs:label "elektrické pole"@cs ; + rdfs:label "elektriksel alan kuvveti"@tr ; + rdfs:label "elektrische Feldstärke"@de ; + rdfs:label "intensidad de campo eléctrico"@es ; + rdfs:label "intensidade de campo elétrico"@pt ; + rdfs:label "intensità di campo elettrico"@it ; + rdfs:label "intensité de champ électrique"@fr ; + rdfs:label "jakost električnega polja"@sl ; + rdfs:label "natężenie pola elektrycznego"@pl ; + rdfs:label "Ηλεκτρικό πεδίο"@el ; + rdfs:label "Електрично поле"@bg ; + rdfs:label "Напряженность электрического поля"@ru ; + rdfs:label "שדה חשמלי"@he ; + rdfs:label "شدت میدان الکتریکی"@fa ; + rdfs:label "عدد الموجة"@ar ; + rdfs:label "विद्युत्-क्षेत्र"@hi ; + rdfs:label "電場"@zh ; + rdfs:label "電界強度"@ja ; +. +quantitykind:ElectricFlux + a qudt:QuantityKind ; + dcterms:description "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:V-M ; + qudt:applicableUnit unit:V_Stat-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:expression "\\(electirc-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\int_S D \\cdot e_n dA\\), over a surface \\(S\\), where \\(D\\) is electric flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity." ; + rdfs:isDefinedBy ; + rdfs:label "Electric Flux"@en ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; +. +quantitykind:ElectricFluxDensity + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Electric Flux Density}\\), also referred to as \\(\\textit{Electric Displacement}\\), is related to electric charge density by the following equation: \\(\\text{div} \\; D = \\rho\\), where \\(\\text{div}\\) denotes the divergence."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2 ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:C-PER-MilliM2 ; + qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:applicableUnit unit:MegaC-PER-M2 ; + qudt:applicableUnit unit:MicroC-PER-M2 ; + qudt:applicableUnit unit:MilliC-PER-M2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:exactMatch quantitykind:ElectricDisplacement ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{D} = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(\\mathbf{E} \\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{D}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Densidad de flujo eléctrico"@es ; + rdfs:label "Elektrická indukce"@cs ; + rdfs:label "Induction électrique"@fr ; + rdfs:label "Inducție electrică"@ro ; + rdfs:label "Indukcja elektryczna"@pl ; + rdfs:label "Ketumpatan fluks elektrik"@ms ; + rdfs:label "anjakan"@ms ; + rdfs:label "campo de deslocamento elétrico"@pt ; + rdfs:label "densité de flux électrique"@fr ; + rdfs:label "displacement"@en ; + rdfs:label "electric flux density"@en ; + rdfs:label "elektrik akı yoğunluğu"@tr ; + rdfs:label "elektrische Flussdichte"@de ; + rdfs:label "elektrische Induktion"@de ; + rdfs:label "elektrische Verschiebung"@de ; + rdfs:label "induzione elettrica"@it ; + rdfs:label "spostamento elettrico"@it ; + rdfs:label "yer değiştirme"@tr ; + rdfs:label "Электрическая индукция"@ru ; + rdfs:label "إزاحة كهربائية"@ar ; + rdfs:label "چگالی شار الکتریکی"@fa ; + rdfs:label "電位移"@zh ; + rdfs:label "電束密度"@ja ; + skos:broader quantitykind:ElectricChargePerArea ; +. +quantitykind:ElectricPolarizability + a qudt:QuantityKind ; + dcterms:description "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Polarizability"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_{i,j} = \\frac{\\partial p_i}{\\partial E_j}\\), where \\(p_i\\) is the cartesian component along the \\(i-axis\\) of the electric dipole moment induced by the applied electric field strength acting on the molecule, and \\(E_j\\) is the component along the \\(j-axis\\) of this electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole." ; + rdfs:isDefinedBy ; + rdfs:label "Kepengkutuban elektrik"@ms ; + rdfs:label "Kutuplanabilirlik"@tr ; + rdfs:label "Polarisabilité"@fr ; + rdfs:label "Polarizabilidad"@es ; + rdfs:label "Polarizovatelnost"@cs ; + rdfs:label "Polaryzowalność"@pl ; + rdfs:label "electric polarizability"@en ; + rdfs:label "elektrische Polarisierbarkeit"@de ; + rdfs:label "polarizabilidade"@pt ; + rdfs:label "polarizzabilità elettrica"@it ; + rdfs:label "Поляризуемость"@ru ; + rdfs:label "قابلية استقطاب"@ar ; + rdfs:label "قطبیت پذیری الکتریکی"@fa ; + rdfs:label "分極率"@ja ; + rdfs:label "極化性"@zh ; +. +quantitykind:ElectricPolarization + a qudt:QuantityKind ; + dcterms:description "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.britannica.com/EBchecked/topic/182690/electric-polarization"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(P =\\frac{dp}{dV}\\), where \\(p\\) is electic charge density and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V." ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + rdfs:label "electric polarization"@en ; + rdfs:label "elektrische Polarisation"@de ; + rdfs:label "polarisation électrique"@fr ; + rdfs:label "polarización eléctrica"@es ; + rdfs:label "polarização eléctrica"@pt ; + rdfs:label "polarizzazione elettrica"@it ; + rdfs:label "polaryzacja elektryczna"@pl ; + rdfs:label "электрическая поляризация"@ru ; + rdfs:label "إستقطاب كهربائي"@ar ; + rdfs:label "電気分極"@ja ; + rdfs:seeAlso quantitykind:ElectricChargeDensity ; + rdfs:seeAlso quantitykind:ElectricDipoleMoment ; +. +quantitykind:ElectricPotential + a qudt:QuantityKind ; + dcterms:description "The Electric Potential is a scalar valued quantity associated with an electric field. The electric potential \\(\\phi(x)\\) at a point, \\(x\\), is formally defined as the line integral of the electric field taken along a path from x to the point at infinity. If the electric field is static, that is time independent, then the choice of the path is arbitrary; however if the electric field is time dependent, taking the integral a different paths will produce different results."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotentialDifference ; + qudt:exactMatch quantitykind:EnergyPerElectricCharge ; + qudt:exactMatch quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(-\\textbf{grad} \\; V = E + \\frac{\\partial A}{\\partial t}\\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Keupayaan elektrik"@ms ; + rdfs:label "electric potential"@en ; + rdfs:label "elektrický potenciál"@cs ; + rdfs:label "elektrik potansiyeli"@tr ; + rdfs:label "elektrisches Potenzial"@de ; + rdfs:label "električni potencial"@sl ; + rdfs:label "elektromos feszültség , elektromos potenciálkülönbség"@hu ; + rdfs:label "potencial eléctrico"@es ; + rdfs:label "potencial elétrico"@pt ; + rdfs:label "potencjał elektryczny"@pl ; + rdfs:label "potentiel électrique"@fr ; + rdfs:label "potenziale elettrico"@it ; + rdfs:label "potențial electric"@ro ; + rdfs:label "tensio electrica"@la ; + rdfs:label "vis electromotrix"@la ; + rdfs:label "Електрически потенциал"@bg ; + rdfs:label "электростатический потенциал"@ru ; + rdfs:label "מתח חשמלי (הפרש פוטנציאלים)"@he ; + rdfs:label "كمون كهربائي"@ar ; + rdfs:label "پتانسیل الکتریکی"@fa ; + rdfs:label "विद्युत विभव"@hi ; + rdfs:label "電位"@ja ; + rdfs:label "電勢"@zh ; + skos:broader quantitykind:EnergyPerElectricCharge ; +. +quantitykind:ElectricPotentialDifference + a qudt:QuantityKind ; + dcterms:description "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential ; + qudt:exactMatch quantitykind:EnergyPerElectricCharge ; + qudt:exactMatch quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(V_{ab} = \\int_{r_a(C)}^{r_b} (E +\\frac{\\partial A}{\\partial t}) \\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential, \\(t\\) is time, and \\(r\\) is position vector along a curve C from a point \\(a\\) to \\(b\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field." ; + qudt:symbol "V_{ab}" ; + rdfs:isDefinedBy ; + rdfs:label "Voltan Perbezaan keupayaan elektrik"@ms ; + rdfs:label "diferență de potențial electric"@ro ; + rdfs:label "differenza di potenziale elettrico"@it ; + rdfs:label "electric potential difference"@en ; + rdfs:label "elektrické napětí"@cs ; + rdfs:label "elektrische Spannung"@de ; + rdfs:label "električna napetost"@sl ; + rdfs:label "gerilim"@tr ; + rdfs:label "ketegangan"@ms ; + rdfs:label "napięcie elektryczne"@pl ; + rdfs:label "tension électrique"@fr ; + rdfs:label "tensione elettrica"@it ; + rdfs:label "tensiune"@ro ; + rdfs:label "tensión eléctrica"@es ; + rdfs:label "tensão elétrica (diferença de potencial)"@pt ; + rdfs:label "электрическое напряжение"@ru ; + rdfs:label "جهد كهربائي"@ar ; + rdfs:label "ولتاژ/ اختلاف پتانسیل"@fa ; + rdfs:label "विभवांतर"@hi ; + rdfs:label "電圧"@ja ; + rdfs:label "電壓"@zh ; + skos:broader quantitykind:EnergyPerElectricCharge ; +. +quantitykind:ElectricPower + a qudt:QuantityKind ; + dcterms:description "\"Electric Power\" is the rate at which electrical energy is transferred by an electric circuit. In the simple case of direct current circuits, electric power can be calculated as the product of the potential difference in the circuit (V) and the amount of current flowing in the circuit (I): \\(P = VI\\), where \\(P\\) is the power, \\(V\\) is the potential difference, and \\(I\\) is the current. However, in general electric power is calculated by taking the integral of the vector cross-product of the electrical and magnetic fields over a specified area."^^qudt:LatexString ; + qudt:applicableSIUnit unit:KiloW ; + qudt:applicableSIUnit unit:MegaW ; + qudt:applicableSIUnit unit:MilliW ; + qudt:applicableSIUnit unit:W ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:symbol "P_E" ; + rdfs:isDefinedBy ; + rdfs:label "Wirkleistung"@de ; + rdfs:label "electric power"@en ; + rdfs:label "moc czynna"@pl ; + rdfs:label "potencia activa"@es ; + rdfs:label "potenza attiva"@it ; + rdfs:label "potência activa"@pt ; + rdfs:label "puissance active"@fr ; + rdfs:label "القدرة الفعالة"@ar ; + rdfs:label "有功功率"@zh ; + rdfs:label "有効電力"@ja ; + skos:broader quantitykind:Power ; +. +quantitykind:ElectricPropulsionPropellantMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_P" ; + rdfs:isDefinedBy ; + rdfs:label "Electric Propulsion Propellant Mass"@en ; + skos:broader quantitykind:PropellantMass ; +. +quantitykind:ElectricQuadrupoleMoment + a qudt:QuantityKind ; + dcterms:description "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued."^^rdf:HTML ; + qudt:applicableUnit unit:C-M2 ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; + qudt:plainTextDescription "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Momen kuadrupol elektrik"@ms ; + rdfs:label "electric quadrupole moment"@en ; + rdfs:label "elektrik kuadrupol momenti"@tr ; + rdfs:label "elektrisches Quadrupolmoment"@de ; + rdfs:label "elektryczny moment kwadrupolowy"@pl ; + rdfs:label "moment quadrupolaire électrique"@fr ; + rdfs:label "momento de cuadrupolo eléctrico"@es ; + rdfs:label "momento de quadrupolo elétrico"@pt ; + rdfs:label "momento di quadrupolo elettrico"@it ; + rdfs:label "Электрический квадрупольный момент"@ru ; + rdfs:label "گشتاور چهار قطبی الکتریکی"@fa ; + rdfs:label "四極子"@ja ; + rdfs:label "电四极矩"@zh ; +. +quantitykind:ElectricSusceptibility + a qudt:QuantityKind ; + dcterms:description "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:expression "\\(e-susceptibility\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\chi = \\frac{P}{(\\epsilon_0 E)}\\), where \\(P\\) is electric polorization, \\(\\epsilon_0\\) is the electric constant, and \\(E\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor." ; + rdfs:isDefinedBy ; + rdfs:label "electric susceptibility"@en ; + rdfs:label "elektrische Suszeptibilität"@de ; + rdfs:label "podatność elektryczna"@pl ; + rdfs:label "susceptibilidad eléctrica"@es ; + rdfs:label "susceptibilidade eléctrica"@pt ; + rdfs:label "susceptibilité électrique"@fr ; + rdfs:label "susceptywność elektryczna"@pl ; + rdfs:label "suscettività elettrica"@it ; + rdfs:label "диэлектрическая восприимчивость"@ru ; + rdfs:label "электрическая восприимчивость"@ru ; + rdfs:label "المتأثرية الكهربائية، سرعة التأثر الكهربائية"@ar ; + rdfs:label "電気感受率"@ja ; + rdfs:seeAlso quantitykind:ElectricFieldStrength ; + rdfs:seeAlso quantitykind:ElectricPolarization ; +. +quantitykind:ElectricalPowerToMassRatio + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Electrical Power To Mass Ratio"@en ; +. +quantitykind:ElectrolyticConductivity + a qudt:QuantityKind ; + dcterms:description "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity."^^rdf:HTML ; + qudt:applicableUnit unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Conductivity_(electrolytic)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = \\frac{J}{E}\\), where \\(J\\) is the electrolytic current density and \\(E\\) is the electric field strength."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity." ; + qudt:symbol "x" ; + rdfs:isDefinedBy ; + rdfs:label "Electrolytic Conductivity"@en ; +. +quantitykind:ElectromagneticEnergyDensity + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Electromagnetic Energy Density}\\), also known as the \\(\\color{indigo} {\\textit{Volumic Electromagnetic Energy}}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:exactMatch quantitykind:VolumicElectromagneticEnergy ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:symbol "w" ; + rdfs:isDefinedBy ; + rdfs:label "Electromagnetic Energy Density"@en ; + rdfs:seeAlso quantitykind:ElectricFieldStrength ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; + rdfs:seeAlso quantitykind:MagneticFluxDensity ; +. +quantitykind:ElectromagneticPermeability + a qudt:QuantityKind ; + dcterms:description "\"Permeability} is the degree of magnetization of a material that responds linearly to an applied magnetic field. In general permeability is a tensor-valued quantity. The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor. In electromagnetism, permeability is the measure of the ability of a material to support the formation of a magnetic field within itself. In other words, it is the degree of magnetization that a material obtains in response to an applied magnetic field. Magnetic permeability is typically represented by the Greek letter \\(\\mu\\). The term was coined in September, 1885 by Oliver Heaviside. The reciprocal of magnetic permeability is \\textit{Magnetic Reluctivity\"."^^qudt:LatexString ; + qudt:applicableUnit unit:H-PER-M ; + qudt:applicableUnit unit:H_Stat-PER-CentiM ; + qudt:applicableUnit unit:MicroH-PER-M ; + qudt:applicableUnit unit:NanoH-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Permeability ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{B}{H}\\), where \\(B\\) is magnetic flux density, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Permeability"@en ; + rdfs:seeAlso constant:ElectromagneticPermeabilityOfVacuum ; + rdfs:seeAlso constant:MagneticConstant ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; + rdfs:seeAlso quantitykind:MagneticFluxDensity ; +. +quantitykind:ElectromagneticPermeabilityRatio + a qudt:QuantityKind ; + dcterms:description "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space."^^rdf:HTML ; + qudt:applicableUnit unit:PERMEABILITY_EM_REL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:plainTextDescription "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space." ; + qudt:qkdvDenominator qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E-2L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Electromagnetic Permeability Ratio"@en ; +. +quantitykind:ElectromagneticWavePhaseSpeed + a qudt:QuantityKind ; + dcterms:description "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber."^^rdf:HTML ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = w/k\\) where \\(w\\) is angular velocity and \\(k\\) is angular wavenumber."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber." ; + qudt:symbol "c" ; + rdfs:isDefinedBy ; + rdfs:label "Electromagnetic Wave Phase Speed"@en ; +. +quantitykind:ElectromotiveForce + a qudt:QuantityKind ; + dcterms:description "In physics, electromotive force, or most commonly \\(emf\\) (seldom capitalized), or (occasionally) electromotance is that which tends to cause current (actual electrons and ions) to flow. More formally, \\(emf\\) is the external work expended per unit of charge to produce an electric potential difference across two open-circuited terminals. \"Electromotive Force\" is deprecated in the ISO System of Quantities."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electromotive_force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Daya gerak elektrik"@ms ; + rdfs:label "Elektromotor kuvvet"@tr ; + rdfs:label "Elektromotorické napětí"@cs ; + rdfs:label "electromotive force"@en ; + rdfs:label "elektromotorische Kraft"@de ; + rdfs:label "elektromotorna sila"@sl ; + rdfs:label "force électromotrice"@fr ; + rdfs:label "forza elettromotrice"@it ; + rdfs:label "força eletromotriz"@pt ; + rdfs:label "forță electromotoare"@ro ; + rdfs:label "fuerza electromotriz"@es ; + rdfs:label "siła elektromotoryczna"@pl ; + rdfs:label "электродвижущая сила"@ru ; + rdfs:label "قوة محركة كهربائية"@ar ; + rdfs:label "نیروی محرک الکتریکی"@fa ; + rdfs:label "विद्युतवाहक बल"@hi ; + rdfs:label "起電力"@ja ; + rdfs:label "電動勢"@zh ; + skos:broader quantitykind:EnergyPerElectricCharge ; +. +quantitykind:ElectronAffinity + a qudt:QuantityKind ; + dcterms:description "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_affinity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy ; + rdfs:label "Electron Affinity"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:ElectronDensity + a qudt:QuantityKind ; + dcterms:description "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_density"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Electron Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:ElectronMeanFreePath + a qudt:QuantityKind ; + dcterms:description "\"Electron Mean Free Path\" is the mean free path of electrons."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Mean Free Path\" is the mean free path of electrons." ; + qudt:symbol "l_e" ; + rdfs:isDefinedBy ; + rdfs:label "Electron Mean Free Path"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:ElectronRadius + a qudt:QuantityKind ; + dcterms:description "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Classical_electron_radius"^^xsd:anyURI ; + qudt:latexDefinition "\\(r_e = \\frac{e^2}{4\\pi m_e c_0^2}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(m_e\\) is the rest mass of electrons, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron." ; + qudt:symbol "r_e" ; + rdfs:isDefinedBy ; + rdfs:label "Electron Radius"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:EllipticalOrbitApogeeVelocity + a qudt:QuantityKind ; + dcterms:description "Velocity at apogee for an elliptical orbit velocity"^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity" ; + qudt:symbol "V_a" ; + rdfs:isDefinedBy ; + rdfs:label "Elliptical Orbit Apogee Velocity"@en ; + skos:broader quantitykind:VehicleVelocity ; +. +quantitykind:EllipticalOrbitPerigeeVelocity + a qudt:QuantityKind ; + dcterms:description "Velocity at apogee for an elliptical orbit velocity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity." ; + qudt:symbol "V_p" ; + rdfs:isDefinedBy ; + rdfs:label "Elliptical Orbit Perigee Velocity"@en ; + skos:broader quantitykind:VehicleVelocity ; +. +quantitykind:Emissivity + a qudt:QuantityKind ; + dcterms:description "Emissivity of a material (usually written \\(\\varepsilon\\) or e) is the relative ability of its surface to emit energy by radiation."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Emissivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varepsilon = \\frac{M}{M_b}\\), where \\(M\\) is the radiant exitance of a thermal radiator and \\(M_b\\) is the radiant exitance of a blackbody at the same temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Emissivity"@en ; +. +quantitykind:Energy + a qudt:QuantityKind ; + dcterms:description "Energy is the quantity characterizing the ability of a system to do work."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Energy is the quantity characterizing the ability of a system to do work." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Energie"@cs ; + rdfs:label "Energie"@de ; + rdfs:label "Tenaga"@ms ; + rdfs:label "energia , munka , hő"@hu ; + rdfs:label "energia"@es ; + rdfs:label "energia"@it ; + rdfs:label "energia"@la ; + rdfs:label "energia"@pl ; + rdfs:label "energia"@pt ; + rdfs:label "energie"@ro ; + rdfs:label "energija"@sl ; + rdfs:label "energy"@en ; + rdfs:label "enerji"@tr ; + rdfs:label "énergie"@fr ; + rdfs:label "Έργο - Ενέργεια"@el ; + rdfs:label "Енергия"@bg ; + rdfs:label "Энергия"@ru ; + rdfs:label "אנרגיה ועבודה"@he ; + rdfs:label "الطاقة"@ar ; + rdfs:label "انرژی"@fa ; + rdfs:label "ऊर्जा"@hi ; + rdfs:label "エネルギー"@ja ; + rdfs:label "能量"@zh ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:Entropy ; + rdfs:seeAlso quantitykind:GibbsEnergy ; + rdfs:seeAlso quantitykind:HelmholtzEnergy ; + rdfs:seeAlso quantitykind:InternalEnergy ; + rdfs:seeAlso quantitykind:Work ; +. +quantitykind:EnergyDensity + a qudt:QuantityKind ; + dcterms:description "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT3 ; + qudt:applicableUnit unit:BTU_TH-PER-FT3 ; + qudt:applicableUnit unit:ERG-PER-CentiM3 ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:applicableUnit unit:MegaJ-PER-M3 ; + qudt:applicableUnit unit:W-HR-PER-M3 ; + qudt:baseISOUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)" ; + qudt:baseImperialUnitDimensions "\\(ft^{-1} \\cdot lb \\cdot s^{-2}\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)"^^qudt:LatexString ; + qudt:baseUSCustomaryUnitDimensions "\\(L^{-1} \\cdot M \\cdot T^{-2}\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Energy_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Energy_density"^^xsd:anyURI ; + qudt:plainTextDescription "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter." ; + rdfs:isDefinedBy ; + rdfs:label "Energy Density"@en ; +. +quantitykind:EnergyDensityOfStates + a qudt:QuantityKind ; + dcterms:description "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume."^^rdf:HTML ; + qudt:applicableUnit unit:PER-J-M3 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho(E) = n_E(E) = \\frac{dN(E)}{dE}\\frac{1}{V}\\), where \\(N(E)\\) is the total number of states with energy less than \\(E\\), and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume." ; + qudt:symbol "n_E" ; + rdfs:isDefinedBy ; + rdfs:label "Energy Density of States"@en ; +. +quantitykind:EnergyExpenditure + a qudt:QuantityKind ; + dcterms:description """Energy expenditure is dependent on a person's sex, metabolic rate, body-mass composition, the thermic effects of food, and activity level. The approximate energy expenditure of a man lying in bed is \\(1.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For slow walking (just over two miles per hour), \\(3.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For fast steady running (about 10 miles per hour), \\(16.3\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). +Females expend about 10 per cent less energy than males of the same size doing a comparable activity. For people weighing the same, individuals with a high percentage of body fat usually expend less energy than lean people, because fat is not as metabolically active as muscle."""^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001\\).0001/acref-9780198631477-e-594"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Energy Expenditure"@en ; +. +quantitykind:EnergyFluence + a qudt:QuantityKind ; + dcterms:description "\"Energy Fluence\" can be used to describe the energy delivered per unit area"^^rdf:HTML ; + qudt:applicableUnit unit:GigaJ-PER-M2 ; + qudt:applicableUnit unit:J-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\frac{dR}{dA}\\), where \\(dR\\) describes the sum of radiant energies, exclusive of rest energy, of all particles incident on a small spherical domain, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Energy Fluence\" can be used to describe the energy delivered per unit area" ; + rdfs:isDefinedBy ; + rdfs:label "Energy Fluence"@en ; +. +quantitykind:EnergyFluenceRate + a qudt:QuantityKind ; + dcterms:description "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\frac{d\\Psi}{dt}\\), where \\(d\\Psi\\) is the increment of the energy fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time." ; + qudt:symbol "Ψ" ; + rdfs:isDefinedBy ; + rdfs:label "Energy Fluence Rate"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:EnergyImparted + a qudt:QuantityKind ; + dcterms:description "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing radiation in the matter in a given 3D domain, \\(\\varepsilon = \\sum_i \\varepsilon_i\\), where the energy deposit, \\(\\varepsilon_i\\) is the energy deposited in a single interaction \\(i\\), and is given by \\(\\varepsilon_i = \\varepsilon_{in} - \\varepsilon_{out} + Q\\), where \\(\\varepsilon_{in}\\) is the energy of the incident ionizing particle, excluding rest energy, \\(\\varepsilon_{out}\\) is the sum of the energies of all ionizing particles leaving the interaction, excluding rest energy, and \\(Q\\) is the change in the rest energies of the nucleus and of all particles involved in the interaction."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume." ; + qudt:symbol "ε" ; + rdfs:isDefinedBy ; + rdfs:label "Energy Imparted"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:EnergyInternal + a qudt:QuantityKind ; + dcterms:description "The internal energy is the total energy contained by a thermodynamic system. It is the energy needed to create the system, but excludes the energy to displace the system's surroundings, any energy associated with a move as a whole, or due to external force fields. Internal energy has two major components, kinetic energy and potential energy. The internal energy (U) is the sum of all forms of energy (Ei) intrinsic to a thermodynamic system: \\( U = \\sum_i E_i \\)"^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; + qudt:exactMatch quantitykind:InternalEnergy ; + qudt:exactMatch quantitykind:ThermodynamicEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_energy"^^xsd:anyURI ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Notranja energija"@sl ; + rdfs:label "Tenaga dalaman"@ms ; + rdfs:label "energia interna"@it ; + rdfs:label "energia interna"@pt ; + rdfs:label "energia termodinamica"@it ; + rdfs:label "energia wewnętrzna"@pl ; + rdfs:label "energie internă"@ro ; + rdfs:label "energía interna"@es ; + rdfs:label "innere Energie"@de ; + rdfs:label "internal energy"@en ; + rdfs:label "tenaga termodinamik"@ms ; + rdfs:label "thermodynamic energy"@en ; + rdfs:label "thermodynamische Energie"@de ; + rdfs:label "vnitřní energie"@cs ; + rdfs:label "énergie interne"@fr ; + rdfs:label "énergie thermodynamique"@fr ; + rdfs:label "İç enerji"@tr ; + rdfs:label "внутренняя энергия"@ru ; + rdfs:label "انرژی درونی"@fa ; + rdfs:label "طاقة داخلية"@ar ; + rdfs:label "आन्तरिक ऊर्जा"@hi ; + rdfs:label "内能"@zh ; + rdfs:label "内部エネルギー"@ja ; + skos:broader quantitykind:Energy ; +. +quantitykind:EnergyKinetic + a qudt:QuantityKind ; + dcterms:description "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; + qudt:plainTextDescription "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity." ; + rdfs:isDefinedBy ; + rdfs:label "Energie cinetică"@ro ; + rdfs:label "Kinetik enerji"@tr ; + rdfs:label "Tenaga kinetik"@ms ; + rdfs:label "energia cinetica"@it ; + rdfs:label "energia cinética"@pt ; + rdfs:label "energia kinetyczna"@pl ; + rdfs:label "energía cinética"@es ; + rdfs:label "kinetic energy"@en ; + rdfs:label "kinetická energie"@cs ; + rdfs:label "kinetische Energie"@de ; + rdfs:label "énergie cinétique"@fr ; + rdfs:label "кинетическая энергия"@ru ; + rdfs:label "انرژی جنبشی"@fa ; + rdfs:label "طاقة حركية"@ar ; + rdfs:label "गतिज ऊर्जा"@hi ; + rdfs:label "动能"@zh ; + rdfs:label "運動エネルギー"@ja ; + skos:broader quantitykind:Energy ; +. +quantitykind:EnergyLevel + a qudt:QuantityKind ; + dcterms:description "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Energy Level"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:EnergyPerArea + a qudt:QuantityKind ; + dcterms:description "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-M2 ; + qudt:applicableUnit unit:GigaJ-PER-M2 ; + qudt:applicableUnit unit:J-PER-CentiM2 ; + qudt:applicableUnit unit:J-PER-M2 ; + qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM-PER-SEC2 ; + qudt:applicableUnit unit:KiloW-HR-PER-M2 ; + qudt:applicableUnit unit:MegaJ-PER-M2 ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:applicableUnit unit:W-HR-PER-M2 ; + qudt:applicableUnit unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://www.calculator.org/property.aspx?name=energy%20per%20unit%20area"^^xsd:anyURI ; + qudt:plainTextDescription "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.." ; + rdfs:isDefinedBy ; + rdfs:label "Energy per Area"@en ; +. +quantitykind:EnergyPerAreaElectricCharge + a qudt:QuantityKind ; + dcterms:description "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; + qudt:plainTextDescription "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area." ; + rdfs:isDefinedBy ; + rdfs:label "Energy Per Area Electric Charge"@en ; +. +quantitykind:EnergyPerElectricCharge + a qudt:QuantityKind ; + dcterms:description "Voltage is a representation of the electric potential energy per unit charge. If a unit of electrical charge were placed in a location, the voltage indicates the potential energy of it at that point. In other words, it is a measurement of the energy contained within an electric field, or an electric circuit, at a given point. Voltage is a scalar quantity. The SI unit of voltage is the volt, such that \\(1 volt = 1 joule/coulomb\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential ; + qudt:exactMatch quantitykind:ElectricPotentialDifference ; + qudt:exactMatch quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://physics.about.com/od/glossary/g/voltage.htm"^^xsd:anyURI ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Energy per electric charge"@en ; +. +quantitykind:EnergyPerMagneticFluxDensity_Squared + a qudt:QuantityKind ; + dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T2 ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; + rdfs:isDefinedBy ; + rdfs:label "Energy Per Square Magnetic Flux Density"@en ; +. +quantitykind:EnergyPerMassAmountOfSubstance + a qudt:QuantityKind ; + qudt:applicableUnit unit:BTU_IT-PER-LB-MOL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Energy and work per mass amount of substance"@en ; +. +quantitykind:EnergyPerSquareMagneticFluxDensity + a qudt:QuantityKind ; + dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:EnergyPerMagneticFluxDensity_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; + rdfs:isDefinedBy ; + rdfs:label "Energy Per Square Magnetic Flux Density"@en ; +. +quantitykind:EnergyPerTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:KiloJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Energy per temperature"@en ; +. +quantitykind:Energy_Squared + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Square Energy"@en ; +. +quantitykind:Enthalpy + a qudt:QuantityKind ; + dcterms:description "In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy \\(U\\) and the product of pressure \\(p\\) and volume \\(V\\) of a system. The characteristic function (also known as thermodynamic potential) \\(\\textit{enthalpy}\\) used to be called \\(\\textit{heat content}\\), which is why it is conventionally indicated by \\(H\\). The specific enthalpy of a working mass is a property of that mass used in thermodynamics, defined as \\(h=u+p \\cdot v\\), where \\(u\\) is the specific internal energy, \\(p\\) is the pressure, and \\(v\\) is specific volume. In other words, \\(h = H / m\\) where \\(m\\) is the mass of the system. The SI unit for \\(\\textit{Specific Enthalpy}\\) is \\(\\textit{joules per kilogram}\\)"^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Enthalpy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = U + pV\\), where \\(U\\) is internal energy, \\(p\\) is pressure and \\(V\\) is volume."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + rdfs:label "Entalpi"@ms ; + rdfs:label "Entalpi"@tr ; + rdfs:label "Entalpie"@ro ; + rdfs:label "Enthalpie"@de ; + rdfs:label "entalpia"@it ; + rdfs:label "entalpia"@pl ; + rdfs:label "entalpia"@pt ; + rdfs:label "entalpie"@cs ; + rdfs:label "entalpija"@sl ; + rdfs:label "entalpía"@es ; + rdfs:label "enthalpie"@fr ; + rdfs:label "enthalpy"@en ; + rdfs:label "энтальпия"@ru ; + rdfs:label "آنتالپی"@fa ; + rdfs:label "محتوى حراري"@ar ; + rdfs:label "पूर्ण ऊष्मा"@hi ; + rdfs:label "エンタルピー"@ja ; + rdfs:label "焓"@zh ; + rdfs:seeAlso quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy ; +. +quantitykind:Entropy + a qudt:QuantityKind ; + dcterms:description "When a small amount of heat \\(dQ\\) is received by a system whose thermodynamic temperature is \\(T\\), the entropy of the system increases by \\(dQ/T\\), provided that no irreversible change takes place in the system."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Entropi"@ms ; + rdfs:label "Entropie"@de ; + rdfs:label "entropi"@tr ; + rdfs:label "entropia"@it ; + rdfs:label "entropia"@pl ; + rdfs:label "entropia"@pt ; + rdfs:label "entropie"@cs ; + rdfs:label "entropie"@fr ; + rdfs:label "entropie"@ro ; + rdfs:label "entropija"@sl ; + rdfs:label "entropy"@en ; + rdfs:label "entropía"@es ; + rdfs:label "Энтропия"@ru ; + rdfs:label "آنتروپی"@fa ; + rdfs:label "إنتروبيا"@ar ; + rdfs:label "एन्ट्रॉपी"@hi ; + rdfs:label "エントロピー"@ja ; + rdfs:label "熵"@zh ; +. +quantitykind:EquilibriumConstant + a qudt:QuantityKind ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K^\\Theta = \\Pi_B(\\lambda_B^\\Theta)^{-\\nu_B}\\), where \\(\\Pi_B\\) denotes the product for all substances \\(B\\), \\(\\lambda_B^\\Theta\\) is the standard absolute activity of substance \\(B\\), and \\(\\nu_B\\) is the stoichiometric number of the substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(K^\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + rdfs:isDefinedBy ; + rdfs:label "Equilibrium Constant"@en ; + rdfs:seeAlso quantitykind:EquilibriumConstantOnConcentrationBasis ; + rdfs:seeAlso quantitykind:EquilibriumConstantOnPressureBasis ; +. +quantitykind:EquilibriumConstantOnConcentrationBasis + a qudt:QuantityKind ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_c = \\Pi_B(c_B)^{-\\nu_B}\\), for solutions"^^qudt:LatexString ; + qudt:latexSymbol "\\(K_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:comment "The unit is unit:MOL-PER-M3 raised to the N where N is the summation of stoichiometric numbers. I don't know what to do with this." ; + rdfs:isDefinedBy ; + rdfs:label "Equilibrium Constant on Concentration Basis"@en ; + skos:broader quantitykind:EquilibriumConstant ; +. +quantitykind:EquilibriumConstantOnPressureBasis + a qudt:QuantityKind ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_p = \\Pi_B(p_B)^{-\\nu_B}\\), for gases"^^qudt:LatexString ; + qudt:latexSymbol "\\(K_p\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + qudt:qkdvDenominator qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L-2I0M1H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Equilibrium Constant on Pressure Basis"@en ; + skos:broader quantitykind:EquilibriumConstant ; +. +quantitykind:EquilibriumPositionVectorOfIon + a qudt:QuantityKind ; + dcterms:description "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium." ; + qudt:symbol "R_0" ; + rdfs:isDefinedBy ; + rdfs:label "Equilibrium Position Vector of Ion"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:EquivalentAbsorptionArea + a qudt:QuantityKind ; + dcterms:description "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power."^^rdf:HTML ; + qudt:abbreviation "m2" ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.rockfon.co.uk/acoustics/comparing+ceilings/sound+absorption/equivalent+absorption+area"^^xsd:anyURI ; + qudt:plainTextDescription "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power." ; + qudt:symbol "A" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Equivalent absorption area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:EvaporativeHeatTransfer + a qudt:QuantityKind ; + dcterms:description "\"Evaporative Heat Transfer\" is "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_e\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Evaporative Heat Transfer\" is " ; + rdfs:isDefinedBy ; + rdfs:label "Evaporative Heat Transfer"@en ; +. +quantitykind:EvaporativeHeatTransferCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area." ; + qudt:symbol "h_e" ; + rdfs:isDefinedBy ; + rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; +. +quantitykind:ExchangeIntegral + a qudt:QuantityKind ; + dcterms:description "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exchange_interaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions." ; + qudt:symbol "K" ; + rdfs:isDefinedBy ; + rdfs:label "Exchange Integral"@en ; +. +quantitykind:ExhaustGasMeanMolecularWeight + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Exhaust Gas Mean Molecular Weight"@en ; +. +quantitykind:ExhaustGasesSpecificHeat + a qudt:QuantityKind ; + dcterms:description "Specific heat of exhaust gases at constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_R ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_R ; + qudt:applicableUnit unit:BTU_TH-PER-LB-DEG_F ; + qudt:applicableUnit unit:CAL_IT-PER-GM-DEG_C ; + qudt:applicableUnit unit:CAL_IT-PER-GM-K ; + qudt:applicableUnit unit:CAL_TH-PER-GM-DEG_C ; + qudt:applicableUnit unit:CAL_TH-PER-GM-K ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:applicableUnit unit:KiloCAL-PER-GM-DEG_C ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat of exhaust gases at constant pressure." ; + qudt:symbol "c_p" ; + rdfs:isDefinedBy ; + rdfs:label "Exhaust Gases Specific Heat"@en ; + skos:broader quantitykind:SpecificHeatCapacity ; +. +quantitykind:ExhaustStreamPower + a qudt:QuantityKind ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Exhaust Stream Power"@en ; + skos:broader quantitykind:Power ; +. +quantitykind:ExitPlaneCrossSectionalArea + a qudt:QuantityKind ; + dcterms:description "Cross-sectional area at exit plane of nozzle"^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Cross-sectional area at exit plane of nozzle" ; + qudt:symbol "A_{e}" ; + rdfs:isDefinedBy ; + rdfs:label "Exit Plane Cross-sectional Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:ExitPlanePressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p_{e}" ; + rdfs:isDefinedBy ; + rdfs:label "Exit Plane Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:ExitPlaneTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:symbol "T_e" ; + rdfs:isDefinedBy ; + rdfs:label "Exit Plane Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:ExpansionRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:applicableUnit unit:PPM-PER-K ; + qudt:applicableUnit unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Expansion Ratio"@en ; +. +quantitykind:Exposure + a qudt:QuantityKind ; + dcterms:description "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2-PER-J-SEC ; + qudt:applicableUnit unit:C-PER-KiloGM ; + qudt:applicableUnit unit:HZ-PER-T ; + qudt:applicableUnit unit:KiloR ; + qudt:applicableUnit unit:MegaHZ-PER-T ; + qudt:applicableUnit unit:MilliC-PER-KiloGM ; + qudt:applicableUnit unit:MilliR ; + qudt:applicableUnit unit:PER-T-SEC ; + qudt:applicableUnit unit:R ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exposure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exposure_%28photography%29"^^xsd:anyURI ; + qudt:informativeReference "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For X-or gamma radiation, \\(X = \\frac{dQ}{dm}\\), where \\(dQ\\) is the absolute value of the mean total electric charge of the ions of the same sign produced in dry air when all the electrons and positrons liberated or created by photons in an element of air are completely stopped in air, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + rdfs:label "Exposure"@en ; + skos:broader quantitykind:ElectricChargePerMass ; +. +quantitykind:ExposureRate + a qudt:QuantityKind ; + dcterms:description "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-KiloGM-SEC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:informativeReference "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{X} = \\frac{dX}{dt}\\), where \\(X\\) is the increment of exposure during time interval with duration \\(t\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{X}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)." ; + rdfs:isDefinedBy ; + rdfs:label "Exposure Rate"@en ; +. +quantitykind:ExtentOfReaction + a qudt:QuantityKind ; + dcterms:description "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL ; + qudt:applicableUnit unit:FemtoMOL ; + qudt:applicableUnit unit:MOL ; + qudt:applicableUnit unit:NanoMOL ; + qudt:applicableUnit unit:PicoMOL ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Extent_of_reaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(dn_B = \\nu_B d\\xi\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(\\nu_B\\) is the stoichiometric number of substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds." ; + rdfs:isDefinedBy ; + rdfs:label "Extent of Reaction"@en ; +. +quantitykind:FLIGHT-PERFORMANCE-RESERVE-PROPELLANT-MASS + a qudt:QuantityKind ; + dcterms:description "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading." ; + rdfs:isDefinedBy ; + rdfs:label "Flight Performance Reserve Propellant Mass"@en ; + skos:altLabel "FPR" ; + skos:broader quantitykind:Mass ; +. +quantitykind:FUEL-BIAS + a qudt:QuantityKind ; + dcterms:description "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage." ; + rdfs:isDefinedBy ; + rdfs:label "Fuel Bias"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:FastFissionFactor + a qudt:QuantityKind ; + dcterms:description "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only." ; + rdfs:isDefinedBy ; + rdfs:label "Fast Fission Factor"@en ; +. +quantitykind:FermiAngularWavenumber + a qudt:QuantityKind ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heavy_fermion"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "k_F" ; + rdfs:isDefinedBy ; + rdfs:label "Fermi Angular Wavenumber"@en ; + skos:broader quantitykind:InverseLength ; +. +quantitykind:FermiEnergy + a qudt:QuantityKind ; + dcterms:description "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature." ; + qudt:symbol "E_F" ; + rdfs:isDefinedBy ; + rdfs:label "Fermi Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:FermiTemperature + a qudt:QuantityKind ; + dcterms:description "\"Fermi Temperature\" is the temperature associated with the Fermi energy."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(T_F = \\frac{E_F}{k}\\), where \\(E_F\\) is the Fermi energy and \\(k\\) is the Boltzmann constant."^^qudt:LatexString ; + qudt:plainTextDescription "\"Fermi Temperature\" is the temperature associated with the Fermi energy." ; + qudt:symbol "T_F" ; + rdfs:isDefinedBy ; + rdfs:label "Fermi Temperature"@en ; +. +quantitykind:FinalOrCurrentVehicleMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Final Or Current Vehicle Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:FirstMomentOfArea + a qudt:QuantityKind ; + dcterms:description "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT ; + qudt:applicableUnit unit:ANGSTROM3 ; + qudt:applicableUnit unit:BBL ; + qudt:applicableUnit unit:BBL_UK_PET ; + qudt:applicableUnit unit:BBL_US ; + qudt:applicableUnit unit:CentiM3 ; + qudt:applicableUnit unit:DecaL ; + qudt:applicableUnit unit:DecaM3 ; + qudt:applicableUnit unit:DeciL ; + qudt:applicableUnit unit:DeciM3 ; + qudt:applicableUnit unit:FBM ; + qudt:applicableUnit unit:FT3 ; + qudt:applicableUnit unit:FemtoL ; + qudt:applicableUnit unit:GI_UK ; + qudt:applicableUnit unit:GI_US ; + qudt:applicableUnit unit:GT ; + qudt:applicableUnit unit:HectoL ; + qudt:applicableUnit unit:IN3 ; + qudt:applicableUnit unit:Kilo-FT3 ; + qudt:applicableUnit unit:KiloL ; + qudt:applicableUnit unit:L ; + qudt:applicableUnit unit:M3 ; + qudt:applicableUnit unit:MI3 ; + qudt:applicableUnit unit:MegaL ; + qudt:applicableUnit unit:MicroL ; + qudt:applicableUnit unit:MicroM3 ; + qudt:applicableUnit unit:MilliL ; + qudt:applicableUnit unit:MilliM3 ; + qudt:applicableUnit unit:NanoL ; + qudt:applicableUnit unit:OZ_VOL_UK ; + qudt:applicableUnit unit:PINT ; + qudt:applicableUnit unit:PINT_UK ; + qudt:applicableUnit unit:PK_UK ; + qudt:applicableUnit unit:PicoL ; + qudt:applicableUnit unit:PlanckVolume ; + qudt:applicableUnit unit:QT_UK ; + qudt:applicableUnit unit:QT_US ; + qudt:applicableUnit unit:RT ; + qudt:applicableUnit unit:STR ; + qudt:applicableUnit unit:Standard ; + qudt:applicableUnit unit:TBSP ; + qudt:applicableUnit unit:TON_SHIPPING_US ; + qudt:applicableUnit unit:TSP ; + qudt:applicableUnit unit:YD3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis." ; + rdfs:isDefinedBy ; + rdfs:label "First Moment of Area"@en ; + skos:broader quantitykind:Volume ; +. +quantitykind:FirstStageMassRatio + a qudt:QuantityKind ; + dcterms:description "Mass ratio for the first stage of a multistage launcher."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; + qudt:applicableUnit unit:GM-PER-GM ; + qudt:applicableUnit unit:GM-PER-KiloGM ; + qudt:applicableUnit unit:KiloGM-PER-KiloGM ; + qudt:applicableUnit unit:MicroGM-PER-GM ; + qudt:applicableUnit unit:MicroGM-PER-KiloGM ; + qudt:applicableUnit unit:MilliGM-PER-GM ; + qudt:applicableUnit unit:MilliGM-PER-KiloGM ; + qudt:applicableUnit unit:NanoGM-PER-KiloGM ; + qudt:applicableUnit unit:PicoGM-PER-GM ; + qudt:applicableUnit unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Mass ratio for the first stage of a multistage launcher." ; + qudt:symbol "R_1" ; + rdfs:isDefinedBy ; + rdfs:label "First Stage Mass Ratio"@en ; + skos:broader quantitykind:MassRatio ; +. +quantitykind:FishBiotransformationHalfLife + a qudt:QuantityKind ; + dcterms:description "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions."^^rdf:HTML ; + qudt:applicableUnit unit:DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions." ; + rdfs:isDefinedBy ; + rdfs:label "Fish Biotransformation Half Life"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:FissionCoreRadiusToHeightRatio + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "R/H" ; + rdfs:isDefinedBy ; + rdfs:label "Fission Core Radius To Height Ratio"@en ; +. +quantitykind:FissionFuelUtilizationFactor + a qudt:QuantityKind ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Fission Fuel Utilization Factor"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:FissionMultiplicationFactor + a qudt:QuantityKind ; + dcterms:description "The number of fission neutrons produced per absorption in the fuel."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The number of fission neutrons produced per absorption in the fuel." ; + rdfs:isDefinedBy ; + rdfs:label "Fission Multiplication Factor"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:FlashPoint + a qudt:QuantityKind ; + dcterms:description "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels." ; + rdfs:isDefinedBy ; + rdfs:label "Flash Point Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:FlightPathAngle + a qudt:QuantityKind ; + dcterms:description "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle." ; + rdfs:isDefinedBy ; + rdfs:label "Flight Path Angle"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:Flux + a qudt:QuantityKind ; + dcterms:description "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-M2-DAY ; + qudt:applicableUnit unit:PER-M2-SEC ; + qudt:applicableUnit unit:PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Flux"^^xsd:anyURI ; + qudt:plainTextDescription "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]" ; + rdfs:isDefinedBy ; + rdfs:label "Flux"@en ; +. +quantitykind:Force + a qudt:QuantityKind ; + dcterms:description "\"Force\" is an influence that causes mass to accelerate. It may be experienced as a lift, a push, or a pull. Force is defined by Newton's Second Law as \\(F = m \\times a \\), where \\(F\\) is force, \\(m\\) is mass and \\(a\\) is acceleration. Net force is mathematically equal to the time rate of change of the momentum of the body on which it acts. Since momentum is a vector quantity (has both a magnitude and direction), force also is a vector quantity."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Force"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(F = \\frac{dp}{dt}\\), where \\(F\\) is the resultant force acting on a body, \\(p\\) is momentum of a body, and \\(t\\) is time."^^qudt:LatexString ; + qudt:symbol "F" ; + rdfs:isDefinedBy ; + rdfs:label "Daya"@ms ; + rdfs:label "Kraft"@de ; + rdfs:label "Síla"@cs ; + rdfs:label "erő"@hu ; + rdfs:label "force"@en ; + rdfs:label "force"@fr ; + rdfs:label "forza"@it ; + rdfs:label "força"@pt ; + rdfs:label "forță"@ro ; + rdfs:label "fuerza"@es ; + rdfs:label "kuvvet"@tr ; + rdfs:label "sila"@sl ; + rdfs:label "siła"@pl ; + rdfs:label "vis"@la ; + rdfs:label "Δύναμη"@el ; + rdfs:label "Сила"@ru ; + rdfs:label "сила"@bg ; + rdfs:label "כוח"@he ; + rdfs:label "نیرو"@fa ; + rdfs:label "وحدة القوة في نظام متر كيلوغرام ثانية"@ar ; + rdfs:label "बल"@hi ; + rdfs:label "भार"@hi ; + rdfs:label "力"@ja ; + rdfs:label "力"@zh ; +. +quantitykind:ForceMagnitude + a qudt:QuantityKind ; + dcterms:description "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://wiki.answers.com/Q/What_is_magnitude_of_force"^^xsd:anyURI ; + qudt:plainTextDescription "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts." ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Force Magnitude"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:ForcePerAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Force per Angle"@en ; +. +quantitykind:ForcePerArea + a qudt:QuantityKind ; + dcterms:description "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)"^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; + qudt:informativeReference "http://www.thefreedictionary.com/force+per+unit+area"^^xsd:anyURI ; + qudt:plainTextDescription "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)" ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Force Per Area"@en ; +. +quantitykind:ForcePerAreaTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:DeciBAR-PER-YR ; + qudt:applicableUnit unit:HectoPA-PER-HR ; + qudt:applicableUnit unit:LB_F-PER-IN2-SEC ; + qudt:applicableUnit unit:PA-PER-HR ; + qudt:applicableUnit unit:PA-PER-MIN ; + qudt:applicableUnit unit:PA-PER-SEC ; + qudt:applicableUnit unit:W-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Force Per Area Time"@en ; +. +quantitykind:ForcePerElectricCharge + a qudt:QuantityKind ; + dcterms:description "The electric field depicts the force exerted on other electrically charged objects by the electrically charged particle the field is surrounding. The electric field is a vector field with SI units of newtons per coulomb (\\(N C^{-1}\\)) or, equivalently, volts per metre (\\(V m^{-1}\\) ). The SI base units of the electric field are \\(kg m s^{-3} A^{-1}\\). The strength or magnitude of the field at a given point is defined as the force that would be exerted on a positive test charge of 1 coulomb placed at that point"^^qudt:LatexString ; + qudt:applicableUnit unit:N-PER-C ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Force per Electric Charge"@en ; +. +quantitykind:ForcePerLength + a qudt:QuantityKind ; + qudt:applicableUnit unit:DYN-PER-CentiM ; + qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-IN ; + qudt:applicableUnit unit:MilliN-PER-M ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:N-PER-CentiM ; + qudt:applicableUnit unit:N-PER-M ; + qudt:applicableUnit unit:N-PER-MilliM ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Force per Length"@en ; +. +quantitykind:Frequency + a qudt:QuantityKind ; + dcterms:description "\"Frequency\" is the number of occurrences of a repeating event per unit time. The repetition of the events may be periodic (that is. the length of time between event repetitions is fixed) or aperiodic (i.e. the length of time between event repetitions varies). Therefore, we distinguish between periodic and aperiodic frequencies. In the SI system, periodic frequency is measured in hertz (Hz) or multiples of hertz, while aperiodic frequency is measured in becquerel (Bq). In spectroscopy, \\(\\nu\\) is mostly used. Light passing through different media keeps its frequency, but not its wavelength or wavenumber."^^qudt:LatexString ; + qudt:applicableUnit unit:GigaHZ ; + qudt:applicableUnit unit:HZ ; + qudt:applicableUnit unit:KiloHZ ; + qudt:applicableUnit unit:MegaHZ ; + qudt:applicableUnit unit:NUM-PER-HR ; + qudt:applicableUnit unit:NUM-PER-SEC ; + qudt:applicableUnit unit:NUM-PER-YR ; + qudt:applicableUnit unit:PER-DAY ; + qudt:applicableUnit unit:PER-HR ; + qudt:applicableUnit unit:PER-MIN ; + qudt:applicableUnit unit:PER-MO ; + qudt:applicableUnit unit:PER-MilliSEC ; + qudt:applicableUnit unit:PER-SEC ; + qudt:applicableUnit unit:PER-WK ; + qudt:applicableUnit unit:PER-YR ; + qudt:applicableUnit unit:PERCENT-PER-DAY ; + qudt:applicableUnit unit:PERCENT-PER-HR ; + qudt:applicableUnit unit:PERCENT-PER-WK ; + qudt:applicableUnit unit:PlanckFrequency ; + qudt:applicableUnit unit:SAMPLE-PER-SEC ; + qudt:applicableUnit unit:TeraHZ ; + qudt:applicableUnit unit:failures-in-time ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:latexDefinition """\\(f = 1/T\\), where \\(T\\) is a period. + +Alternatively, + +\\(\\nu = 1/T\\)"""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\nu, f\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Frekuensi"@ms ; + rdfs:label "Frekvence"@cs ; + rdfs:label "Frequenz"@de ; + rdfs:label "częstotliwość"@pl ; + rdfs:label "frecuencia"@es ; + rdfs:label "frecvență"@ro ; + rdfs:label "frekans"@tr ; + rdfs:label "frekvenca"@sl ; + rdfs:label "frekvencia"@hu ; + rdfs:label "frequency"@en ; + rdfs:label "frequentia"@la ; + rdfs:label "frequenza"@it ; + rdfs:label "frequência"@pt ; + rdfs:label "fréquence"@fr ; + rdfs:label "Συχνότητα"@el ; + rdfs:label "Частота"@ru ; + rdfs:label "Честота"@bg ; + rdfs:label "תדירות"@he ; + rdfs:label "التردد لدى نظام الوحدات الدولي"@ar ; + rdfs:label "بسامد"@fa ; + rdfs:label "आवृत्ति"@hi ; + rdfs:label "周波数"@ja ; + rdfs:label "频率"@zh ; + skos:broader quantitykind:InverseTime ; +. +quantitykind:Friction + a qudt:QuantityKind ; + dcterms:description "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:informativeReference "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; + qudt:plainTextDescription "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy." ; + rdfs:isDefinedBy ; + rdfs:label "Friction"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:FrictionCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together"^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:informativeReference "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together" ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Friction Coefficient"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:Fugacity + a qudt:QuantityKind ; + dcterms:description "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas."^^rdf:HTML ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fugacity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tilde{p}_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas." ; + rdfs:isDefinedBy ; + rdfs:label "Fugasiti"@ms ; + rdfs:label "Fugazität"@de ; + rdfs:label "Lotność"@pl ; + rdfs:label "fugacidad"@es ; + rdfs:label "fugacidade"@pt ; + rdfs:label "fugacita"@cs ; + rdfs:label "fugacitate"@ro ; + rdfs:label "fugacity"@en ; + rdfs:label "fugacità"@it ; + rdfs:label "fugacité"@fr ; + rdfs:label "fügasite"@tr ; + rdfs:label "انفلاتية"@ar ; + rdfs:label "بی‌دوامی"@fa ; + rdfs:label "フガシティー"@ja ; + rdfs:label "逸度"@zh ; +. +quantitykind:FundamentalLatticeVector + a qudt:QuantityKind ; + dcterms:description "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice." ; + qudt:symbol "a_1, a_2, a_3" ; + rdfs:isDefinedBy ; + rdfs:label "Fundamental Lattice vector"@en ; + skos:broader quantitykind:LatticeVector ; +. +quantitykind:FundamentalReciprocalLatticeVector + a qudt:QuantityKind ; + dcterms:description "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_lattice"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice." ; + qudt:symbol "b_1, b_2, b_3" ; + rdfs:isDefinedBy ; + rdfs:label "Fundamental Reciprocal Lattice Vector"@en ; + skos:broader quantitykind:AngularReciprocalLatticeVector ; +. +quantitykind:GFactorOfNucleus + a qudt:QuantityKind ; + dcterms:description "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = \\frac{\\mu}{I\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(I\\) is the nuclear angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; + qudt:plainTextDescription "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "g-Factor of Nucleus"@en ; +. +quantitykind:GROSS-LIFT-OFF-WEIGHT + a qudt:QuantityKind ; + dcterms:description "The sum of a rocket's inert mass and usable fluids and gases at sea level."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maximum_Takeoff_Weight"^^xsd:anyURI ; + qudt:plainTextDescription "The sum of a rocket's inert mass and usable fluids and gases at sea level." ; + rdfs:isDefinedBy ; + rdfs:label "Gross Lift-Off Weight"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:Gain + a qudt:QuantityKind ; + dcterms:description "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gain"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Gain"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:GapEnergy + a qudt:QuantityKind ; + dcterms:description "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Band_gap"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist." ; + qudt:symbol "E_g" ; + rdfs:isDefinedBy ; + rdfs:label "Gap Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:GeneFamilyAbundance + a qudt:QuantityKind ; + dcterms:description "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length."^^rdf:HTML ; + qudt:applicableUnit unit:RPK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://learn.gencore.bio.nyu.edu/"^^xsd:anyURI ; + qudt:plainTextDescription "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Gene Family Abundance"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:GeneralizedCoordinate + a qudt:QuantityKind ; + dcterms:description "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_i\\), where \\(q_i\\) is one of the coordinates that is used to describe the position of the system under consideration, and \\(N\\) is the lowest number of coordinates necessary to fully define the position of the system."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration." ; + qudt:symbol "q_i" ; + rdfs:isDefinedBy ; + rdfs:label "Generalized Coordinate"@en ; +. +quantitykind:GeneralizedForce + a qudt:QuantityKind ; + dcterms:description "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_forces"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta A = \\sum Q_i\\delta q_i\\), where \\(A\\) is work and \\(q_i\\) is a generalized coordinate."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates." ; + qudt:symbol "Q_i" ; + rdfs:isDefinedBy ; + rdfs:label "Generalized Force"@en ; +. +quantitykind:GeneralizedMomentum + a qudt:QuantityKind ; + dcterms:description "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(p_i = \\frac{\\partial L}{\\partial \\dot{q_i}}\\), where \\(L\\) is the Langrange function and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum." ; + qudt:symbol "p_i" ; + rdfs:isDefinedBy ; + rdfs:label "Generalized Force"@en ; +. +quantitykind:GeneralizedVelocity + a qudt:QuantityKind ; + dcterms:description "Generalized Velocities are the time derivatives of the generalized coordinates of the system."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{q_i} = \\frac{dq_i}{dt}\\), where \\(q_i\\) is the generalized coordinate and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{q_i}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Velocities are the time derivatives of the generalized coordinates of the system." ; + rdfs:isDefinedBy ; + rdfs:label "Generalized Velocity"@en ; +. +quantitykind:GibbsEnergy + a qudt:QuantityKind ; + dcterms:description "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = H - T \\cdot S\\), where \\(H\\) is enthalpy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:plainTextDescription "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Energía de Gibbs"@es ; + rdfs:label "Entalpie liberă"@ro ; + rdfs:label "Gibbs Serbest Enerjisi"@tr ; + rdfs:label "Gibbs energy"@en ; + rdfs:label "Gibbs function"@en ; + rdfs:label "Gibbs-Energie"@de ; + rdfs:label "Gibbs-Funktion"@de ; + rdfs:label "Gibbsova volná energie"@cs ; + rdfs:label "Prosta entalpija"@sl ; + rdfs:label "Tenaga Gibbs"@ms ; + rdfs:label "energia libera di Gibbs"@it ; + rdfs:label "energia livre de Gibbs"@pt ; + rdfs:label "entalpia swobodna"@pl ; + rdfs:label "enthalpie libre"@fr ; + rdfs:label "freie Enthalpie"@de ; + rdfs:label "fungsi Gibbs"@ms ; + rdfs:label "энергия Гиббса"@ru ; + rdfs:label "انرژی آزاد گیبس"@fa ; + rdfs:label "طاقة غيبس الحرة"@ar ; + rdfs:label "ギブズエネルギー"@ja ; + rdfs:label "吉布斯自由能"@zh ; + rdfs:seeAlso quantitykind:Energy ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:HelmholtzEnergy ; + rdfs:seeAlso quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy ; +. +quantitykind:GrandCanonicalPartitionFunction + a qudt:QuantityKind ; + dcterms:description "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Xi = \\sum_{N_A, N_B, ...} Z(N_A, N_B, ...) \\cdot \\lambda_A^{N_A} \\cdot \\lambda_B^{N_B} \\cdot ...\\), where \\(Z(N_A, N_B, ...)\\) is the canonical partition function for the given number of particles \\(A, B, ...,\\), and \\(\\lambda_A, \\lambda_B, ...\\) are the absolute activities of particles \\(A, B, ...\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential." ; + rdfs:isDefinedBy ; + rdfs:label "Grand Canonical Partition Function"@en ; + skos:broader quantitykind:CanonicalPartitionFunction ; +. +quantitykind:GravitationalAttraction + a qudt:QuantityKind ; + dcterms:description "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.thefreedictionary.com/gravitational+attraction"^^xsd:anyURI ; + qudt:plainTextDescription "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Gravitational Attraction"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:Gravity_API + a qudt:QuantityKind ; + dcterms:description """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. + +API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; + qudt:applicableUnit unit:DEGREE_API ; + qudt:baseSIUnitDimensions "\\(qkdv:A0E0L0I0M0H0T0D1\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/API_gravity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. + +API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; + qudt:qkdvDenominator qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L-3I0M1H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "API Gravity"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:GroupSpeedOfSound + a qudt:QuantityKind ; + dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_g = \\frac{d\\omega}{dk}\\), where \\(\\omega\\) is the angular frequency and \\(k\\) is angular wavenumber."^^qudt:LatexString ; + qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Group Speed of Sound"@en ; + skos:broader quantitykind:SpeedOfSound ; +. +quantitykind:GrowingDegreeDay_Cereal + a qudt:QuantityKind ; + dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C_GROWING_CEREAL-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; + rdfs:isDefinedBy ; + rdfs:label "Growing Degree Days (Cereals)" ; + skos:broader quantitykind:TimeTemperature ; +. +quantitykind:GruneisenParameter + a qudt:QuantityKind ; + dcterms:description "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grüneisen_parameter"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{\\alpha_V}{x_T c_V\\rho}\\), where \\(\\alpha_V\\) is the cubic expansion coefficient, \\(x_T\\) is isothermal compressibility, \\(c_V\\) is specific heat capacity at constant volume, and \\(\\rho\\) is mass density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice." ; + rdfs:isDefinedBy ; + rdfs:label "Gruneisen Parameter"@en ; +. +quantitykind:GustatoryThreshold + a qudt:QuantityKind ; + dcterms:description "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_g}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances." ; + rdfs:isDefinedBy ; + rdfs:label "Gustatory Threshold"@en ; +. +quantitykind:GyromagneticRatio + a qudt:QuantityKind ; + dcterms:description "\"Gyromagnetic Ratio}, also sometimes known as the magnetogyric ratio in other disciplines, of a particle or system is the ratio of its magnetic dipole moment to its angular momentum, and it is often denoted by the symbol, \\(\\gamma\\). Its SI units are radian per second per tesla (\\(rad s^{-1} \\cdot T^{1}\\)) or, equivalently, coulomb per kilogram (\\(C \\cdot kg^{-1\"\\))."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gyromagnetic_ratio"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\gamma J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Gyromagnetic Ratio"@en ; +. +quantitykind:Half-Life + a qudt:QuantityKind ; + dcterms:description "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-life"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei." ; + qudt:symbol "T_{1/2}" ; + rdfs:isDefinedBy ; + rdfs:label "Halbwertszeit"@de ; + rdfs:label "Poločas rozpadu"@cs ; + rdfs:label "Separuh hayat"@ms ; + rdfs:label "half-life"@en ; + rdfs:label "meia-vida"@pt ; + rdfs:label "semiperiodo"@es ; + rdfs:label "semivita"@it ; + rdfs:label "tempo di dimezzamento"@it ; + rdfs:label "temps de demi-vie"@fr ; + rdfs:label "yarılanma süresi"@tr ; + rdfs:label "نیمه عمر"@fa ; + rdfs:label "半衰期"@zh ; +. +quantitykind:Half-ValueThickness + a qudt:QuantityKind ; + dcterms:description "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half." ; + qudt:symbol "d_{1/2}" ; + rdfs:isDefinedBy ; + rdfs:label "Half-Value Thickness"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:HallCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field."^^rdf:HTML ; + qudt:applicableUnit unit:M3-PER-C ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hall_effect"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "In an isotropic conductor, the relation between electric field strength, \\(E\\), and electric current density, \\(J\\) is \\(E = \\rho J + R_H(B X J)\\), where \\(\\rho\\) is resistivity, and \\(B\\) is magnetic flux density."^^qudt:LatexString ; + qudt:plainTextDescription "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field." ; + qudt:symbol "R_H, A_H" ; + rdfs:isDefinedBy ; + rdfs:label "Hall Coefficient"@en ; +. +quantitykind:HamiltonFunction + a qudt:QuantityKind ; + dcterms:description "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hamilton–Jacobi_equation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = \\sum p_i\\dot{q_i} - L\\), where \\(p_i\\) is a generalized momentum, \\(\\dot{q_i}\\) is a generalized velocity, and \\(L\\) is the Lagrange function."^^qudt:LatexString ; + qudt:plainTextDescription "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations." ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + rdfs:label "Hamilton Function"@en ; +. +quantitykind:HeadEndPressure + a qudt:QuantityKind ; + qudt:abbreviation "HEP" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Head End Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:HeartRate + a qudt:QuantityKind ; + dcterms:description "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates."^^rdf:HTML ; + qudt:applicableUnit unit:BEAT-PER-MIN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heart_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://www.medterms.com/script/main/art.asp?articlekey=3674"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/oi/authority.20110803100354463"^^xsd:anyURI ; + qudt:plainTextDescription "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates." ; + rdfs:isDefinedBy ; + rdfs:label "Heart Rate"@en ; +. +quantitykind:Heat + a qudt:QuantityKind ; + dcterms:description "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)."^^rdf:HTML ; + qudt:abbreviation "heat" ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_MEAN ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_15_DEG_C ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_MEAN ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloCAL_IT ; + qudt:applicableUnit unit:KiloCAL_Mean ; + qudt:applicableUnit unit:KiloCAL_TH ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TON_FG-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Wärme"@de ; + rdfs:label "Wärmemenge"@de ; + rdfs:label "amount of heat"@en ; + rdfs:label "calor"@es ; + rdfs:label "calore"@it ; + rdfs:label "cantitate de căldură"@ro ; + rdfs:label "chaleur"@fr ; + rdfs:label "ciepło"@pl ; + rdfs:label "heat"@en ; + rdfs:label "jednotka tepla"@cs ; + rdfs:label "jumlah haba"@ms ; + rdfs:label "kuantiti haba Haba"@ms ; + rdfs:label "labor"@la ; + rdfs:label "quantidade de calor"@pt ; + rdfs:label "quantità di calore"@it ; + rdfs:label "quantité de chaleur"@fr ; + rdfs:label "toplota"@sl ; + rdfs:label "ısı miktarı"@tr ; + rdfs:label "Теплота"@ru ; + rdfs:label "حرارة"@ar ; + rdfs:label "کمیت گرما"@fa ; + rdfs:label "ऊष्मा"@hi ; + rdfs:label "热量"@zh ; + rdfs:label "熱量"@ja ; + skos:broader quantitykind:ThermalEnergy ; +. +quantitykind:HeatCapacity + a qudt:QuantityKind ; + dcterms:description "\"Heat Capacity\" (usually denoted by a capital \\(C\\), often with subscripts), or thermal capacity, is the measurable physical quantity that characterizes the amount of heat required to change a substance's temperature by a given amount. In the International System of Units (SI), heat capacity is expressed in units of joule(s) (J) per kelvin (K)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-DEG_R ; + qudt:applicableUnit unit:EV-PER-K ; + qudt:applicableUnit unit:J-PER-K ; + qudt:applicableUnit unit:MegaJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity"^^xsd:anyURI ; + qudt:latexDefinition "\\(C = dQ/dT\\), where \\(Q\\) is amount of heat and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:symbol "C_P" ; + rdfs:isDefinedBy ; + rdfs:label "Wärmekapazität"@de ; + rdfs:label "capacidad calorífica"@es ; + rdfs:label "capacidade térmica"@pt ; + rdfs:label "capacitate termică"@ro ; + rdfs:label "capacità termica"@it ; + rdfs:label "capacité thermique"@fr ; + rdfs:label "heat capacity"@en ; + rdfs:label "isı kapasitesi"@tr ; + rdfs:label "muatan haba"@ms ; + rdfs:label "pojemność cieplna"@pl ; + rdfs:label "tepelná kapacita"@cs ; + rdfs:label "toplotna kapaciteta"@sl ; + rdfs:label "теплоёмкость"@ru ; + rdfs:label "سعة حرارية"@ar ; + rdfs:label "ظرفیت گرمایی"@fa ; + rdfs:label "ऊष्मा धारिता"@hi ; + rdfs:label "热容"@zh ; + rdfs:label "熱容量"@ja ; + skos:broader quantitykind:EnergyPerTemperature ; +. +quantitykind:HeatCapacityRatio + a qudt:QuantityKind ; + dcterms:description "The heat capacity ratio, or ratio of specific heats, is the ratio of the heat capacity at constant pressure (\\(C_P\\)) to heat capacity at constant volume (\\(C_V\\)). For an ideal gas, the heat capacity is constant with temperature (\\(\\theta\\)). Accordingly we can express the enthalpy as \\(H = C_P*\\theta\\) and the internal energy as \\(U = C_V \\cdot \\theta\\). Thus, it can also be said that the heat capacity ratio is the ratio between enthalpy and internal energy."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heat_capacity_ratio"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H-1T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Heat Capacity Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:HeatFlowRate + a qudt:QuantityKind ; + dcterms:description "The rate of heat flow between two systems is measured in watts (joules per second). The formula for rate of heat flow is \\(\\bigtriangleup Q / \\bigtriangleup t = -K \\times A \\times \\bigtriangleup T/x\\), where \\(\\bigtriangleup Q / \\bigtriangleup t\\) is the rate of heat flow; \\(-K\\) is the thermal conductivity factor; A is the surface area; \\(\\bigtriangleup T\\) is the change in temperature and \\(x\\) is the thickness of the material. \\(\\bigtriangleup T/ x\\) is called the temperature gradient and is always negative because of the heat of flow always goes from more thermal energy to less)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-MIN ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:BTU_TH-PER-HR ; + qudt:applicableUnit unit:BTU_TH-PER-MIN ; + qudt:applicableUnit unit:BTU_TH-PER-SEC ; + qudt:applicableUnit unit:CAL_TH-PER-MIN ; + qudt:applicableUnit unit:CAL_TH-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloBTU_TH-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloCAL_TH-PER-HR ; + qudt:applicableUnit unit:KiloCAL_TH-PER-MIN ; + qudt:applicableUnit unit:KiloCAL_TH-PER-SEC ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:expression "\\(heat-flow-rate\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Heat Flow Rate"@en ; + skos:broader quantitykind:Power ; +. +quantitykind:HeatFlowRatePerUnitArea + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Heat Flux}\\) is the heat rate per unit area. In SI units, heat flux is measured in \\(W/m^2\\). Heat rate is a scalar quantity, while heat flux is a vectorial quantity. To define the heat flux at a certain point in space, one takes the limiting case where the size of the surface becomes infinitesimally small."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_flux"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Heat Flow Rate per Unit Area"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:HeatFluxDensity + a qudt:QuantityKind ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Heat Flux Density"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:HeatingValue + a qudt:QuantityKind ; + dcterms:description "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. "^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB ; + qudt:applicableUnit unit:BTU_TH-PER-LB ; + qudt:applicableUnit unit:CAL_IT-PER-GM ; + qudt:applicableUnit unit:CAL_TH-PER-GM ; + qudt:applicableUnit unit:ERG-PER-G ; + qudt:applicableUnit unit:ERG-PER-GM ; + qudt:applicableUnit unit:J-PER-GM ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:applicableUnit unit:KiloCAL-PER-GM ; + qudt:applicableUnit unit:KiloJ-PER-KiloGM ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; + qudt:applicableUnit unit:MegaJ-PER-KiloGM ; + qudt:applicableUnit unit:MilliJ-PER-GM ; + qudt:applicableUnit unit:N-M-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Heat_of_combustion"^^xsd:anyURI ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcheatingvaluemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. " ; + rdfs:isDefinedBy ; + rdfs:label "Calorific Value"@en ; + rdfs:label "Energy Value"@en ; + rdfs:label "Heating Value"@en ; + skos:broader quantitykind:SpecificEnergy ; +. +quantitykind:Height + a qudt:QuantityKind ; + dcterms:description "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is."^^rdf:HTML ; + qudt:abbreviation "height" ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Height"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Height"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is." ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + rdfs:label "Höhe"@de ; + rdfs:label "Ketinggian"@ms ; + rdfs:label "Výška"@cs ; + rdfs:label "altezza"@it ; + rdfs:label "altura"@es ; + rdfs:label "altura"@pt ; + rdfs:label "hauteur"@fr ; + rdfs:label "height"@en ; + rdfs:label "yükseklik"@tr ; + rdfs:label "Înălțime"@ro ; + rdfs:label "высота"@ru ; + rdfs:label "ارتفاع"@fa ; + rdfs:label "高度"@zh ; + skos:broader quantitykind:Length ; +. +quantitykind:HelmholtzEnergy + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Helmholtz Energy}\\) is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\(\\textit{Internal Energy}\\) is the internal energy of the system, \\(\\textit{Enthalpy}\\) is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\(\\textit{Helmholz Free Energy}\\) is also used."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = U - T \\cdot S\\), where \\(U\\) is internal energy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label " Helmholtz fonksiyonu"@tr ; + rdfs:label "Energía de Helmholtz"@es ; + rdfs:label "Helmholtz energy"@en ; + rdfs:label "Helmholtz enerjisi"@tr ; + rdfs:label "Helmholtz function"@en ; + rdfs:label "Helmholtz-Energie"@de ; + rdfs:label "Helmholtz-Funktion"@de ; + rdfs:label "Helmholtzova volná energie"@cs ; + rdfs:label "Prosta energija"@sl ; + rdfs:label "Tenaga Helmholtz"@ms ; + rdfs:label "energia libera di Helmholz"@it ; + rdfs:label "energia livre de Helmholtz"@pt ; + rdfs:label "energia swobodna"@pl ; + rdfs:label "freie Energie"@de ; + rdfs:label "fungsi Helmholtz"@ms ; + rdfs:label "énergie libre"@fr ; + rdfs:label "свободная энергия Гельмгольца"@ru ; + rdfs:label "انرژی آزاد هلمولتز"@fa ; + rdfs:label "طاقة هلمهولتز الحرة"@ar ; + rdfs:label "ヘルムホルツの自由エネルギー"@ja ; + rdfs:label "亥姆霍兹自由能"@zh ; + rdfs:seeAlso quantitykind:Energy ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:GibbsEnergy ; + rdfs:seeAlso quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy ; +. +quantitykind:HenrysLawVolatilityConstant + a qudt:QuantityKind ; + dcterms:description "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration."^^rdf:HTML ; + qudt:applicableUnit unit:ATM-M3-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:plainTextDescription "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration." ; + rdfs:isDefinedBy ; + rdfs:label "Henry's Law Volatility Constant"@en ; +. +quantitykind:HoleDensity + a qudt:QuantityKind ; + dcterms:description "\"Hole Density\" is the number of holes per volume in a valence band."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Hole Density\" is the number of holes per volume in a valence band." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Hole Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:HorizontalVelocity + a qudt:QuantityKind ; + dcterms:description "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air." ; + qudt:symbol "V_{X}" ; + rdfs:isDefinedBy ; + rdfs:label "Horizontal Velocity"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:HydraulicPermeability + a qudt:QuantityKind ; + dcterms:description "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DARCY ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliDARCY ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:baseCGSUnitDimensions "\\(cm^2\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability_(Earth_sciences)"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Permeability_(Earth_sciences)"^^xsd:anyURI ; + qudt:plainTextDescription "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness." ; + rdfs:isDefinedBy ; + rdfs:label "Hydraulic Permeability"@en ; + skos:altLabel "Fluid Permeability"@en ; + skos:altLabel "Permeability"@en ; +. +quantitykind:HyperfineStructureQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hyperfine_structure"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons." ; + qudt:symbol "F" ; + rdfs:isDefinedBy ; + rdfs:label "Hyperfine Structure Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; +. +quantitykind:INERT-MASS + a qudt:QuantityKind ; + dcterms:description "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo." ; + rdfs:isDefinedBy ; + rdfs:label "Inert Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:IgnitionIntervalTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Ignition interval time"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:Illuminance + a qudt:QuantityKind ; + dcterms:description "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception."^^rdf:HTML ; + qudt:applicableUnit unit:FC ; + qudt:applicableUnit unit:LUX ; + qudt:applicableUnit unit:PHOT ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Illuminance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_v = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the luminous flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception." ; + rdfs:isDefinedBy ; + rdfs:label "Beleuchtungsstärke"@de ; + rdfs:label "Intenzita osvětlení"@cs ; + rdfs:label "Pencahayaan"@ms ; + rdfs:label "aydınlanma şiddeti"@tr ; + rdfs:label "illuminamento"@it ; + rdfs:label "illuminance"@en ; + rdfs:label "iluminamento"@pt ; + rdfs:label "iluminare"@ro ; + rdfs:label "luminosidad"@es ; + rdfs:label "megvilágítás"@hu ; + rdfs:label "natężenie oświetlenia"@pl ; + rdfs:label "osvetljenost"@sl ; + rdfs:label "éclairement lumineux"@fr ; + rdfs:label "éclairement"@fr ; + rdfs:label "Осветеност"@bg ; + rdfs:label "Освещённость"@ru ; + rdfs:label "הארה (שטף ליחידת שטח)"@he ; + rdfs:label "شدة الضوء"@ar ; + rdfs:label "شدت روشنایی"@fa ; + rdfs:label "प्रदीपन"@hi ; + rdfs:label "照度"@ja ; + rdfs:label "照度"@zh ; + skos:broader quantitykind:LuminousFluxPerArea ; +. +quantitykind:Impedance + a qudt:QuantityKind ; + dcterms:description "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle."^^rdf:HTML ; + qudt:applicableUnit unit:OHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_impedance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-43"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\underline{Z} = \\underline{U} / \\underline{I}\\), where \\(\\underline{U}\\) is the voltage phasor and \\(\\underline{I}\\) is the electric current phasor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{Z}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle." ; + rdfs:isDefinedBy ; + rdfs:label "Impedance"@en ; + rdfs:seeAlso quantitykind:ElectricCurrentPhasor ; + rdfs:seeAlso quantitykind:VoltagePhasor ; +. +quantitykind:Incidence + a qudt:QuantityKind ; + dcterms:description "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Incidence" ; + skos:broader quantitykind:Frequency ; +. +quantitykind:IncidenceProportion + a qudt:QuantityKind ; + dcterms:description "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Cumulative_incidence"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Incidence Proportion"@en ; + rdfs:seeAlso quantitykind:IncidenceRate ; + skos:broader quantitykind:Incidence ; +. +quantitykind:IncidenceRate + a qudt:QuantityKind ; + dcterms:description "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)"^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Incidence Rate"@en ; + rdfs:seeAlso quantitykind:IncidenceProportion ; + skos:broader quantitykind:Incidence ; +. +quantitykind:Inductance + a qudt:QuantityKind ; + dcterms:description "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current."^^rdf:HTML ; + qudt:applicableUnit unit:H ; + qudt:applicableUnit unit:H_Ab ; + qudt:applicableUnit unit:H_Stat ; + qudt:applicableUnit unit:MicroH ; + qudt:applicableUnit unit:MilliH ; + qudt:applicableUnit unit:NanoH ; + qudt:applicableUnit unit:PicoH ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inductance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-19"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(L =\\frac{\\Psi}{I}\\), where \\(I\\) is an electric current in a thin conducting loop, and \\(\\Psi\\) is the linked flux caused by that electric current."^^qudt:LatexString ; + qudt:plainTextDescription "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Inductance électrique"@fr ; + rdfs:label "Indukstans"@ms ; + rdfs:label "Induktiviti"@ms ; + rdfs:label "Induktivität"@de ; + rdfs:label "Indukčnost"@cs ; + rdfs:label "inductance"@en ; + rdfs:label "inductancia"@es ; + rdfs:label "inductantia"@la ; + rdfs:label "inductanță"@ro ; + rdfs:label "inductivity"@en ; + rdfs:label "indukcyjność"@pl ; + rdfs:label "induktivitás"@hu ; + rdfs:label "induktivnost"@sl ; + rdfs:label "induttanza"@it ; + rdfs:label "indutância"@pt ; + rdfs:label "İndüktans"@tr ; + rdfs:label "Индуктивност"@bg ; + rdfs:label "Индуктивность"@ru ; + rdfs:label "השראות"@he ; + rdfs:label "القاوری"@fa ; + rdfs:label "المحاثة (التحريض)"@ar ; + rdfs:label "प्रेरकत्व"@hi ; + rdfs:label "インダクタンス・誘導係数"@ja ; + rdfs:label "电感"@zh ; + rdfs:seeAlso quantitykind:MutualInductance ; +. +quantitykind:InfiniteMultiplicationFactor + a qudt:QuantityKind ; + dcterms:description "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(k_\\infty\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice." ; + rdfs:isDefinedBy ; + rdfs:label "Infinite Multiplication Factor"@en ; + skos:broader quantitykind:MultiplicationFactor ; + skos:closeMatch quantitykind:EffectiveMultiplicationFactor ; +. +quantitykind:InformationEntropy + a qudt:QuantityKind ; + dcterms:description "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning."^^rdf:HTML ; + qudt:applicableUnit unit:BAN ; + qudt:applicableUnit unit:BIT ; + qudt:applicableUnit unit:BYTE ; + qudt:applicableUnit unit:ERLANG ; + qudt:applicableUnit unit:ExaBYTE ; + qudt:applicableUnit unit:ExbiBYTE ; + qudt:applicableUnit unit:GibiBYTE ; + qudt:applicableUnit unit:GigaBYTE ; + qudt:applicableUnit unit:HART ; + qudt:applicableUnit unit:KibiBYTE ; + qudt:applicableUnit unit:KiloBYTE ; + qudt:applicableUnit unit:MebiBYTE ; + qudt:applicableUnit unit:MegaBYTE ; + qudt:applicableUnit unit:NAT ; + qudt:applicableUnit unit:PebiBYTE ; + qudt:applicableUnit unit:PetaBYTE ; + qudt:applicableUnit unit:SHANNON ; + qudt:applicableUnit unit:TebiBYTE ; + qudt:applicableUnit unit:TeraBYTE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://simple.wikipedia.org/wiki/Information_entropy"^^xsd:anyURI ; + qudt:plainTextDescription "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning." ; + rdfs:isDefinedBy ; + rdfs:label "Information Entropy"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:InformationFlowRate + a qudt:QuantityKind ; + qudt:applicableUnit unit:HART-PER-SEC ; + qudt:applicableUnit unit:NAT-PER-SEC ; + qudt:applicableUnit unit:SHANNON-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Information flow rate"@en ; +. +quantitykind:InitialExpansionRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:applicableUnit unit:PPM-PER-K ; + qudt:applicableUnit unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Initial Expansion Ratio"@en ; + skos:broader quantitykind:ExpansionRatio ; +. +quantitykind:InitialNozzleThroatDiameter + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Initial Nozzle Throat Diameter"@en ; + skos:broader quantitykind:NozzleThroatDiameter ; +. +quantitykind:InitialVehicleMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{o}" ; + rdfs:isDefinedBy ; + rdfs:label "Initial Vehicle Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:InitialVelocity + a qudt:QuantityKind ; + dcterms:description "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged." ; + qudt:symbol "V_{i}" ; + rdfs:isDefinedBy ; + rdfs:label "Initial Velocity"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:InstantaneousPower + a qudt:QuantityKind ; + dcterms:description "\"Instantaneous Power}, for a two-terminal element or a two-terminal circuit with terminals A and B, is the product of the voltage \\(u_{AB}\\) between the terminals and the electric current i in the element or circuit: \\(p = \\)u_{AB} \\cdot i\\(, where \\)u_{AB\" is the line integral of the electric field strength from A to B, and where the electric current in the element or circuit is taken positive if its direction is from A to B and negative in the opposite case. For an n-terminal circuit, it is the sum of the instantaneous powers relative to the n - 1 pairs of terminals when one of the terminals is chosen as a common terminal for the pairs. For a polyphase element, it is the sum of the instantaneous powers in all phase elements of a polyphase element. For a polyphase line consisting of m line conductors and one neutral conductor, it is the sum of the m instantaneous powers expressed for each line conductor by the product of the polyphase line-to-neutral voltage and the corresponding line current."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-30"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-31"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-02-14"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-03-10"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Instantaneous Power"@en ; + skos:broader quantitykind:ElectricPower ; +. +quantitykind:InternalConversionFactor + a qudt:QuantityKind ; + dcterms:description "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_conversion_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition." ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "InternalConversionFactor"@en ; +. +quantitykind:InternalEnergy + a qudt:QuantityKind ; + dcterms:description "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy."^^rdf:HTML ; + qudt:abbreviation "int-energy" ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; + qudt:exactMatch quantitykind:EnergyInternal ; + qudt:exactMatch quantitykind:ThermodynamicEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Internal_energy"^^xsd:anyURI ; + qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy." ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Internal Energy"@en ; + rdfs:seeAlso quantitykind:Energy ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:GibbsEnergy ; + rdfs:seeAlso quantitykind:HelmholtzEnergy ; + skos:broader quantitykind:Energy ; +. +quantitykind:IntinsicCarrierDensity + a qudt:QuantityKind ; + dcterms:description "\"Intinsic Carrier Density\" is proportional to electron and hole densities."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:latexDefinition "\\(np = n_i^2\\), where \\(n\\) is electron density and \\(p\\) is hole density."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Intinsic Carrier Density\" is proportional to electron and hole densities." ; + qudt:symbol "n_i" ; + rdfs:isDefinedBy ; + rdfs:label "Intinsic Carrier Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:InverseAmountOfSubstance + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse amount of substance"@en ; +. +quantitykind:InverseEnergy + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-KiloV-A-HR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Energy"@en ; +. +quantitykind:InverseEnergy_Squared + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-EV2 ; + qudt:applicableUnit unit:PER-GigaEV2 ; + qudt:applicableUnit unit:PER-J2 ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Energy"@en ; +. +quantitykind:InverseLength + a qudt:QuantityKind ; + dcterms:description "Reciprocal length or inverse length is a measurement used in several branches of science and mathematics. As the reciprocal of length, common units used for this measurement include the reciprocal metre or inverse metre (\\(m^{-1}\\)), the reciprocal centimetre or inverse centimetre (\\(cm^{-1}\\)), and, in optics, the dioptre."^^qudt:LatexString ; + qudt:applicableUnit unit:DPI ; + qudt:applicableUnit unit:KY ; + qudt:applicableUnit unit:MESH ; + qudt:applicableUnit unit:NUM-PER-M ; + qudt:applicableUnit unit:PER-ANGSTROM ; + qudt:applicableUnit unit:PER-CentiM ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_length"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Length"@en ; +. +quantitykind:InverseLengthTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-M-K ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Length Temperature"@en ; +. +quantitykind:InverseMagneticFlux + a qudt:QuantityKind ; + qudt:applicableUnit unit:HZ-PER-V ; + qudt:applicableUnit unit:PER-WB ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Magnetic Flux"@en ; +. +quantitykind:InverseMass_Squared + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-KiloGM2 ; + qudt:applicableUnit unit:PER-PlanckMass2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Mass"@en ; +. +quantitykind:InversePermittivity + a qudt:QuantityKind ; + qudt:applicableUnit unit:M-PER-FARAD ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Permittivity"@en ; +. +quantitykind:InversePressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-BAR ; + qudt:applicableUnit unit:PER-MILLE-PER-PSI ; + qudt:applicableUnit unit:PER-PA ; + qudt:applicableUnit unit:PER-PSI ; + qudt:exactMatch quantitykind:IsothermalCompressibility ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Pressure"@en ; +. +quantitykind:InverseSquareEnergy + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:InverseEnergy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Energy"@en ; +. +quantitykind:InverseSquareMass + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:InverseMass_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Mass"@en ; +. +quantitykind:InverseSquareTime + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:InverseTime_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Time"@en ; +. +quantitykind:InverseTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Temperature"@en ; +. +quantitykind:InverseTime + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Time"@en ; +. +quantitykind:InverseTimeTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:HZ-PER-K ; + qudt:applicableUnit unit:MegaHZ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Time Temperature"@en ; +. +quantitykind:InverseTime_Squared + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Time"@en ; +. +quantitykind:InverseVolume + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-CentiM3 ; + qudt:applicableUnit unit:PER-FT3 ; + qudt:applicableUnit unit:PER-IN3 ; + qudt:applicableUnit unit:PER-L ; + qudt:applicableUnit unit:PER-M3 ; + qudt:applicableUnit unit:PER-MilliL ; + qudt:applicableUnit unit:PER-MilliM3 ; + qudt:applicableUnit unit:PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Volume"@en ; +. +quantitykind:IonConcentration + a qudt:QuantityKind ; + dcterms:description "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density."^^rdf:HTML ; + qudt:exactMatch quantitykind:IonDensity ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:plainTextDescription "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density." ; + rdfs:isDefinedBy ; + rdfs:label "Ion Concentration"@en ; +. +quantitykind:IonCurrent + a qudt:QuantityKind ; + dcterms:description "An ion current is the influx and/or efflux of ions through an ion channel."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:applicableUnit unit:A_Ab ; + qudt:applicableUnit unit:A_Stat ; + qudt:applicableUnit unit:BIOT ; + qudt:applicableUnit unit:KiloA ; + qudt:applicableUnit unit:MegaA ; + qudt:applicableUnit unit:MicroA ; + qudt:applicableUnit unit:MilliA ; + qudt:applicableUnit unit:NanoA ; + qudt:applicableUnit unit:PicoA ; + qudt:applicableUnit unit:PlanckCurrent ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:plainTextDescription "An ion current is the influx and/or efflux of ions through an ion channel." ; + qudt:symbol "j" ; + rdfs:isDefinedBy ; + rdfs:label "Ion Current"@en ; + skos:broader quantitykind:ElectricCurrent ; +. +quantitykind:IonDensity + a qudt:QuantityKind ; + dcterms:description "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:exactMatch quantitykind:IonConcentration ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.answers.com/topic/ion-density"^^xsd:anyURI ; + qudt:latexDefinition """\\(n^+ = \\frac{N^+}{V}\\), \\(n^- = \\frac{N^-}{V}\\) + +where \\(N^+\\) and \\(N^-\\) are the number of positive and negative ions, respectively, in a 3D domain with volume \\(V\\)."""^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration." ; + qudt:symbol "N, n^+, n^-" ; + rdfs:isDefinedBy ; + rdfs:label "Ion Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:IonTransportNumber + a qudt:QuantityKind ; + dcterms:description "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ion_transport_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(t_B = \\frac{i_B}{i}\\), where \\(i_B\\) is the electric current carried by the ion \\(B\\) and \\(i\\) is the total electric current."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility." ; + qudt:symbol "t_B" ; + rdfs:isDefinedBy ; + rdfs:label "Ion Transport Number"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:IonicCharge + a qudt:QuantityKind ; + dcterms:description "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it."^^rdf:HTML ; + qudt:applicableUnit unit:A-HR ; + qudt:applicableUnit unit:A-SEC ; + qudt:applicableUnit unit:AttoC ; + qudt:applicableUnit unit:C ; + qudt:applicableUnit unit:C_Ab ; + qudt:applicableUnit unit:C_Stat ; + qudt:applicableUnit unit:CentiC ; + qudt:applicableUnit unit:DecaC ; + qudt:applicableUnit unit:DeciC ; + qudt:applicableUnit unit:E ; + qudt:applicableUnit unit:ElementaryCharge ; + qudt:applicableUnit unit:ExaC ; + qudt:applicableUnit unit:F ; + qudt:applicableUnit unit:FR ; + qudt:applicableUnit unit:FemtoC ; + qudt:applicableUnit unit:GigaC ; + qudt:applicableUnit unit:HectoC ; + qudt:applicableUnit unit:KiloA-HR ; + qudt:applicableUnit unit:KiloC ; + qudt:applicableUnit unit:MegaC ; + qudt:applicableUnit unit:MicroC ; + qudt:applicableUnit unit:MilliA-HR ; + qudt:applicableUnit unit:MilliC ; + qudt:applicableUnit unit:NanoC ; + qudt:applicableUnit unit:PetaC ; + qudt:applicableUnit unit:PicoC ; + qudt:applicableUnit unit:PlanckCharge ; + qudt:applicableUnit unit:TeraC ; + qudt:applicableUnit unit:YoctoC ; + qudt:applicableUnit unit:YottaC ; + qudt:applicableUnit unit:ZeptoC ; + qudt:applicableUnit unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:plainTextDescription "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it." ; + qudt:symbol "q" ; + rdfs:isDefinedBy ; + rdfs:label "Ionic Charge"@en ; + skos:broader quantitykind:ElectricCharge ; +. +quantitykind:IonicStrength + a qudt:QuantityKind ; + dcterms:description "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; + qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; + qudt:applicableUnit unit:MOL-PER-KiloGM ; + qudt:applicableUnit unit:MicroMOL-PER-GM ; + qudt:applicableUnit unit:MilliMOL-PER-GM ; + qudt:applicableUnit unit:MilliMOL-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionic_strength"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{1}{2} \\sum z_i^2 b_i\\), where the summation is carried out over all ions with charge number \\(z_i\\) and molality \\(m_i\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Ionic Strength"@en ; +. +quantitykind:IonizationEnergy + a qudt:QuantityKind ; + dcterms:description "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase." ; + qudt:symbol "E_i" ; + rdfs:isDefinedBy ; + rdfs:label "Ionization Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:Irradiance + a qudt:QuantityKind ; + dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; + qudt:abbreviation "W-PER-M2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Bestrahlungsstärke"@de ; + rdfs:label "Intenzita záření"@cs ; + rdfs:label "Kepenyinaran"@ms ; + rdfs:label "irradiance"@en ; + rdfs:label "irradiancia"@es ; + rdfs:label "irradianza"@it ; + rdfs:label "irradiância"@pt ; + rdfs:label "koyuluk"@tr ; + rdfs:label "yoğunluk"@tr ; + rdfs:label "éclairement énergétique"@fr ; + rdfs:label "Поверхностная плотность потока энергии"@ru ; + rdfs:label "الطاقة الهلامية"@ar ; + rdfs:label "پرتو افکنی/چگالی تابش"@fa ; + rdfs:label "熱流束"@ja ; + rdfs:label "辐照度"@zh ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:IsentropicCompressibility + a qudt:QuantityKind ; + dcterms:description "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy."^^rdf:HTML ; + qudt:applicableUnit unit:PER-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa_S = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_S\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(S\\) is entropy,"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa_S\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy." ; + rdfs:isDefinedBy ; + rdfs:label "Isentropic Compressibility"@en ; +. +quantitykind:IsentropicExponent + a qudt:QuantityKind ; + dcterms:description "Isentropic exponent is a variant of \"Specific Heat Ratio Capacities}. For an ideal gas \\textit{Isentropic Exponent\"\\(, \\varkappa\\). is equal to \\(\\gamma\\), the ratio of its specific heat capacities \\(c_p\\) and \\(c_v\\) under steady pressure and volume."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa = -\\frac{V}{p}\\left \\{ \\frac{\\partial p}{\\partial V}\\right \\}_S\\), where \\(V\\) is volume, \\(p\\) is pressure, and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Coefficiente di dilatazione adiabatica"@it ; + rdfs:label "Coeficient de transformare adiabatică"@ro ; + rdfs:label "Coeficiente de dilatación adiabática"@es ; + rdfs:label "Coeficiente de expansão adiabática"@pt ; + rdfs:label "Isentropenexponent"@de ; + rdfs:label "Poissonova konstanta"@cs ; + rdfs:label "Wykładnik adiabaty"@pl ; + rdfs:label "adiabatni eksponent"@sl ; + rdfs:label "exposant isoentropique"@fr ; + rdfs:label "indice adiabatico"@it ; + rdfs:label "indice adiabatique"@fr ; + rdfs:label "isentropic exponent"@en ; + rdfs:label "ısı sığası oranı; adyabatik indeks"@tr ; + rdfs:label "Показатель адиабаты"@ru ; + rdfs:label "نسبة السعة الحرارية"@ar ; + rdfs:label "比熱比"@ja ; + rdfs:label "绝热指数"@zh ; + rdfs:seeAlso quantitykind:IsentropicCompressibility ; +. +quantitykind:IsothermalCompressibility + a qudt:QuantityKind ; + dcterms:description "The isothermal compressibility defines the rate of change of system volume with pressure."^^rdf:HTML ; + qudt:applicableUnit unit:PER-BAR ; + qudt:applicableUnit unit:PER-MILLE-PER-PSI ; + qudt:applicableUnit unit:PER-PA ; + qudt:applicableUnit unit:PER-PSI ; + qudt:exactMatch quantitykind:InversePressure ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa_T = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_T\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The isothermal compressibility defines the rate of change of system volume with pressure." ; + rdfs:isDefinedBy ; + rdfs:label "Izotermna stisljivost"@sl ; + rdfs:label "Ketermampatan isotermik"@ms ; + rdfs:label "compresibilidad isotérmica"@es ; + rdfs:label "compressibilidade isotérmica"@pt ; + rdfs:label "compressibilité isotherme"@fr ; + rdfs:label "comprimibilità isotermica"@it ; + rdfs:label "isothermal compressibility"@en ; + rdfs:label "isotherme Kompressibilität"@de ; + rdfs:label "objemová stlačitelnost"@cs ; + rdfs:label "ściśliwość izotermiczna"@pl ; + rdfs:label "изотермический коэффициент сжимаемости"@ru ; + rdfs:label "ضریب تراکم‌پذیری همدما"@fa ; + rdfs:label "معامل الانضغاط عند ثبوت درجة الحرارة"@ar ; + rdfs:label "等温压缩率"@zh ; + rdfs:label "等温圧縮率"@ja ; +. +quantitykind:IsothermalMoistureCapacity + a qudt:QuantityKind ; + dcterms:description "\"Isothermal Moisture Capacity\" is the capacity of a material to absorb moisture in the Effective Moisture Penetration Depth (EMPD) model."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciL-PER-GM ; + qudt:applicableUnit unit:L-PER-KiloGM ; + qudt:applicableUnit unit:M3-PER-KiloGM ; + qudt:applicableUnit unit:MilliL-PER-GM ; + qudt:applicableUnit unit:MilliL-PER-KiloGM ; + qudt:applicableUnit unit:MilliM3-PER-GM ; + qudt:applicableUnit unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:informativeReference "https://bigladdersoftware.com/epx/docs/8-4/engineering-reference/effective-moisture-penetration-depth-empd.html#empd-nomenclature"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Isothermal Moisture Capacity"@en ; + skos:broader quantitykind:SpecificVolume ; +. +quantitykind:Kerma + a qudt:QuantityKind ; + dcterms:description "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample."^^rdf:HTML ; + qudt:applicableUnit unit:GRAY ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kerma_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For indirectly ionizing (uncharged) particles, \\(K= \\frac{dE_{tr}}{dm}\\), where \\(dE_{tr}\\) is the mean sum of the initial kinetic energies of all the charged ionizing particles liberated by uncharged ionizing particles in an element of matter, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample." ; + qudt:symbol "K" ; + rdfs:isDefinedBy ; + rdfs:label "Kerma"@en ; +. +quantitykind:KermaRate + a qudt:QuantityKind ; + dcterms:description "\"Kerma Rate\" is the kerma per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:GRAY-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{K} = \\frac{dK}{dt}\\), where \\(K\\) is the increment of kerma during time interval with duration \\(t\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{K}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Kerma Rate\" is the kerma per unit time." ; + rdfs:isDefinedBy ; + rdfs:label "Kerma Rate"@en ; +. +quantitykind:KinematicViscosity + a qudt:QuantityKind ; + dcterms:description "The ratio of the viscosity of a liquid to its density. Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or tensile stress. In many situations, we are concerned with the ratio of the inertial force to the viscous force (that is the Reynolds number), the former characterized by the fluid density \\(\\rho\\). This ratio is characterized by the kinematic viscosity (Greek letter \\(\\nu\\)), defined as follows: \\(\\nu = \\mu / \\rho\\). The SI unit of \\(\\nu\\) is \\(m^{2}/s\\). The SI unit of \\(\\nu\\) is \\(kg/m^{1}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiST ; + qudt:applicableUnit unit:ST ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Viscosity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\nu = \\frac{\\eta}{\\rho}\\), where \\(\\eta\\) is dynamic viscosity and \\(\\rho\\) is mass density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Kelikatan kinematik"@ms ; + rdfs:label "Kinematik akmazlık"@tr ; + rdfs:label "Viscozitate cinematică"@ro ; + rdfs:label "kinematic viscosity"@en ; + rdfs:label "kinematische Viskosität"@de ; + rdfs:label "kinematična viskoznost"@sl ; + rdfs:label "lepkość kinematyczna"@pl ; + rdfs:label "viscosidad cinemática"@es ; + rdfs:label "viscosidade cinemática"@pt ; + rdfs:label "viscosità cinematica"@it ; + rdfs:label "viscosité cinématique"@fr ; + rdfs:label "viskozita"@cs ; + rdfs:label "кинематическую вязкость"@ru ; + rdfs:label "لزوجة"@ar ; + rdfs:label "گرانروی جنبشی/ویسکوزیته جنبشی"@fa ; + rdfs:label "श्यानता"@hi ; + rdfs:label "粘度"@ja ; + rdfs:label "运动粘度"@zh ; + rdfs:seeAlso quantitykind:DynamicViscosity ; + rdfs:seeAlso quantitykind:MolecularViscosity ; + skos:broader quantitykind:AreaPerTime ; +. +quantitykind:KineticEnergy + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Kinetic Energy}\\) is the energy which a body possesses as a consequence of its motion, defined as one-half the product of its mass \\(m\\) and the square of its speed \\(v\\), \\( \\frac{1}{2} mv^{2} \\). The kinetic energy per unit volume of a fluid parcel is the \\( \\frac{1}{2} p v^{2}\\) , where \\(p\\) is the density and \\(v\\) the speed of the parcel. See potential energy. For relativistic speeds the kinetic energy is given by \\(E_k = mc^2 - m_0 c^2\\), where \\(c\\) is the velocity of light in a vacuum, \\(m_0\\) is the rest mass, and \\(m\\) is the moving mass."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(T = \\frac{mv^2}{2}\\), where \\(m\\) is mass and \\(v\\) is speed."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:symbol "K" ; + qudt:symbol "KE" ; + rdfs:isDefinedBy ; + rdfs:label "Kinetic Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:LagrangeFunction + a qudt:QuantityKind ; + dcterms:description "The Lagrange Function is a function that summarizes the dynamics of the system."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lagrangian"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-03-76"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(L(q_i, \\dot{q_i}) = T(q_i, \\dot{q_i}) - V(q_i)\\), where \\(T\\) is kinetic energy, \\(V\\) is potential energy, \\(q_i\\) is a generalized coordinate, and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; + qudt:plainTextDescription "The Lagrange Function is a function that summarizes the dynamics of the system." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Lagrange Function"@en ; +. +quantitykind:Landau-GinzburgNumber + a qudt:QuantityKind ; + dcterms:description "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ginzburg–Landau_theory"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "At zero thermodynamic temperature \\(\\kappa = \\frac{\\lambda_L}{(\\varepsilon\\sqrt{2})}\\), where \\(\\lambda_L\\) is London penetration depth and \\(\\varepsilon\\) is coherence length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length." ; + rdfs:isDefinedBy ; + rdfs:label "Landau-Ginzburg Number"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LandeGFactor + a qudt:QuantityKind ; + dcterms:description "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/G-factor_(physics)"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = \\frac{\\mu}{J\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(J\\) is the total angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "Lande g-Factor"@en ; +. +quantitykind:LarmorAngularFrequency + a qudt:QuantityKind ; + dcterms:description "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Larmor_precession#Larmor_frequency"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega_L = \\frac{e}{2m_e}B\\), where \\(e\\) is the elementary charge, \\(m_e\\) is the rest mass of electron, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega_L\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; + rdfs:isDefinedBy ; + rdfs:label "Larmor Angular Frequency"@en ; + skos:broader quantitykind:AngularFrequency ; +. +quantitykind:LatticePlaneSpacing + a qudt:QuantityKind ; + dcterms:description "\"Lattice Plane Spacing\" is the distance between successive lattice planes."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lattice Plane Spacing\" is the distance between successive lattice planes." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Lattice Plane Spacing"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:LatticeVector + a qudt:QuantityKind ; + dcterms:description "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Lattice Vector"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:LeakageFactor + a qudt:QuantityKind ; + dcterms:description "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(leakage-factor\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=221-04-12"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = 1 - k^2\\), where \\(k\\) is the coupling factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit." ; + rdfs:isDefinedBy ; + rdfs:label "Leakage Factor"@en ; +. +quantitykind:Length + a qudt:QuantityKind ; + dcterms:description "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Length"^^xsd:anyURI ; + qudt:plainTextDescription "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured." ; + qudt:symbol "l" ; + rdfs:isDefinedBy ; + rdfs:label "Délka"@cs ; + rdfs:label "Länge"@de ; + rdfs:label "Panjang"@ms ; + rdfs:label "comprimento"@pt ; + rdfs:label "dolžina"@sl ; + rdfs:label "długość"@pl ; + rdfs:label "hossz"@hu ; + rdfs:label "length"@en ; + rdfs:label "longitud"@es ; + rdfs:label "longitudo"@la ; + rdfs:label "longueur"@fr ; + rdfs:label "lunghezza"@it ; + rdfs:label "lungime"@ro ; + rdfs:label "uzunluk"@tr ; + rdfs:label "Μήκος"@el ; + rdfs:label "Длина"@ru ; + rdfs:label "Дължина"@bg ; + rdfs:label "אורך"@he ; + rdfs:label "طول"@ar ; + rdfs:label "طول"@fa ; + rdfs:label "लम्बाई"@hi ; + rdfs:label "長さ"@ja ; + rdfs:label "长度"@zh ; +. +quantitykind:LengthByForce + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Force"@en ; +. +quantitykind:LengthEnergy + a qudt:QuantityKind ; + qudt:applicableUnit unit:MegaEV-FemtoM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Energy"@en ; +. +quantitykind:LengthMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:GM-MilliM ; + qudt:applicableUnit unit:LB-IN ; + qudt:applicableUnit unit:M-KiloGM ; + qudt:applicableUnit unit:OZ-FT ; + qudt:applicableUnit unit:OZ-IN ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Mass"@en ; +. +quantitykind:LengthMolarEnergy + a qudt:QuantityKind ; + qudt:applicableUnit unit:J-M-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Molar Energy"@en ; +. +quantitykind:LengthPerUnitElectricCurrent + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length per Unit Electric Current"@en ; +. +quantitykind:LengthPercentage + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:LengthRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Percentage"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LengthRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LengthTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C-CentiM ; + qudt:applicableUnit unit:K-M ; + qudt:applicableUnit unit:M-K ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Temperature"@en ; +. +quantitykind:LengthTemperatureTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-SEC-DEG_C ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Length Temperature Time"@en ; +. +quantitykind:Lethargy + a qudt:QuantityKind ; + dcterms:description "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.scribd.com/doc/51548050/149/Lethargy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = \\ln(\\frac{E_0}{E})\\), where \\(E_0\\) is a reference energy."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:label "Lethargy"@en ; +. +quantitykind:LevelWidth + a qudt:QuantityKind ; + dcterms:description "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Level+Width"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Gamma = \\frac{\\hbar}{\\tau}\\), where \\(\\hbar\\) is the reduced Planck constant and \\(\\tau\\) is the mean lifetime."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus." ; + rdfs:isDefinedBy ; + rdfs:label "Level Width"@en ; +. +quantitykind:LiftCoefficient + a qudt:QuantityKind ; + dcterms:description "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body." ; + qudt:symbol "C_{L}" ; + rdfs:isDefinedBy ; + rdfs:label "Lift Coefficient"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:LiftForce + a qudt:QuantityKind ; + dcterms:description "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Lift Force"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:LinearAbsorptionCoefficient + a qudt:QuantityKind ; + dcterms:description "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease, caused by absorption, in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Absorption Coefficient"@en ; +. +quantitykind:LinearAcceleration + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-SEC2 ; + qudt:applicableUnit unit:FT-PER-SEC2 ; + qudt:applicableUnit unit:G ; + qudt:applicableUnit unit:GALILEO ; + qudt:applicableUnit unit:IN-PER-SEC2 ; + qudt:applicableUnit unit:KN-PER-SEC ; + qudt:applicableUnit unit:KiloPA-M2-PER-GM ; + qudt:applicableUnit unit:M-PER-SEC2 ; + qudt:applicableUnit unit:MicroG ; + qudt:applicableUnit unit:MilliG ; + qudt:applicableUnit unit:MilliGAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Acceleration ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Linear Acceleration"@en ; +. +quantitykind:LinearAttenuationCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(\\mu = -\\frac{1}{J}\\frac{dJ}{dx}\\), where \\(J\\) is the magnitude of the current rate of a beam of particles parallel to the \\(x-direction\\). + +Or: + +\\(\\mu(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Attenuation Coefficient"@en ; +. +quantitykind:LinearCompressibility + a qudt:QuantityKind ; + dcterms:description "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change."^^rdf:HTML ; + qudt:applicableUnit unit:MicroM-PER-N ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:plainTextDescription "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Compressibility"@en ; +. +quantitykind:LinearDensity + a qudt:QuantityKind ; + dcterms:description "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M ; + qudt:applicableUnit unit:KiloGM-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_l = \\frac{dm}{dl}\\), where \\(m\\) is mass and \\(l\\) is length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Density"@en ; +. +quantitykind:LinearElectricCurrent + a qudt:QuantityKind ; + dcterms:description "\"Linear Electric Linear Current\" is the electric current per unit line."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM ; + qudt:applicableUnit unit:A-PER-M ; + qudt:applicableUnit unit:A-PER-MilliM ; + qudt:applicableUnit unit:KiloA-PER-M ; + qudt:applicableUnit unit:MilliA-PER-IN ; + qudt:applicableUnit unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI ; + qudt:plainTextDescription "\"Linear Electric Linear Current\" is the electric current per unit line." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Electric Current"@en ; + skos:broader quantitykind:LinearElectricCurrentDensity ; +. +quantitykind:LinearElectricCurrentDensity + a qudt:QuantityKind ; + dcterms:description "\"Linear Electric Linear Current Density\" is the electric current per unit length. Electric current, \\(I\\), through a curve \\(C\\) is defined as \\(I = \\int_C J _s \\times e_n\\), where \\(e_n\\) is a unit vector perpendicular to the surface and line vector element, and \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM ; + qudt:applicableUnit unit:A-PER-M ; + qudt:applicableUnit unit:A-PER-MilliM ; + qudt:applicableUnit unit:KiloA-PER-M ; + qudt:applicableUnit unit:MilliA-PER-IN ; + qudt:applicableUnit unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_s = \\rho_A v\\), where \\(\\rho_A\\) is surface density of electric charge and \\(v\\) is velocity."^^qudt:LatexString ; + qudt:symbol "J_s" ; + rdfs:isDefinedBy ; + rdfs:label "Linear Electric Current Density"@en ; + rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity ; + rdfs:seeAlso quantitykind:ElectricCurrentDensity ; +. +quantitykind:LinearEnergyTransfer + a qudt:QuantityKind ; + dcterms:description "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M ; + qudt:applicableUnit unit:KiloEV-PER-MicroM ; + qudt:applicableUnit unit:MegaEV-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Linear_energy_transfer"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_energy_transfer"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing charged particles, \\(L_\\Delta = \\frac{dE_\\Delta}{dl}\\), where \\(dE_\\Delta\\) is the mean energy lost in elctronic collisions locally to matter along a small path through the matter, minus the sum of the kinetic energies of all the electrons released with kinetic energies in excess of \\(\\Delta\\), and \\(dl\\) is the length of that path."^^qudt:LatexString ; + qudt:latexSymbol "\\(L_\\Delta\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L_\\bigtriangleup\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Energy Transfer"@en ; +. +quantitykind:LinearExpansionCoefficient + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:applicableUnit unit:PPM-PER-K ; + qudt:applicableUnit unit:PPTM-PER-K ; + qudt:expression "\\(lnr-exp-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_l = \\frac{1}{l} \\; \\frac{dl}{dT}\\), where \\(l\\) is \\(length\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_l\\)"^^qudt:LatexString ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "coefficient de dilatation linéique"@fr ; + rdfs:label "coefficiente di dilatazione lineare"@it ; + rdfs:label "coeficiente de dilatação térmica linear"@pt ; + rdfs:label "coeficiente de expansión térmica lineal"@es ; + rdfs:label "linear expansion coefficient"@en ; + rdfs:label "linearer Ausdehnungskoeffizient"@de ; + rdfs:label "współczynnik liniowej rozszerzalności cieplnej"@pl ; + rdfs:label "معدل التمدد الحراري الخطي"@ar ; + rdfs:label "線熱膨張係数"@ja ; + rdfs:label "线性热膨胀系数"@zh ; + skos:broader quantitykind:ExpansionRatio ; +. +quantitykind:LinearForce + a qudt:QuantityKind ; + dcterms:description "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:DYN-PER-CentiM ; + qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-IN ; + qudt:applicableUnit unit:MilliN-PER-M ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:N-PER-CentiM ; + qudt:applicableUnit unit:N-PER-M ; + qudt:applicableUnit unit:N-PER-MilliM ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearforcemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Force"@en ; + rdfs:label "Streckenlast"@de ; + skos:broader quantitykind:ForcePerLength ; +. +quantitykind:LinearIonization + a qudt:QuantityKind ; + dcterms:description "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(N_{il} = \\frac{1}{e}\\frac{dQ}{dl}\\), where \\(e\\) is the elementary charge and \\(dQ\\) is the average total charge of all positive ions produced over an infinitesimal element of the path with length \\(dl\\) by an ionizing charged particle."^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition." ; + qudt:symbol "N_{il}" ; + rdfs:isDefinedBy ; + rdfs:label "Linear Ionization"@en ; +. +quantitykind:LinearMomentum + a qudt:QuantityKind ; + dcterms:description "Linear momentum is the quantity obtained by multiplying the mass of a body by its linear velocity. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium.The SI unit for linear momentum is meter-kilogram per second (\\(m-kg/s\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-M-PER-SEC ; + qudt:applicableUnit unit:MegaEV-PER-SpeedOfLight ; + qudt:applicableUnit unit:N-M-SEC-PER-M ; + qudt:applicableUnit unit:N-SEC ; + qudt:applicableUnit unit:PlanckMomentum ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Momentum ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:latexDefinition "p = m\\upsilon"^^qudt:LatexString ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Linear Momentum"@en ; +. +quantitykind:LinearStiffness + a qudt:QuantityKind ; + dcterms:description "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:DYN-PER-CentiM ; + qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-FT ; + qudt:applicableUnit unit:LB_F-PER-IN ; + qudt:applicableUnit unit:MilliN-PER-M ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:N-PER-CentiM ; + qudt:applicableUnit unit:N-PER-M ; + qudt:applicableUnit unit:N-PER-MilliM ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearstiffnessmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Force"@en ; + rdfs:label "Streckenlast"@de ; + skos:broader quantitykind:ForcePerLength ; +. +quantitykind:LinearStrain + a qudt:QuantityKind ; + dcterms:description "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:exactMatch quantitykind:Strain ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\xi = \\frac{\\Delta l}{l_0}\\), where \\(\\Delta l\\) is the increase in length and \\(l_0\\) is the length in a reference state to be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Strain"@en ; + skos:broader quantitykind:Strain ; +. +quantitykind:LinearThermalExpansion + a qudt:QuantityKind ; + dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-K ; + qudt:applicableUnit unit:FT-PER-DEG_F ; + qudt:applicableUnit unit:IN-PER-DEG_F ; + qudt:applicableUnit unit:M-PER-K ; + qudt:applicableUnit unit:MicroM-PER-K ; + qudt:applicableUnit unit:MilliM-PER-K ; + qudt:applicableUnit unit:YD-PER-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/linear_thermal_expansion"^^xsd:anyURI ; + qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion." ; + rdfs:isDefinedBy ; + rdfs:label "Linear Thermal Expansion"@en ; +. +quantitykind:LinearVelocity + a qudt:QuantityKind ; + dcterms:description "Linear Velocity, as the name implies deals with speed in a straight line, the units are often \\(km/hr\\) or \\(m/s\\) or \\(mph\\) (miles per hour). Linear Velocity (v) = change in distance/change in time, where \\(v = \\bigtriangleup d/\\bigtriangleup t\\)"^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Velocity ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://au.answers.yahoo.com/question/index?qid=20080319082534AAtrClv"^^xsd:anyURI ; + qudt:symbol "v" ; + rdfs:isDefinedBy ; + rdfs:label "Linear Velocity"@en ; +. +quantitykind:LinkedFlux + a qudt:QuantityKind ; + dcterms:description "\"Linked Flux\" is defined as the path integral of the magnetic vector potential. This is the line integral of a magnetic vector potential \\(A\\) along a curve \\(C\\). The line vector element \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-A ; + qudt:applicableUnit unit:KiloWB ; + qudt:applicableUnit unit:MX ; + qudt:applicableUnit unit:MilliWB ; + qudt:applicableUnit unit:N-M-PER-A ; + qudt:applicableUnit unit:UnitPole ; + qudt:applicableUnit unit:V_Ab-SEC ; + qudt:applicableUnit unit:WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; + qudt:expression "\\(linked-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-24"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi_m = \\int_C A \\cdot dr\\), where \\(A\\) is magnetic vector potential and \\(dr\\) is the vector element of the curve \\(C\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi_m\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Linked Flux"@en ; + skos:broader quantitykind:MagneticFlux ; +. +quantitykind:LiquidVolume + a qudt:QuantityKind ; + dcterms:description "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement."^^rdf:HTML ; + qudt:applicableUnit unit:CUP ; + qudt:applicableUnit unit:CUP_US ; + qudt:applicableUnit unit:CentiL ; + qudt:applicableUnit unit:GAL_IMP ; + qudt:applicableUnit unit:GAL_UK ; + qudt:applicableUnit unit:GAL_US ; + qudt:applicableUnit unit:Kilo-FT3 ; + qudt:applicableUnit unit:L ; + qudt:applicableUnit unit:OZ_VOL_US ; + qudt:applicableUnit unit:PINT_US ; + qudt:applicableUnit unit:QT_US ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://www.ehow.com/facts_6371078_liquid-volume_.html"^^xsd:anyURI ; + qudt:plainTextDescription "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement." ; + rdfs:isDefinedBy ; + rdfs:label "Liquid Volume"@en ; + skos:broader quantitykind:Volume ; +. +quantitykind:LogOctanolAirPartitionCoefficient + a qudt:QuantityKind ; + dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances." ; + rdfs:isDefinedBy ; + rdfs:label "Octanol Air Partition Coefficient"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LogOctanolWaterPartitionCoefficient + a qudt:QuantityKind ; + dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance." ; + rdfs:isDefinedBy ; + rdfs:label "Logarithm of Octanol Water Partition Coefficient"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LogarithmicFrequencyInterval + a qudt:QuantityKind ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexDefinition "\\(G = \\log_{2}(f2/f1)\\), where \\(f1\\) and \\(f2 \\geq f1\\) are frequencies of two tones."^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Frequenzmaßintervall"@de ; + rdfs:label "Interval měření frekvence ?"@cs ; + rdfs:label "Selang kekerapan logaritma"@ms ; + rdfs:label "intervalle de fréquence logarithmique"@fr ; + rdfs:label "intervallo logaritmico di frequenza"@it ; + rdfs:label "intervalo logarítmico de frequência"@pt ; + rdfs:label "logarithmic frequency interval"@en ; + rdfs:label "logaritmik frekans aralığı"@tr ; + rdfs:label "частотный интервал"@ru ; + rdfs:label "فاصله فرکانس لگاریتمی"@fa ; + rdfs:label "对数频率间隔"@zh ; +. +quantitykind:LondonPenetrationDepth + a qudt:QuantityKind ; + dcterms:description "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/London_penetration_depth"^^xsd:anyURI ; + qudt:latexDefinition "If an applied magnetic field is parallel to the plane surface of a semi-infinite superconductor, the field penetrates the superconductor according to the expression \\(B(x) = B(0) \\exp{(\\frac{-x}{\\lambda_L})}\\), where \\(B\\) is magnetic flux density and \\(x\\) is the distance from the surface."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor." ; + qudt:symbol "λₗ" ; + rdfs:isDefinedBy ; + rdfs:label "London Penetration Depth"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Long-RangeOrderParameter + a qudt:QuantityKind ; + dcterms:description "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; + qudt:symbol "R, s" ; + rdfs:isDefinedBy ; + rdfs:label "Long-Range Order Parameter"@en ; +. +quantitykind:LorenzCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Lorenz Coefficient\" is part mof the Lorenz curve."^^rdf:HTML ; + qudt:applicableUnit unit:V2-PER-K2 ; + qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{\\lambda}{\\sigma T}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\sigma\\) is electric conductivity, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "\"Lorenz Coefficient\" is part mof the Lorenz curve." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Lorenz Coefficient"@en ; +. +quantitykind:LossAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta = \\arctan d\\), where \\(d\\) is loss factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Loss Angle"@en ; + skos:broader quantitykind:Angle ; +. +quantitykind:LossFactor + a qudt:QuantityKind ; + dcterms:description "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\frac{1}{Q}\\), where \\(Q\\) is quality factor."^^qudt:LatexString ; + qudt:plainTextDescription "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Loss Factor"@en ; + rdfs:seeAlso quantitykind:QualityFactor ; + rdfs:seeAlso quantitykind:Reactance ; + rdfs:seeAlso quantitykind:Resistance ; +. +quantitykind:LowerCriticalMagneticFluxDensity + a qudt:QuantityKind ; + dcterms:description "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS ; + qudt:applicableUnit unit:Gamma ; + qudt:applicableUnit unit:Gs ; + qudt:applicableUnit unit:KiloGAUSS ; + qudt:applicableUnit unit:MicroT ; + qudt:applicableUnit unit:MilliT ; + qudt:applicableUnit unit:NanoT ; + qudt:applicableUnit unit:T ; + qudt:applicableUnit unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor." ; + qudt:symbol "B_{c1}" ; + rdfs:isDefinedBy ; + rdfs:label "Lower Critical Magnetic Flux Density"@en ; + skos:broader quantitykind:MagneticFluxDensity ; + skos:closeMatch quantitykind:UpperCriticalMagneticFluxDensity ; +. +quantitykind:Luminance + a qudt:QuantityKind ; + dcterms:description "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle."^^rdf:HTML ; + qudt:applicableUnit unit:CD-PER-IN2 ; + qudt:applicableUnit unit:CD-PER-M2 ; + qudt:applicableUnit unit:FT-LA ; + qudt:applicableUnit unit:LA ; + qudt:applicableUnit unit:STILB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminance"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_v = \\frac{dI_v}{dA}\\), where \\(dI_v\\) is the luminous intensity of an element of the surface with the area \\(dA\\) of the orthogonal projection of this element on a plane perpendicular to the given direction."^^qudt:LatexString ; + qudt:plainTextDescription "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle." ; + qudt:symbol "L_v" ; + rdfs:isDefinedBy ; + rdfs:label "Luminance"@en ; +. +quantitykind:LuminousEfficacy + a qudt:QuantityKind ; + dcterms:description "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source."^^rdf:HTML ; + qudt:applicableUnit unit:LM-PER-W ; + qudt:expression "\\(lm/w\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; + qudt:latexDefinition "\\(K = \\frac{\\Phi_v}{\\Phi}\\), where \\(\\Phi_v\\) is the luminous flux and \\(\\Phi\\) is the corresponding radiant flux."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source." ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Efficacy"@en ; +. +quantitykind:LuminousEmittance + a qudt:QuantityKind ; + dcterms:description "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface."^^rdf:HTML ; + qudt:applicableUnit unit:FC ; + qudt:applicableUnit unit:LUX ; + qudt:applicableUnit unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface." ; + qudt:symbol "M_v" ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Emmitance"@en ; + skos:broader quantitykind:LuminousFluxPerArea ; +. +quantitykind:LuminousEnergy + a qudt:QuantityKind ; + dcterms:description "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light."^^rdf:HTML ; + qudt:applicableUnit unit:LM-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q_v = \\int_{0}^{\\Delta t}{\\Phi_v}{dt}\\), where \\(\\Phi_v\\) is the luminous flux occurring during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light." ; + qudt:symbol "Q_v" ; + qudt:symbol "Qv" ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Energy"@en ; + skos:closeMatch quantitykind:RadiantEnergy ; +. +quantitykind:LuminousExposure + a qudt:QuantityKind ; + dcterms:description "Luminous Exposure is the time-integrated illuminance."^^rdf:HTML ; + qudt:applicableUnit unit:LUX-HR ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Exposure_(photography)#Photometric_and_radiometric_exposure"^^xsd:anyURI ; + qudt:plainTextDescription "Luminous Exposure is the time-integrated illuminance." ; + qudt:symbol "H_v" ; + qudt:symbol "Hv" ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Exposure"@en ; +. +quantitykind:LuminousFlux + a qudt:QuantityKind ; + dcterms:description "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light."^^rdf:HTML ; + qudt:applicableUnit unit:LM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_flux"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi_v = K_m \\int_{0}^{\\infty}{\\Phi_\\lambda(\\lambda)}{V(\\lambda)d\\lambda}\\), where \\(K_m\\) is the maximum spectral luminous efficacy, \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux, \\(V(\\lambda)\\) is the spectral luminous efficiency, and \\(\\lambda\\) is the wavelength."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light." ; + qudt:symbol "F" ; + rdfs:isDefinedBy ; + rdfs:label "Fluks berluminositi"@ms ; + rdfs:label "Lichtstrom"@de ; + rdfs:label "Světelný tok"@cs ; + rdfs:label "fluctús lucis"@la ; + rdfs:label "flujo luminoso"@es ; + rdfs:label "flusso luminoso"@it ; + rdfs:label "flux lumineux"@fr ; + rdfs:label "flux luminos"@ro ; + rdfs:label "fluxo luminoso"@pt ; + rdfs:label "fényáram"@hu ; + rdfs:label "işık akısı"@tr ; + rdfs:label "luminous flux"@en ; + rdfs:label "strumień świetlny"@pl ; + rdfs:label "svetlobni tok"@sl ; + rdfs:label "Светлинен поток"@bg ; + rdfs:label "Световой поток"@ru ; + rdfs:label "שטף הארה"@he ; + rdfs:label "التدفق الضوئي"@ar ; + rdfs:label "شار نوری"@fa ; + rdfs:label "प्रकाशीय बहाव"@hi ; + rdfs:label "光束"@ja ; + rdfs:label "光通量"@zh ; +. +quantitykind:LuminousFluxPerArea + a qudt:QuantityKind ; + dcterms:description "In photometry, illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of how much the incident light illuminates the surface, wavelength-weighted by the luminosity function to correlate with human brightness perception. Similarly, luminous emittance is the luminous flux per unit area emitted from a surface. In SI derived units these are measured in \\(lux (lx)\\) or \\(lumens per square metre\\) (\\(cd \\cdot m^{-2}\\)). In the CGS system, the unit of illuminance is the \\(phot\\), which is equal to \\(10,000 lux\\). The \\(foot-candle\\) is a non-metric unit of illuminance that is used in photography."^^qudt:LatexString ; + qudt:applicableUnit unit:FC ; + qudt:applicableUnit unit:LUX ; + qudt:applicableUnit unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Flux per Area"@en ; +. +quantitykind:LuminousFluxRatio + a qudt:QuantityKind ; + dcterms:description "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:plainTextDescription "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Luminous Flux Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:LuminousIntensity + a qudt:QuantityKind ; + dcterms:description "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths."^^rdf:HTML ; + qudt:applicableUnit unit:CD ; + qudt:applicableUnit unit:CP ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_intensity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:plainTextDescription "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths." ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:label "Keamatan berluminositi"@ms ; + rdfs:label "Lichtstärke"@de ; + rdfs:label "Svítivost"@cs ; + rdfs:label "fényerősség"@hu ; + rdfs:label "intensidad luminosa"@es ; + rdfs:label "intensidade luminosa"@pt ; + rdfs:label "intensitas luminosa"@la ; + rdfs:label "intensitate luminoasă"@ro ; + rdfs:label "intensità luminosa"@it ; + rdfs:label "intensité lumineuse"@fr ; + rdfs:label "luminous intensity"@en ; + rdfs:label "svetilnost"@sl ; + rdfs:label "ışık şiddeti"@tr ; + rdfs:label "światłość"@pl ; + rdfs:label "Ένταση Φωτεινότητας"@el ; + rdfs:label "Интензитет на светлината"@bg ; + rdfs:label "Сила света"@ru ; + rdfs:label "עוצמת הארה"@he ; + rdfs:label "شدة الإضاءة"@ar ; + rdfs:label "شدت نور"@fa ; + rdfs:label "प्रकाशीय तीव्रता"@hi ; + rdfs:label "光度"@ja ; + rdfs:label "发光强度"@zh ; +. +quantitykind:LuminousIntensityDistribution + a qudt:QuantityKind ; + dcterms:description "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)."^^rdf:HTML ; + qudt:applicableUnit unit:CD-PER-LM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcluminousintensitydistributionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)." ; + rdfs:isDefinedBy ; + rdfs:label "Ion Concentration"@en ; +. +quantitykind:MASS-DELIVERED + a qudt:QuantityKind ; + dcterms:description "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Delivered"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MASS-GROWTH-ALLOWANCE + a qudt:QuantityKind ; + dcterms:description "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Growth Allowance"@en ; + skos:altLabel "MGA" ; + skos:broader quantitykind:Mass ; +. +quantitykind:MASS-MARGIN + a qudt:QuantityKind ; + dcterms:description "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Margin"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MASS-PROPERTY-UNCERTAINTY + a qudt:QuantityKind ; + dcterms:description "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Property Uncertainty"@en ; +. +quantitykind:MOMENT-OF-INERTIA_Y + a qudt:QuantityKind ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I_{y}" ; + rdfs:isDefinedBy ; + rdfs:label "Moment of Inertia in the Y axis"@en ; + skos:altLabel "MOI" ; + skos:broader quantitykind:MomentOfInertia ; +. +quantitykind:MOMENT-OF-INERTIA_Z + a qudt:QuantityKind ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I_{z}" ; + rdfs:isDefinedBy ; + rdfs:label "Moment of Inertia in the Z axis"@en ; + skos:altLabel "MOI" ; + skos:broader quantitykind:MomentOfInertia ; +. +quantitykind:MachNumber + a qudt:QuantityKind ; + dcterms:description "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number."^^rdf:HTML ; + qudt:applicableUnit unit:MACH ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mach_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mach_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:latexDefinition "\\(Ma = \\frac{v_o}{c_o}\\), where \\(v_0\\) is speed, and \\(c_o\\) is speed of sound."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "Ma" ; + rdfs:isDefinedBy ; + rdfs:label "Mach number"@en ; + rdfs:label "Mach sayısı"@tr ; + rdfs:label "Mach-Zahl"@de ; + rdfs:label "Machovo číslo"@cs ; + rdfs:label "Machovo število"@sl ; + rdfs:label "Nombor Mach"@ms ; + rdfs:label "liczba Macha"@pl ; + rdfs:label "nombre de Mach"@fr ; + rdfs:label "numero di Mach"@it ; + rdfs:label "număr Mach"@ro ; + rdfs:label "número de Mach"@es ; + rdfs:label "número de Mach"@pt ; + rdfs:label "число Маха"@ru ; + rdfs:label "عدد ماخ"@ar ; + rdfs:label "عدد ماخ"@fa ; + rdfs:label "मैक संख्या"@hi ; + rdfs:label "マッハ数n"@ja ; + rdfs:label "马赫"@zh ; + skos:broader quantitykind:DimensionlessRatio ; + skos:closeMatch ; +. +quantitykind:MacroscopicCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sum = n_1\\sigma_1 + \\cdots + n_j\\sigma_j +\\), where \\(n_j\\) is the number density and \\(\\sigma_j\\) the cross-section for entities of type \\(j\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sum\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; + rdfs:isDefinedBy ; + rdfs:label "Macroscopic Cross-section"@en ; + skos:broader quantitykind:CrossSection ; +. +quantitykind:MacroscopicTotalCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_cross_section"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\sum_{tot}, \\sum_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; + rdfs:isDefinedBy ; + rdfs:label "Macroscopic Total Cross-section"@en ; + skos:broader quantitykind:CrossSection ; +. +quantitykind:MadelungConstant + a qudt:QuantityKind ; + dcterms:description "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Madelung_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "For a uni-univalent ionic crystal of specified structure, the binding energy \\(V_b\\) per pair of ions is \\(V_b = \\alpha\\frac{e^2}{4\\pi \\varepsilon_0 a}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a\\) is the lattice constant which should be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist." ; + rdfs:isDefinedBy ; + rdfs:label "Constante de Madelung"@es ; + rdfs:label "Constante de Madelung"@fr ; + rdfs:label "Costante di Madelung"@it ; + rdfs:label "Madelung constant"@en ; + rdfs:label "Madelung-Konstante"@de ; + rdfs:label "Stała Madelunga"@pl ; + rdfs:label "constante de Madelung"@pt ; + rdfs:label "постоянная Маделунга"@ru ; + rdfs:label "ثابت مادلونك"@ar ; + rdfs:label "ثابت مادلونگ"@fa ; + rdfs:label "マーデルングエネルギー"@ja ; + rdfs:label "馬德隆常數"@zh ; +. +quantitykind:MagneticAreaMoment + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2 ; + qudt:applicableUnit unit:EV-PER-T ; + qudt:applicableUnit unit:J-PER-T ; + qudt:exactMatch quantitykind:MagneticMoment ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"." ; + qudt:symbol "m" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Area Moment"@en ; +. +quantitykind:MagneticDipoleMoment + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Dipole Moment\" is the magnetic moment of a system is a measure of the magnitude and the direction of its magnetism. Magnetic moment usually refers to its Magnetic Dipole Moment, and quantifies the contribution of the system's internal magnetism to the external dipolar magnetic field produced by the system (that is, the component of the external magnetic field that is inversely proportional to the cube of the distance to the observer). The Magnetic Dipole Moment is a vector-valued quantity. For a particle or nucleus, vector quantity causing an increment \\(\\Delta W = -\\mu \\cdot B\\) to its energy \\(W\\) in an external magnetic field with magnetic flux density \\(B\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:N-M2-PER-A ; + qudt:applicableUnit unit:WB-M ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-55"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(E_m = -m \\cdot B\\), where \\(E_m\\) is the interaction energy of the molecule with magnetic diploe moment \\(m\\) and a magnetic field with magnetic flux density \\(B\\) + +or, + +\\(J_m = \\mu_0 M\\) where \\(\\mu_0\\) is the magnetic constant and \\(M\\) is Magnetization."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:symbol "J_m" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Dipole Moment"@en ; +. +quantitykind:MagneticField + a qudt:QuantityKind ; + dcterms:description "The Magnetic Field, denoted \\(B\\), is a fundamental field in electrodynamics which characterizes the magnetic force exerted by electric currents. It is closely related to the auxillary magnetic field H (see quantitykind:AuxillaryMagneticField)."^^qudt:LatexString ; + qudt:applicableUnit unit:Gamma ; + qudt:applicableUnit unit:T ; + qudt:applicableUnit unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Field"@en ; +. +quantitykind:MagneticFieldStrength_H + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Magnetic Field Strength}\\) is a vector quantity obtained at a given point by subtracting the magnetization \\(M\\) from the magnetic flux density \\(B\\) divided by the magnetic constant \\(\\mu_0\\). The magnetic field strength is related to the total current density \\(J_{tot}\\) via: \\(\\text{rot} H = J_{tot}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM ; + qudt:applicableUnit unit:A-PER-M ; + qudt:applicableUnit unit:A-PER-MilliM ; + qudt:applicableUnit unit:AT-PER-IN ; + qudt:applicableUnit unit:AT-PER-M ; + qudt:applicableUnit unit:KiloA-PER-M ; + qudt:applicableUnit unit:MilliA-PER-IN ; + qudt:applicableUnit unit:MilliA-PER-MilliM ; + qudt:applicableUnit unit:OERSTED ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-56"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{H} = \\frac{\\mathbf{B} }{\\mu_0} - M\\), where \\(\\mathbf{B} \\) is magnetic flux density, \\(\\mu_0\\) is the magnetic constant and \\(M\\) is magnetization."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{H} \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Câmp magnetic"@ro ; + rdfs:label "Kekuatan medan magnetik"@ms ; + rdfs:label "Magnetické pole"@cs ; + rdfs:label "Manyetik alan"@tr ; + rdfs:label "intensidad de campo magnético"@es ; + rdfs:label "intensidade de campo magnético"@pt ; + rdfs:label "intensità di campo magnetico"@it ; + rdfs:label "intensité de champ magnétique"@fr ; + rdfs:label "jakost magnetnega polja"@sl ; + rdfs:label "magnetic field strength"@en ; + rdfs:label "magnetische Feldstärke"@de ; + rdfs:label "pole magnetyczne"@pl ; + rdfs:label "Магнитное поле"@ru ; + rdfs:label "حقل مغناطيسي"@ar ; + rdfs:label "شدت میدان مغناطیسی"@fa ; + rdfs:label "磁場"@ja ; + rdfs:label "磁場"@zh ; + skos:broader quantitykind:ElectricCurrentPerUnitLength ; +. +quantitykind:MagneticFlux + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates."^^rdf:HTML ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-A ; + qudt:applicableUnit unit:KiloWB ; + qudt:applicableUnit unit:MX ; + qudt:applicableUnit unit:MilliWB ; + qudt:applicableUnit unit:N-M-PER-A ; + qudt:applicableUnit unit:UnitPole ; + qudt:applicableUnit unit:V_Ab-SEC ; + qudt:applicableUnit unit:WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; + qudt:expression "\\(magnetic-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\int_S B \\cdot e_n d A\\), over a surface \\(S\\), where \\(B\\) is magnetic flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates." ; + rdfs:isDefinedBy ; + rdfs:label "Fluks magnet"@ms ; + rdfs:label "Flux d'induction magnétique"@fr ; + rdfs:label "Magnetický tok"@cs ; + rdfs:label "flujo magnético"@es ; + rdfs:label "flusso magnetico"@it ; + rdfs:label "flux de inducție magnetică"@ro ; + rdfs:label "fluxo magnético"@pt ; + rdfs:label "fluxus magneticus"@la ; + rdfs:label "magnetic flux"@en ; + rdfs:label "magnetischer Flux"@de ; + rdfs:label "magnetni pretok"@sl ; + rdfs:label "manyetik akı"@tr ; + rdfs:label "mágneses fluxus"@hu ; + rdfs:label "strumień magnetyczny"@pl ; + rdfs:label "Магнитен поток"@bg ; + rdfs:label "Магнитный поток"@ru ; + rdfs:label "שטף מגנטי"@he ; + rdfs:label "التدفق المغناطيسي"@ar ; + rdfs:label "شار مغناطیسی"@fa ; + rdfs:label "चुम्बकीय बहाव"@hi ; + rdfs:label "磁束"@ja ; + rdfs:label "磁通量"@zh ; +. +quantitykind:MagneticFluxDensity + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Flux Density\" is a vector quantity and is the magnetic flux per unit area of a magnetic field at right angles to the magnetic force. It can be defined in terms of the effects the field has, for example by \\(B = F/q v \\sin \\theta\\), where \\(F\\) is the force a moving charge \\(q\\) would experience if it was travelling at a velocity \\(v\\) in a direction making an angle θ with that of the field. The magnetic field strength is also a vector quantity and is related to \\(B\\) by: \\(H = B/\\mu\\), where \\(\\mu\\) is the permeability of the medium."^^qudt:LatexString ; + qudt:applicableUnit unit:GAUSS ; + qudt:applicableUnit unit:Gamma ; + qudt:applicableUnit unit:Gs ; + qudt:applicableUnit unit:KiloGAUSS ; + qudt:applicableUnit unit:MicroT ; + qudt:applicableUnit unit:MilliT ; + qudt:applicableUnit unit:NanoT ; + qudt:applicableUnit unit:T ; + qudt:applicableUnit unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1798"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{F} = qv \\times B\\), where \\(F\\) is force and \\(v\\) is velocity of any test particle with electric charge \\(q\\)."^^qudt:LatexString ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:label "Densidad de flujo magnético"@es ; + rdfs:label "Densité de flux magnétique"@fr ; + rdfs:label "Ketumpatan fluks magnet"@ms ; + rdfs:label "Magnetická indukce"@cs ; + rdfs:label "densidade de fluxo magnético"@pt ; + rdfs:label "densitas fluxus magnetici"@la ; + rdfs:label "densità di flusso magnetico"@it ; + rdfs:label "gostota magnetnega pretoka"@sl ; + rdfs:label "inducción magnética"@es ; + rdfs:label "inducție magnetică"@ro ; + rdfs:label "indukcja magnetyczna"@pl ; + rdfs:label "magnetic flux density"@en ; + rdfs:label "magnetische Flussdichte"@de ; + rdfs:label "magnetische Induktion"@de ; + rdfs:label "manyetik akı yoğunluğu"@tr ; + rdfs:label "mágneses indukció"@hu ; + rdfs:label "Магнитна индукция"@bg ; + rdfs:label "Магнитная индукция"@ru ; + rdfs:label "צפיפות שטף מגנטי"@he ; + rdfs:label "المجال المغناطيسي"@ar ; + rdfs:label "چگالی شار مغناطیسی"@fa ; + rdfs:label "चुम्बकीय क्षेत्र"@hi ; + rdfs:label "磁束密度"@ja ; + rdfs:label "磁通量密度"@zh ; + rdfs:seeAlso quantitykind:MagneticField ; +. +quantitykind:MagneticFluxPerUnitLength + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities."^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-A ; + qudt:applicableUnit unit:T-M ; + qudt:applicableUnit unit:V-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:plainTextDescription "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities." ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic flux per unit length"@en ; +. +quantitykind:MagneticMoment + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2 ; + qudt:applicableUnit unit:EV-PER-T ; + qudt:applicableUnit unit:J-PER-T ; + qudt:exactMatch quantitykind:MagneticAreaMoment ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:informativeReference "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment." ; + qudt:symbol "m" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetický dipól"@cs ; + rdfs:label "Manyetik moment"@tr ; + rdfs:label "Momen magnetik"@ms ; + rdfs:label "dipol magnetyczny"@pl ; + rdfs:label "giromagnetic moment"@en ; + rdfs:label "magnetic moment"@en ; + rdfs:label "magnetisches Dipolmoment"@de ; + rdfs:label "momen giromagnetik"@ms ; + rdfs:label "moment giromagnétique"@fr ; + rdfs:label "moment magnétique"@fr ; + rdfs:label "momento de dipolo magnético"@es ; + rdfs:label "momento de dipolo magnético"@pt ; + rdfs:label "momento di dipolo magnetico"@it ; + rdfs:label "Магнитный момент"@ru ; + rdfs:label "دوقطبی مغناطیسی"@fa ; + rdfs:label "عزم مغناطيسي"@ar ; + rdfs:label "चुम्बकीय द्विध्रुव"@hi ; + rdfs:label "磁偶极"@zh ; + rdfs:label "磁気双極子"@ja ; +. +quantitykind:MagneticPolarization + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Magnetic Polarization}\\) is a vector quantity equal to the product of the magnetization \\(M\\) and the magnetic constant \\(\\mu_0\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-54"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_m = \\mu_0 M\\), where \\(\\mu_0\\) is the magentic constant and \\(M\\) is magnetization."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_m\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Polarization"@en ; + rdfs:seeAlso constant:MagneticConstant ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; + rdfs:seeAlso quantitykind:Magnetization ; +. +quantitykind:MagneticQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis." ; + qudt:symbol "m" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; + skos:closeMatch quantitykind:PrincipalQuantumNumber ; + skos:closeMatch quantitykind:SpinQuantumNumber ; +. +quantitykind:MagneticReluctivity + a qudt:QuantityKind ; + dcterms:description "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself."^^rdf:HTML ; + qudt:applicableUnit unit:PER-T-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI ; + qudt:plainTextDescription "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself." ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Reluctivity"@en ; + rdfs:seeAlso quantitykind:ElectromagneticPermeability ; +. +quantitykind:MagneticSusceptability + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Susceptability\" is a scalar or tensor quantity the product of which by the magnetic constant \\(\\mu_0\\) and by the magnetic field strength \\(H\\) is equal to the magnetic polarization \\(J\\). The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(\\kappa = \\frac{M}{H}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-37"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\kappa = \\frac{M}{H}\\), where \\(M\\) is magnetization, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Susceptability"@en ; + rdfs:seeAlso constant:MagneticConstant ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; + rdfs:seeAlso quantitykind:Magnetization ; +. +quantitykind:MagneticTension + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-57"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_m = \\int_{r_a(C)}^{r_b} \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is the position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b." ; + qudt:symbol "U_m" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Tension"@en ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; +. +quantitykind:MagneticVectorPotential + a qudt:QuantityKind ; + dcterms:description "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero."^^rdf:HTML ; + qudt:applicableUnit unit:KiloWB-PER-M ; + qudt:applicableUnit unit:V-SEC-PER-M ; + qudt:applicableUnit unit:WB-PER-M ; + qudt:applicableUnit unit:WB-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-23"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = \\textbf{rot} A\\), where \\(B\\) is magnetic flux density."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Keupayaan vektor magnetik"@ms ; + rdfs:label "magnetic vector potential"@en ; + rdfs:label "magnetický potenciál"@cs ; + rdfs:label "magnetisches Potenzial"@de ; + rdfs:label "manyetik potansiyeli"@tr ; + rdfs:label "potencial magnético"@es ; + rdfs:label "potencial magnético"@pt ; + rdfs:label "potencjał magnetyczny"@pl ; + rdfs:label "potentiel magnétique"@fr ; + rdfs:label "potenziale vettore magnetico"@it ; + rdfs:label "potențial magnetic"@ro ; + rdfs:label "Магнитний потенциал"@ru ; + rdfs:label "پتانسیل برداری مغناطیسی"@fa ; + rdfs:label "磁向量势"@zh ; + rdfs:seeAlso quantitykind:MagneticFluxDensity ; +. +quantitykind:Magnetization + a qudt:QuantityKind ; + dcterms:description "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM ; + qudt:applicableUnit unit:A-PER-M ; + qudt:applicableUnit unit:A-PER-MilliM ; + qudt:applicableUnit unit:KiloA-PER-M ; + qudt:applicableUnit unit:MilliA-PER-IN ; + qudt:applicableUnit unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-52"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = dm/dV\\), where \\(m\\) is magentic moment of a substance in a domain with Volume \\(V\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; + qudt:symbol "H_i" ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetisierung"@de ; + rdfs:label "aimantation"@fr ; + rdfs:label "magnetización"@es ; + rdfs:label "magnetization"@en ; + rdfs:label "magnetização"@pt ; + rdfs:label "magnetizzazione"@it ; + rdfs:label "magnetyzacia"@pl ; + rdfs:label "намагниченность"@ru ; + rdfs:label "مغنطة"@ar ; + rdfs:label "磁化"@ja ; + skos:broader quantitykind:LinearElectricCurrent ; +. +quantitykind:MagnetizationField + a qudt:QuantityKind ; + dcterms:description "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:plainTextDescription "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetization Field"@en ; + skos:broader quantitykind:ElectricCurrentPerUnitLength ; +. +quantitykind:MagnetomotiveForce + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Magnetomotive Force}\\) (\\(mmf\\)) is the ability of an electric circuit to produce magnetic flux. Just as the ability of a battery to produce electric current is called its electromotive force or emf, mmf is taken as the work required to move a unit magnet pole from any point through any path which links the electric circuit back the same point in the presence of the magnetic force produced by the electric current in the circuit. \\(\\textbf{Magnetomotive Force}\\) is the scalar line integral of the magnetic field strength along a closed path."^^qudt:LatexString ; + qudt:applicableUnit unit:A ; + qudt:applicableUnit unit:AT ; + qudt:applicableUnit unit:GI ; + qudt:applicableUnit unit:OERSTED-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetomotive_force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(F_m = \\oint \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(F_m \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Magnetomotive Force"@en ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; +. +quantitykind:Mass + a qudt:QuantityKind ; + dcterms:description "In physics, mass, more specifically inertial mass, can be defined as a quantitative measure of an object's resistance to acceleration. The SI unit of mass is the kilogram (\\(kg\\))"^^qudt:LatexString ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass"^^xsd:anyURI ; + qudt:symbol "m" ; + rdfs:isDefinedBy ; + rdfs:label "Hmotnost"@cs ; + rdfs:label "Jisim"@ms ; + rdfs:label "Masse"@de ; + rdfs:label "kütle"@tr ; + rdfs:label "masa"@es ; + rdfs:label "masa"@pl ; + rdfs:label "masa"@sl ; + rdfs:label "mass"@en ; + rdfs:label "massa"@it ; + rdfs:label "massa"@la ; + rdfs:label "massa"@pt ; + rdfs:label "masse"@fr ; + rdfs:label "masă"@ro ; + rdfs:label "tömeg"@hu ; + rdfs:label "Μάζα"@el ; + rdfs:label "Маса"@bg ; + rdfs:label "Масса"@ru ; + rdfs:label "מסה"@he ; + rdfs:label "جرم"@fa ; + rdfs:label "كتلة"@ar ; + rdfs:label "भार"@hi ; + rdfs:label "質量"@ja ; + rdfs:label "质量"@zh ; +. +quantitykind:MassAbsorptionCoefficient + a qudt:QuantityKind ; + dcterms:description "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/mass+absorption+coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_m = \\frac{a}{\\rho}\\), where \\(a\\) is the linear absorption coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; + qudt:latexSymbol "\\(a_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Absorption Coefficient"@en ; +. +quantitykind:MassAmountOfSubstance + a qudt:QuantityKind ; + qudt:applicableUnit unit:LB-MOL ; + qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mass Amount of Substance"@en ; +. +quantitykind:MassAmountOfSubstanceTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:LB-MOL-DEG_F ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mass Amount of Substance Temperature"@en ; +. +quantitykind:MassAttenuationCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-GM ; + qudt:applicableUnit unit:M2-PER-GM_DRY ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_m = \\frac{\\mu}{\\rho}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Attenuation Coefficient"@en ; +. +quantitykind:MassConcentration + a qudt:QuantityKind ; + dcterms:description "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-MilliL ; + qudt:applicableUnit unit:MilliGM-PER-MilliL ; + qudt:applicableUnit unit:NanoGM-PER-MilliL ; + qudt:applicableUnit unit:PicoGM-PER-MilliL ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_concentration_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_B = \\frac{m_B}{V}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Concentration"@en ; +. +quantitykind:MassConcentrationOfWater + a qudt:QuantityKind ; + dcterms:description "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water, irrespective of the form of aggregation, and \\(V\\) is volume. Mass concentration of water at saturation is denoted \\(w_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Concentration of Water"@en ; +. +quantitykind:MassConcentrationOfWaterVapour + a qudt:QuantityKind ; + dcterms:description "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water vapour and \\(V\\) is total gas volume. Mass concentration of water vapour at saturation is denoted \\(v_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "v" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Concentration of Water Vapour"@en ; +. +quantitykind:MassDefect + a qudt:QuantityKind ; + dcterms:description "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = Zm(^{1}\\textrm{H}) + Nm_n - m_a\\), where \\(Z\\) is the proton number of the atom, \\(m(^{1}\\textrm{H})\\) is atomic mass of \\(^{1}\\textrm{H}\\), \\(N\\) is the neutron number, \\(m_n\\) is the rest mass of the neutron, and \\(m_a\\) is the rest mass of the atom."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei." ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Defect"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MassDensity + a qudt:QuantityKind ; + dcterms:description "The mass density or density of a material is its mass per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:DEGREE_BALLING ; + qudt:applicableUnit unit:DEGREE_BAUME ; + qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; + qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; + qudt:applicableUnit unit:DEGREE_BRIX ; + qudt:applicableUnit unit:DEGREE_OECHSLE ; + qudt:applicableUnit unit:DEGREE_PLATO ; + qudt:applicableUnit unit:DEGREE_TWADDELL ; + qudt:applicableUnit unit:FemtoGM-PER-L ; + qudt:applicableUnit unit:GM-PER-CentiM3 ; + qudt:applicableUnit unit:GM-PER-DeciL ; + qudt:applicableUnit unit:GM-PER-DeciM3 ; + qudt:applicableUnit unit:GM-PER-L ; + qudt:applicableUnit unit:GM-PER-M3 ; + qudt:applicableUnit unit:GM-PER-MilliL ; + qudt:applicableUnit unit:GRAIN-PER-GAL ; + qudt:applicableUnit unit:GRAIN-PER-GAL_US ; + qudt:applicableUnit unit:GRAIN-PER-M3 ; + qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; + qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; + qudt:applicableUnit unit:KiloGM-PER-L ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:applicableUnit unit:LB-PER-FT3 ; + qudt:applicableUnit unit:LB-PER-GAL ; + qudt:applicableUnit unit:LB-PER-GAL_UK ; + qudt:applicableUnit unit:LB-PER-GAL_US ; + qudt:applicableUnit unit:LB-PER-IN3 ; + qudt:applicableUnit unit:LB-PER-M3 ; + qudt:applicableUnit unit:LB-PER-YD3 ; + qudt:applicableUnit unit:MegaGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-DeciL ; + qudt:applicableUnit unit:MicroGM-PER-L ; + qudt:applicableUnit unit:MicroGM-PER-M3 ; + qudt:applicableUnit unit:MicroGM-PER-MilliL ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:applicableUnit unit:MilliGM-PER-L ; + qudt:applicableUnit unit:MilliGM-PER-M3 ; + qudt:applicableUnit unit:MilliGM-PER-MilliL ; + qudt:applicableUnit unit:NanoGM-PER-DeciL ; + qudt:applicableUnit unit:NanoGM-PER-L ; + qudt:applicableUnit unit:NanoGM-PER-M3 ; + qudt:applicableUnit unit:NanoGM-PER-MicroL ; + qudt:applicableUnit unit:NanoGM-PER-MilliL ; + qudt:applicableUnit unit:OZ-PER-GAL ; + qudt:applicableUnit unit:OZ-PER-GAL_UK ; + qudt:applicableUnit unit:OZ-PER-GAL_US ; + qudt:applicableUnit unit:OZ-PER-IN3 ; + qudt:applicableUnit unit:OZ-PER-YD3 ; + qudt:applicableUnit unit:PicoGM-PER-L ; + qudt:applicableUnit unit:PicoGM-PER-MilliL ; + qudt:applicableUnit unit:PlanckDensity ; + qudt:applicableUnit unit:SLUG-PER-FT3 ; + qudt:applicableUnit unit:TONNE-PER-M3 ; + qudt:applicableUnit unit:TON_LONG-PER-YD3 ; + qudt:applicableUnit unit:TON_Metric-PER-M3 ; + qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; + qudt:applicableUnit unit:TON_UK-PER-YD3 ; + qudt:applicableUnit unit:TON_US-PER-YD3 ; + qudt:exactMatch quantitykind:Density ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{dm}{dV}\\), where \\(m\\) is mass and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The mass density or density of a material is its mass per unit volume." ; + rdfs:isDefinedBy ; + rdfs:label " jisim isipadu"@ms ; + rdfs:label "Gostôta"@sl ; + rdfs:label "Ketumpatan jisim"@ms ; + rdfs:label "Massendichte"@de ; + rdfs:label "densidad"@es ; + rdfs:label "densidade"@pt ; + rdfs:label "densitate"@ro ; + rdfs:label "densità"@it ; + rdfs:label "densité"@fr ; + rdfs:label "gęstość"@pl ; + rdfs:label "hustota"@cs ; + rdfs:label "mass density"@en ; + rdfs:label "massa volumica"@it ; + rdfs:label "volumenbezogene Masse"@de ; + rdfs:label "volumic mass"@en ; + rdfs:label "yoğunluk"@tr ; + rdfs:label "плотность"@ru ; + rdfs:label "الكثافة"@ar ; + rdfs:label "چگالی"@fa ; + rdfs:label "घनत्व"@hi ; + rdfs:label "भार घनत्व"@hi ; + rdfs:label "密度"@ja ; + rdfs:label "密度"@zh ; +. +quantitykind:MassEnergyTransferCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://physics.nist.gov/PhysRefData/XrayMassCoef/chap3.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\frac{\\mu_{tr}}{\\rho} = -\\frac{1}{\\rho}\\frac{1}{R}\\frac{dR_{tr}}{dl}\\), where \\(dR_{tr}\\) is the mean energy that is transferred to kinetic energy of charged particles by interactions of the incident radiation \\(R\\) in traversing a distance \\(dl\\) in the material of density \\(\\rho\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\frac{\\mu_{tr}}{\\rho}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Energy Transfer Coefficient"@en ; +. +quantitykind:MassExcess + a qudt:QuantityKind ; + dcterms:description "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta = m_a - Am_u\\), where \\(m_a\\) is the rest mass of the atom, \\(A\\) is its nucleon number, and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Excess"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MassFlowRate + a qudt:QuantityKind ; + dcterms:description "\"Mass Flow Rate\" is a measure of Mass flux. The common symbol is \\(\\dot{m}\\) (pronounced \"m-dot\"), although sometimes \\(\\mu\\) is used. The SI units are \\(kg s-1\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DYN-SEC-PER-CentiM ; + qudt:applicableUnit unit:GM-PER-DAY ; + qudt:applicableUnit unit:GM-PER-HR ; + qudt:applicableUnit unit:GM-PER-MIN ; + qudt:applicableUnit unit:GM-PER-SEC ; + qudt:applicableUnit unit:KiloGM-PER-DAY ; + qudt:applicableUnit unit:KiloGM-PER-HR ; + qudt:applicableUnit unit:KiloGM-PER-MIN ; + qudt:applicableUnit unit:KiloGM-PER-SEC ; + qudt:applicableUnit unit:LB-PER-DAY ; + qudt:applicableUnit unit:LB-PER-HR ; + qudt:applicableUnit unit:LB-PER-MIN ; + qudt:applicableUnit unit:LB-PER-SEC ; + qudt:applicableUnit unit:MilliGM-PER-DAY ; + qudt:applicableUnit unit:MilliGM-PER-HR ; + qudt:applicableUnit unit:MilliGM-PER-MIN ; + qudt:applicableUnit unit:MilliGM-PER-SEC ; + qudt:applicableUnit unit:OZ-PER-DAY ; + qudt:applicableUnit unit:OZ-PER-HR ; + qudt:applicableUnit unit:OZ-PER-MIN ; + qudt:applicableUnit unit:OZ-PER-SEC ; + qudt:applicableUnit unit:SLUG-PER-DAY ; + qudt:applicableUnit unit:SLUG-PER-HR ; + qudt:applicableUnit unit:SLUG-PER-MIN ; + qudt:applicableUnit unit:SLUG-PER-SEC ; + qudt:applicableUnit unit:TONNE-PER-DAY ; + qudt:applicableUnit unit:TONNE-PER-HR ; + qudt:applicableUnit unit:TONNE-PER-MIN ; + qudt:applicableUnit unit:TONNE-PER-SEC ; + qudt:applicableUnit unit:TON_Metric-PER-DAY ; + qudt:applicableUnit unit:TON_Metric-PER-HR ; + qudt:applicableUnit unit:TON_Metric-PER-MIN ; + qudt:applicableUnit unit:TON_Metric-PER-SEC ; + qudt:applicableUnit unit:TON_SHORT-PER-HR ; + qudt:applicableUnit unit:TON_UK-PER-DAY ; + qudt:applicableUnit unit:TON_US-PER-DAY ; + qudt:applicableUnit unit:TON_US-PER-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mass_flow_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flow_rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_m = \\frac{dm}{dt}\\), where \\(m\\) is mass and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{m}\\)"^^qudt:LatexString ; + qudt:symbol "q_m" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Flow Rate"@en ; + rdfs:seeAlso quantitykind:SpecificImpulse ; +. +quantitykind:MassFraction + a qudt:QuantityKind ; + dcterms:description "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_fraction_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_B = \\frac{m_B}{m}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(m\\) is the total."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ." ; + qudt:symbol "w_B" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Fraction"@en ; +. +quantitykind:MassFractionOfDryMatter + a qudt:QuantityKind ; + dcterms:description "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_d= 1 - w_{h2o}\\), where \\(w_{h2o}\\) is mass fraction of water."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w_d" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Fraction of Dry Matter"@en ; + rdfs:seeAlso quantitykind:MassFractionOfWater ; +. +quantitykind:MassFractionOfWater + a qudt:QuantityKind ; + dcterms:description "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_{H_2o} = \\frac{u}{1+u}\\), where \\(u\\) is mass ratio of water to dry water."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w_{H_2o}" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Fraction of Water"@en ; + rdfs:seeAlso quantitykind:MassFractionOfDryMatter ; +. +quantitykind:MassNumber + a qudt:QuantityKind ; + dcterms:description "The \"Mass Number\" (A), also called atomic mass number or nucleon number, is the total number of protons and neutrons (together known as nucleons) in an atomic nucleus. Nuclides with the same value of \\(A\\) are called isobars."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number."^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Number"@en ; + skos:broader quantitykind:Count ; +. +quantitykind:MassOfElectricalPowerSupply + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{E}" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Of Electrical Power Supply"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MassOfSolidBooster + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{SB}" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Of Solid Booster"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MassOfTheEarth + a qudt:QuantityKind ; + dcterms:description "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:latexSymbol "\\(M_{\\oplus}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets." ; + rdfs:isDefinedBy ; + rdfs:label "Mass Of The Earth"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MassPerArea + a qudt:QuantityKind ; + dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area. The SI derived unit is: kilogram per square metre (\\(kg \\cdot m^{-2}\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:GM-PER-CentiM2 ; + qudt:applicableUnit unit:GM-PER-M2 ; + qudt:applicableUnit unit:KiloGM-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM-PER-FT2 ; + qudt:applicableUnit unit:KiloGM-PER-HA ; + qudt:applicableUnit unit:KiloGM-PER-KiloM2 ; + qudt:applicableUnit unit:KiloGM-PER-M2 ; + qudt:applicableUnit unit:LB-PER-FT2 ; + qudt:applicableUnit unit:LB-PER-IN2 ; + qudt:applicableUnit unit:MegaGM-PER-HA ; + qudt:applicableUnit unit:MicroG-PER-CentiM2 ; + qudt:applicableUnit unit:MilliGM-PER-CentiM2 ; + qudt:applicableUnit unit:MilliGM-PER-HA ; + qudt:applicableUnit unit:MilliGM-PER-M2 ; + qudt:applicableUnit unit:OZ-PER-FT2 ; + qudt:applicableUnit unit:OZ-PER-YD2 ; + qudt:applicableUnit unit:SLUG-PER-FT2 ; + qudt:applicableUnit unit:TONNE-PER-HA ; + qudt:applicableUnit unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac {m} {A}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Area"@en ; +. +quantitykind:MassPerAreaTime + a qudt:QuantityKind ; + dcterms:description "In Physics and Engineering, mass flux is the rate of mass flow per unit area. The common symbols are \\(j\\), \\(J\\), \\(\\phi\\), or \\(\\Phi\\) (Greek lower or capital Phi), sometimes with subscript \\(m\\) to indicate mass is the flowing quantity. Its SI units are \\( kg s^{-1} m^{-2}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DYN-SEC-PER-CentiM3 ; + qudt:applicableUnit unit:GM-PER-CentiM2-YR ; + qudt:applicableUnit unit:GM-PER-M2-DAY ; + qudt:applicableUnit unit:GM_Carbon-PER-M2-DAY ; + qudt:applicableUnit unit:GM_Nitrogen-PER-M2-DAY ; + qudt:applicableUnit unit:KiloGM-PER-M2-SEC ; + qudt:applicableUnit unit:KiloGM-PER-SEC-M2 ; + qudt:applicableUnit unit:MicroGM-PER-M2-DAY ; + qudt:applicableUnit unit:MilliGM-PER-M2-DAY ; + qudt:applicableUnit unit:MilliGM-PER-M2-HR ; + qudt:applicableUnit unit:MilliGM-PER-M2-SEC ; + qudt:applicableUnit unit:TONNE-PER-HA-YR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flux"^^xsd:anyURI ; + qudt:latexSymbol "\\(j_m = \\lim\\limits_{A \\rightarrow 0}\\frac{I_m}{A}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Area Time"@en ; +. +quantitykind:MassPerElectricCharge + a qudt:QuantityKind ; + dcterms:description "The mass-to-charge ratio ratio (\\(m/Q\\)) is a physical quantity that is widely used in the electrodynamics of charged particles, for example, in electron optics and ion optics. The importance of the mass-to-charge ratio, according to classical electrodynamics, is that two particles with the same mass-to-charge ratio move in the same path in a vacuum when subjected to the same electric and magnetic fields. Its SI units are \\(kg/C\\), but it can also be measured in Thomson (\\(Th\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:T-SEC ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass-to-charge_ratio"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Electric Charge"@en ; +. +quantitykind:MassPerEnergy + a qudt:QuantityKind ; + dcterms:description "Mass per Energy (\\(m/E\\)) is a physical quantity that bridges mass and energy. The SI unit is \\(kg/J\\) or equivalently \\(s^2/m^2\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-PER-GigaJ ; + qudt:applicableUnit unit:KiloGM-PER-J ; + qudt:applicableUnit unit:KiloGM-PER-MegaBTU_IT ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:plainTextDescription "Mass per Energy is a physical quantity that can be used to relate the energy of a system to its mass." ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Energy"@en ; +. +quantitykind:MassPerLength + a qudt:QuantityKind ; + dcterms:description "Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects. The SI unit of linear density is the kilogram per metre (\\(kg/m\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:Denier ; + qudt:applicableUnit unit:GM-PER-KiloM ; + qudt:applicableUnit unit:GM-PER-M ; + qudt:applicableUnit unit:GM-PER-MilliM ; + qudt:applicableUnit unit:KiloGM-PER-M ; + qudt:applicableUnit unit:KiloGM-PER-MilliM ; + qudt:applicableUnit unit:LB-PER-FT ; + qudt:applicableUnit unit:LB-PER-IN ; + qudt:applicableUnit unit:MilliGM-PER-M ; + qudt:applicableUnit unit:SLUG-PER-FT ; + qudt:applicableUnit unit:TEX ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Length"@en ; +. +quantitykind:MassPerTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:KiloGM-PER-HR ; + qudt:applicableUnit unit:KiloGM-PER-SEC ; + qudt:applicableUnit unit:LB-PER-HR ; + qudt:applicableUnit unit:LB-PER-MIN ; + qudt:applicableUnit unit:N-SEC-PER-M ; + qudt:applicableUnit unit:NanoGM-PER-DAY ; + qudt:applicableUnit unit:SLUG-PER-SEC ; + qudt:applicableUnit unit:TON_SHORT-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mass per Time"@en ; +. +quantitykind:MassRatio + a qudt:QuantityKind ; + dcterms:description "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)"^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; + qudt:applicableUnit unit:GM-PER-GM ; + qudt:applicableUnit unit:GM-PER-KiloGM ; + qudt:applicableUnit unit:KiloGM-PER-KiloGM ; + qudt:applicableUnit unit:MicroGM-PER-GM ; + qudt:applicableUnit unit:MicroGM-PER-KiloGM ; + qudt:applicableUnit unit:MilliGM-PER-GM ; + qudt:applicableUnit unit:MilliGM-PER-KiloGM ; + qudt:applicableUnit unit:NanoGM-PER-KiloGM ; + qudt:applicableUnit unit:PicoGM-PER-GM ; + qudt:applicableUnit unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)" ; + qudt:symbol "R or M_{R}" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Ratio"@en ; +. +quantitykind:MassRatioOfWaterToDryMatter + a qudt:QuantityKind ; + dcterms:description "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry matter. Mass ratio of water to dry matter at saturation is denoted \\(u_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Concentration of Water To Dry Matter"@en ; +. +quantitykind:MassRatioOfWaterVapourToDryGas + a qudt:QuantityKind ; + dcterms:description "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry gas. Mass ratio of water vapour to dry gas at saturation is denoted \\(x_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; + qudt:symbol "x" ; + rdfs:isDefinedBy ; + rdfs:label "Mass Ratio of Water Vapour to Dry Gas"@en ; +. +quantitykind:MassTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:GM-PER-DEG_C ; + qudt:applicableUnit unit:KiloGM-K ; + qudt:applicableUnit unit:LB-DEG_F ; + qudt:applicableUnit unit:LB-DEG_R ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mass Temperature"@en ; +. +quantitykind:MassicActivity + a qudt:QuantityKind ; + dcterms:description "\"Massic Activity\" is the activity divided by the total mass of the sample."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/massic%20activity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Massic Activity\" is the activity divided by the total mass of the sample." ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "Massic Activity"@en ; +. +quantitykind:MassieuFunction + a qudt:QuantityKind ; + dcterms:description "The Massieu function, \\(\\Psi\\), is defined as: \\(\\Psi = \\Psi (X_1, \\dots , X_i, Y_{i+1}, \\dots , Y_r )\\), where for every system with degree of freedom \\(r\\) one may choose \\(r\\) variables, e.g. , to define a coordinate system, where \\(X\\) and \\(Y\\) are extensive and intensive variables, respectively, and where at least one extensive variable must be within this set in order to define the size of the system. The \\((r + 1)^{th}\\) variable,\\(\\Psi\\) , is then called the Massieu function."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Massieu_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(J = -A/T\\), where \\(A\\) is Helmholtz energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:label "Massieu Function"@en ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; +. +quantitykind:MaxExpectedOperatingThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Maximum Expected Operating Thrust"@en ; + skos:altLabel "MEOT" ; + skos:broader quantitykind:MaxOperatingThrust ; +. +quantitykind:MaxOperatingThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Max Operating Thrust"@en ; + skos:altLabel "MOT" ; + skos:broader quantitykind:Thrust ; +. +quantitykind:MaxSeaLevelThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:comment "Max Sea Level thrust (Mlbf) " ; + rdfs:isDefinedBy ; + rdfs:label "Max Sea Level Thrust"@en ; + skos:broader quantitykind:Thrust ; +. +quantitykind:MaximumBeta-ParticleEnergy + a qudt:QuantityKind ; + dcterms:description "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process." ; + qudt:symbol "Eᵦ" ; + rdfs:isDefinedBy ; + rdfs:label "Maximum Beta-Particle Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:MaximumExpectedOperatingPressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Maximum Expected Operating Pressure"@en ; + skos:altLabel "MEOP" ; + skos:broader quantitykind:Pressure ; +. +quantitykind:MaximumOperatingPressure + a qudt:QuantityKind ; + qudt:abbreviation "MOP" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Maximum Operating Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:MeanEnergyImparted + a qudt:QuantityKind ; + dcterms:description "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:latexDefinition "To the matter in a given domain, \\(\\bar{\\varepsilon} = R_{in} - R_{out} + \\sum Q\\), where \\(R_{in}\\) is the radiant energy of all those charged and uncharged ionizing particles that enter the domain, \\(R_{out}\\) is the radiant energy of all those charged and uncharged ionizing particles that leave the domain, and \\(\\sum Q\\) is the sum of all changes of the rest energy of nuclei and elementary particles that occur in that domain."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter." ; + qudt:symbol "ε̅" ; + rdfs:isDefinedBy ; + rdfs:label "Mean Energy Imparted"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:MeanFreePath + a qudt:QuantityKind ; + dcterms:description "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties."^^rdf:HTML ; + qudt:abbreviation "m" ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mean_free_path"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties." ; + qudt:symbol "λ" ; + rdfs:isDefinedBy ; + rdfs:label "Mean Free Path"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:MeanLifetime + a qudt:QuantityKind ; + dcterms:description "The \"Mean Lifetime\" is the average length of time that an element remains in the set of discrete elements in a decaying quantity, \\(N(t)\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{1}{\\lambda}\\), where \\(\\lambda\\) is the decay constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Mean Lifetime"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:MeanLinearRange + a qudt:QuantityKind ; + dcterms:description "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/M03782.html"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Mean Linear Range"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:MeanMassRange + a qudt:QuantityKind ; + dcterms:description "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2 ; + qudt:applicableUnit unit:LB-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/M03783.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_\\rho = R\\rho\\), where \\(R\\) is the mean linear range and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; + qudt:latexSymbol "\\(R_\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material." ; + rdfs:isDefinedBy ; + rdfs:label "Mean Mass Range"@en ; +. +quantitykind:MechanicalEnergy + a qudt:QuantityKind ; + dcterms:description "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mechanical_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mechanical_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = T + V\\), where \\(T\\) is kinetic energy and \\(V\\) is potential energy."^^qudt:LatexString ; + qudt:plainTextDescription "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Mechanical Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:MechanicalImpedance + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mechanical Impedance"@en ; +. +quantitykind:MechanicalMobility + a qudt:QuantityKind ; + qudt:applicableUnit unit:MOHM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mechanical Mobility"@en ; +. +quantitykind:MechanicalSurfaceImpedance + a qudt:QuantityKind ; + dcterms:description "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:latexDefinition "\\(Z_m = Z_a A^2\\), where \\(A\\) is the area of the surface considered and \\(Z_a\\) is the acoustic impedance."^^qudt:LatexString ; + qudt:plainTextDescription "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force" ; + qudt:symbol "Z" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:comment "There are various interpretations of MechanicalSurfaceImpedance: Pressure/Velocity - https://apps.dtic.mil/sti/pdfs/ADA315595.pdf, Force / Speed - https://www.wikidata.org/wiki/Q6421317, and (Pressure / Velocity)**0.5 - https://www.sciencedirect.com/topics/engineering/mechanical-impedance. We are seeking a resolution to these differences." ; + rdfs:isDefinedBy ; + rdfs:label "Mechanical surface impedance"@en ; +. +quantitykind:MeltingPoint + a qudt:QuantityKind ; + dcterms:description "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium." ; + rdfs:isDefinedBy ; + rdfs:label "Melting Point Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:MicroCanonicalPartitionFunction + a qudt:QuantityKind ; + dcterms:description "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Microcanonical_ensemble"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)#Grand_canonical_partition_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Omega = \\sum_r 1\\), where the sum is over all quantum states consistent with given energy. volume, external fields, and content."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Omega\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles." ; + rdfs:isDefinedBy ; + rdfs:label "Micro Canonical Partition Function"@en ; + skos:broader quantitykind:CanonicalPartitionFunction ; +. +quantitykind:MicrobialFormation + a qudt:QuantityKind ; + qudt:applicableUnit unit:CFU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Microbial Formation"@en ; +. +quantitykind:MigrationArea + a qudt:QuantityKind ; + dcterms:description "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons." ; + qudt:symbol "M^2" ; + rdfs:isDefinedBy ; + rdfs:label "Migration Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:MigrationLength + a qudt:QuantityKind ; + dcterms:description "\"Migration Length\" is the square root of the migration area."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = \\sqrt{M^2}\\), where \\(M^2\\) is the migration area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Migration Length\" is the square root of the migration area." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Migration Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Mobility + a qudt:QuantityKind ; + dcterms:description "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-V-SEC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_mobility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength." ; + rdfs:isDefinedBy ; + rdfs:label "Beweglichkeit"@de ; + rdfs:label "Mobilität"@de ; + rdfs:label "mobilidade"@pt ; + rdfs:label "mobility"@en ; + rdfs:label "mobilità"@it ; + rdfs:label "mobilité"@fr ; + rdfs:label "mobilność"@pl ; + rdfs:label "movilidad"@es ; + rdfs:label "قابلية التحرك"@ar ; + rdfs:label "移動度"@ja ; + rdfs:label "迁移率"@zh ; +. +quantitykind:MobilityRatio + a qudt:QuantityKind ; + dcterms:description "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://baervan.nmt.edu/research_groups/reservoir_sweep_improvement/pages/clean_up/mobility.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(b = \\frac{\\mu_n}{\\mu_p}\\), where \\(\\mu_n\\) and \\(\\mu_p\\) are mobilities for electrons and holes, respectively."^^qudt:LatexString ; + qudt:plainTextDescription "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + rdfs:label "Mobility Ratio"@en ; +. +quantitykind:ModulusOfAdmittance + a qudt:QuantityKind ; + dcterms:description "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Y = \\left | \\underline{Y} \\right |\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"." ; + qudt:symbol "Y" ; + rdfs:isDefinedBy ; + rdfs:label "Modulus Of Admittance"@en ; + rdfs:seeAlso quantitykind:Admittance ; +. +quantitykind:ModulusOfElasticity + a qudt:QuantityKind ; + dcterms:description "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it."^^rdf:HTML ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Elastic_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{\\sigma}{\\varepsilon}\\), where \\(\\sigma\\) is the normal stress and \\(\\varepsilon\\) is the linear strain."^^qudt:LatexString ; + qudt:plainTextDescription "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:label "Modulus of Elasticity"@en ; +. +quantitykind:ModulusOfImpedance + a qudt:QuantityKind ; + dcterms:description """\"Modulus Of Impedance} is the absolute value of the quantity \\textit{impedance\". Apparent impedance is defined more generally as + +the quotient of rms voltage and rms electric current; it is often denoted by \\(Z\\)."""^^qudt:LatexString ; + qudt:applicableUnit unit:OHM ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\left | \\underline{Z} \\right |\\), where \\(\\underline{Z}\\) is impedance."^^qudt:LatexString ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Modulus Of Impedance"@en ; + rdfs:seeAlso quantitykind:Impedance ; +. +quantitykind:ModulusOfLinearSubgradeReaction + a qudt:QuantityKind ; + dcterms:description "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2"^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusoflinearsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2" ; + rdfs:isDefinedBy ; + rdfs:label "Modulus of Linear Subgrade Reaction"@en ; + skos:broader quantitykind:ForcePerArea ; +. +quantitykind:ModulusOfRotationalSubgradeReaction + a qudt:QuantityKind ; + dcterms:description "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)."^^rdf:HTML ; + qudt:applicableUnit unit:N-M-PER-M-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofrotationalsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)." ; + rdfs:isDefinedBy ; + rdfs:label "Modulus of Rotational Subgrade Reaction"@en ; + skos:broader quantitykind:ForcePerAngle ; +. +quantitykind:ModulusOfSubgradeReaction + a qudt:QuantityKind ; + dcterms:description "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3."^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3." ; + rdfs:isDefinedBy ; + rdfs:label "Modulus of Subgrade Reaction"@en ; +. +quantitykind:MoistureDiffusivity + a qudt:QuantityKind ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; + qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; + qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; + qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; + qudt:applicableUnit unit:BBL_US-PER-DAY ; + qudt:applicableUnit unit:BBL_US-PER-MIN ; + qudt:applicableUnit unit:BBL_US_PET-PER-HR ; + qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; + qudt:applicableUnit unit:BU_UK-PER-DAY ; + qudt:applicableUnit unit:BU_UK-PER-HR ; + qudt:applicableUnit unit:BU_UK-PER-MIN ; + qudt:applicableUnit unit:BU_UK-PER-SEC ; + qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; + qudt:applicableUnit unit:BU_US_DRY-PER-HR ; + qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; + qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; + qudt:applicableUnit unit:CentiM3-PER-DAY ; + qudt:applicableUnit unit:CentiM3-PER-HR ; + qudt:applicableUnit unit:CentiM3-PER-MIN ; + qudt:applicableUnit unit:CentiM3-PER-SEC ; + qudt:applicableUnit unit:DeciM3-PER-DAY ; + qudt:applicableUnit unit:DeciM3-PER-HR ; + qudt:applicableUnit unit:DeciM3-PER-MIN ; + qudt:applicableUnit unit:DeciM3-PER-SEC ; + qudt:applicableUnit unit:FT3-PER-DAY ; + qudt:applicableUnit unit:FT3-PER-HR ; + qudt:applicableUnit unit:FT3-PER-MIN ; + qudt:applicableUnit unit:FT3-PER-SEC ; + qudt:applicableUnit unit:GAL_UK-PER-DAY ; + qudt:applicableUnit unit:GAL_UK-PER-HR ; + qudt:applicableUnit unit:GAL_UK-PER-MIN ; + qudt:applicableUnit unit:GAL_UK-PER-SEC ; + qudt:applicableUnit unit:GAL_US-PER-DAY ; + qudt:applicableUnit unit:GAL_US-PER-HR ; + qudt:applicableUnit unit:GAL_US-PER-MIN ; + qudt:applicableUnit unit:GAL_US-PER-SEC ; + qudt:applicableUnit unit:GI_UK-PER-DAY ; + qudt:applicableUnit unit:GI_UK-PER-HR ; + qudt:applicableUnit unit:GI_UK-PER-MIN ; + qudt:applicableUnit unit:GI_UK-PER-SEC ; + qudt:applicableUnit unit:GI_US-PER-DAY ; + qudt:applicableUnit unit:GI_US-PER-HR ; + qudt:applicableUnit unit:GI_US-PER-MIN ; + qudt:applicableUnit unit:GI_US-PER-SEC ; + qudt:applicableUnit unit:IN3-PER-HR ; + qudt:applicableUnit unit:IN3-PER-MIN ; + qudt:applicableUnit unit:IN3-PER-SEC ; + qudt:applicableUnit unit:KiloL-PER-HR ; + qudt:applicableUnit unit:L-PER-DAY ; + qudt:applicableUnit unit:L-PER-HR ; + qudt:applicableUnit unit:L-PER-MIN ; + qudt:applicableUnit unit:L-PER-SEC ; + qudt:applicableUnit unit:M3-PER-DAY ; + qudt:applicableUnit unit:M3-PER-HR ; + qudt:applicableUnit unit:M3-PER-MIN ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:applicableUnit unit:MilliL-PER-DAY ; + qudt:applicableUnit unit:MilliL-PER-HR ; + qudt:applicableUnit unit:MilliL-PER-MIN ; + qudt:applicableUnit unit:MilliL-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; + qudt:applicableUnit unit:PINT_UK-PER-DAY ; + qudt:applicableUnit unit:PINT_UK-PER-HR ; + qudt:applicableUnit unit:PINT_UK-PER-MIN ; + qudt:applicableUnit unit:PINT_UK-PER-SEC ; + qudt:applicableUnit unit:PINT_US-PER-DAY ; + qudt:applicableUnit unit:PINT_US-PER-HR ; + qudt:applicableUnit unit:PINT_US-PER-MIN ; + qudt:applicableUnit unit:PINT_US-PER-SEC ; + qudt:applicableUnit unit:PK_UK-PER-DAY ; + qudt:applicableUnit unit:PK_UK-PER-HR ; + qudt:applicableUnit unit:PK_UK-PER-MIN ; + qudt:applicableUnit unit:PK_UK-PER-SEC ; + qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; + qudt:applicableUnit unit:PK_US_DRY-PER-HR ; + qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; + qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; + qudt:applicableUnit unit:QT_UK-PER-DAY ; + qudt:applicableUnit unit:QT_UK-PER-HR ; + qudt:applicableUnit unit:QT_UK-PER-MIN ; + qudt:applicableUnit unit:QT_UK-PER-SEC ; + qudt:applicableUnit unit:QT_US-PER-DAY ; + qudt:applicableUnit unit:QT_US-PER-HR ; + qudt:applicableUnit unit:QT_US-PER-MIN ; + qudt:applicableUnit unit:QT_US-PER-SEC ; + qudt:applicableUnit unit:YD3-PER-DAY ; + qudt:applicableUnit unit:YD3-PER-HR ; + qudt:applicableUnit unit:YD3-PER-MIN ; + qudt:applicableUnit unit:YD3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy ; + rdfs:label "Moisture Diffusivity"@en ; + skos:broader quantitykind:VolumeFlowRate ; +. +quantitykind:MolalityOfSolute + a qudt:QuantityKind ; + dcterms:description "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; + qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; + qudt:applicableUnit unit:MOL-PER-KiloGM ; + qudt:applicableUnit unit:MicroMOL-PER-GM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molality"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(b_B = \\frac{n_B}{m_a}\\), where \\(n_B\\) is the amount of substance and \\(m_A\\) is the mass."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent." ; + qudt:symbol "b_B" ; + rdfs:isDefinedBy ; + rdfs:label "Molality of Solute"@en ; + skos:broader quantitykind:AmountOfSubstancePerUnitMass ; +. +quantitykind:MolarAbsorptionCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-MOL ; + qudt:exactMatch quantitykind:MolarAttenuationCoefficient ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/molar+absorption+coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = aV_m\\), where \\(a\\) is the linear absorption coefficient and \\(V_m\\) is the molar volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter." ; + qudt:symbol "x" ; + rdfs:isDefinedBy ; + rdfs:label "Molar Absorption Coefficient"@en ; +. +quantitykind:MolarAngularMomentum + a qudt:QuantityKind ; + qudt:applicableUnit unit:J-SEC-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://cvika.grimoar.cz/callen/callen_21.pdf"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Molar Angular Momentum"@en ; +. +quantitykind:MolarAttenuationCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-MOL ; + qudt:exactMatch quantitykind:MolarAbsorptionCoefficient ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_c = -\\frac{\\mu}{c}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(c\\) is the amount-of-substance concentration."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance." ; + rdfs:isDefinedBy ; + rdfs:label "Molar Attenuation Coefficient"@en ; + skos:closeMatch quantitykind:MassAttenuationCoefficient ; +. +quantitykind:MolarConductivity + a qudt:QuantityKind ; + dcterms:description "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution."^^rdf:HTML ; + qudt:applicableUnit unit:S-M2-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_conductivity"^^xsd:anyURI ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/molar+conductivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Gamma_m = \\frac{x}{c_B}\\), where \\(x\\) is the electrolytic conductivity and \\(c_B\\) is the amount-of-substance concentration."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Gamma_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution." ; + rdfs:isDefinedBy ; + rdfs:label "Molar Conductivity"@en ; +. +quantitykind:MolarEnergy + a qudt:QuantityKind ; + dcterms:description "\"Molar Energy\" is the total energy contained by a thermodynamic system. The unit is \\(J/mol\\), also expressed as \\(joule/mole\\), or \\(joules per mole\\). This unit is commonly used in the SI unit system. The quantity has the dimension of \\(M \\cdot L^2 \\cdot T^{-2} \\cdot N^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, \\(T\\) is time, and \\(N\\) is amount of substance."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:applicableUnit unit:KiloCAL-PER-MOL ; + qudt:applicableUnit unit:KiloJ-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units-molar_energy-joule_per_mole.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_m = \\frac{U}{n}\\), where \\(U\\) is internal energy and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:symbol "U_M" ; + vaem:todo "dimensions are wrong" ; + rdfs:isDefinedBy ; + rdfs:label "Molar Energy"@en ; +. +quantitykind:MolarEntropy + a qudt:QuantityKind ; + dcterms:description "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL-K ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_molar_entropy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_m = \\frac{S}{n}\\), where \\(S\\) is entropy and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)." ; + qudt:symbol "S_m" ; + rdfs:isDefinedBy ; + rdfs:label "Molar Entropy"@en ; +. +quantitykind:MolarFlowRate + a qudt:QuantityKind ; + dcterms:description "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow."^^rdf:HTML ; + qudt:applicableUnit unit:KiloMOL-PER-MIN ; + qudt:applicableUnit unit:KiloMOL-PER-SEC ; + qudt:applicableUnit unit:MOL-PER-HR ; + qudt:applicableUnit unit:MOL-PER-MIN ; + qudt:applicableUnit unit:MOL-PER-SEC ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://www.sciencedirect.com/topics/engineering/molar-flow-rate"^^xsd:anyURI ; + qudt:plainTextDescription "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow." ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy ; + rdfs:label "Molar Flow Rate"@en ; +. +quantitykind:MolarHeatCapacity + a qudt:QuantityKind ; + dcterms:description "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-MOL-DEG_F ; + qudt:applicableUnit unit:J-PER-MOL-K ; + qudt:applicableUnit unit:KiloCAL-PER-MOL-DEG_C ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://chemistry.about.com/od/chemistryglossary/g/Molar-Heat-Capacity-Definition.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_m = \\frac{C}{n}\\), where \\(C\\) is heat capacity and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin." ; + qudt:symbol "C_m" ; + qudt:symbol "cn" ; + rdfs:isDefinedBy ; + rdfs:label "Molar Heat Capacity"@en ; +. +quantitykind:MolarMass + a qudt:QuantityKind ; + dcterms:description "In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:GM-PER-MOL ; + qudt:applicableUnit unit:KiloGM-PER-KiloMOL ; + qudt:applicableUnit unit:KiloGM-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Jisim molar"@ms ; + rdfs:label "Masa molowa"@pl ; + rdfs:label "Masă molară"@ro ; + rdfs:label "Molmasse"@de ; + rdfs:label "Molární hmotnost"@cs ; + rdfs:label "masa molar"@es ; + rdfs:label "massa molar"@pt ; + rdfs:label "massa molare"@it ; + rdfs:label "masse molaire"@fr ; + rdfs:label "molar kütle"@tr ; + rdfs:label "molar mass"@en ; + rdfs:label "molare Masse"@de ; + rdfs:label "molska masa"@sl ; + rdfs:label "stoffmengenbezogene Masse"@de ; + rdfs:label "Молярная масса"@ru ; + rdfs:label "جرم مولی"@fa ; + rdfs:label "كتلة مولية"@ar ; + rdfs:label "मोलर द्रव्यमान"@hi ; + rdfs:label "モル質量"@ja ; + rdfs:label "摩尔质量"@zh ; +. +quantitykind:MolarOpticalRotatoryPower + a qudt:QuantityKind ; + dcterms:description "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-M2-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_n = \\alpha \\frac{A}{n}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(n\\) is the amount of substance of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_n\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power." ; + rdfs:isDefinedBy ; + rdfs:label "Molar Optical Rotatory Power"@en ; +. +quantitykind:MolarRefractivity + a qudt:QuantityKind ; + dcterms:description "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL ; + qudt:applicableUnit unit:DeciM3-PER-MOL ; + qudt:applicableUnit unit:L-PER-MOL ; + qudt:applicableUnit unit:L-PER-MicroMOL ; + qudt:applicableUnit unit:M3-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure." ; + rdfs:isDefinedBy ; + rdfs:label "Molar Refractivity"@en ; +. +quantitykind:MolarVolume + a qudt:QuantityKind ; + dcterms:description "The molar volume, symbol \\(V_m\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (\\(M\\)) divided by the mass density (\\(\\rho\\)). It has the SI unit cubic metres per mole (\\(m^{1}/mol\\)). For ideal gases, the molar volume is given by the ideal gas equation: this is a good approximation for many common gases at standard temperature and pressure. For crystalline solids, the molar volume can be measured by X-ray crystallography."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM3-PER-MOL ; + qudt:applicableUnit unit:DeciM3-PER-MOL ; + qudt:applicableUnit unit:L-PER-MOL ; + qudt:applicableUnit unit:L-PER-MicroMOL ; + qudt:applicableUnit unit:M3-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_volume"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(V_m = \\frac{V}{n}\\), where \\(V\\) is volume and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:symbol "V_m" ; + rdfs:isDefinedBy ; + rdfs:label "Isipadu molar"@ms ; + rdfs:label "Molvolumen"@de ; + rdfs:label "molar hacim"@tr ; + rdfs:label "molar volume"@en ; + rdfs:label "molares Volumen"@de ; + rdfs:label "molski volumen"@sl ; + rdfs:label "molární objem"@cs ; + rdfs:label "stoffmengenbezogenes Volumen"@de ; + rdfs:label "volum molar"@ro ; + rdfs:label "volume molaire"@fr ; + rdfs:label "volume molar"@pl ; + rdfs:label "volume molar"@pt ; + rdfs:label "volume molare"@it ; + rdfs:label "volumen molar"@es ; + rdfs:label "Молярный объём"@ru ; + rdfs:label "حجم مولي"@ar ; + rdfs:label "حجم مولی"@fa ; + rdfs:label "モル体積"@ja ; + rdfs:label "摩尔体积"@zh ; +. +quantitykind:MoleFraction + a qudt:QuantityKind ; + dcterms:description "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_fraction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration." ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Mole Fraction"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:MolecularConcentration + a qudt:QuantityKind ; + dcterms:description "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture "^^rdf:HTML ; + qudt:abbreviation "m^{-3}" ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{N_B}{V}\\), where \\(N_B\\) is the number of molecules of \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture " ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy ; + rdfs:label "Molecular Concentration"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:MolecularMass + a qudt:QuantityKind ; + dcterms:description "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:Da ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molecular_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Molecular Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:MolecularViscosity + a qudt:QuantityKind ; + dcterms:description "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:informativeReference "http://oceanworld.tamu.edu/resources/ocng_textbook/chapter08/chapter08_01.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity." ; + rdfs:isDefinedBy ; + rdfs:label "Molecular Viscosity"@en ; + rdfs:seeAlso quantitykind:DynamicViscosity ; + rdfs:seeAlso quantitykind:KinematicViscosity ; +. +quantitykind:MomentOfForce + a qudt:QuantityKind ; + dcterms:description "Moment of force (often just moment) is the tendency of a force to twist or rotate an object."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN-M ; + qudt:applicableUnit unit:DYN-CentiM ; + qudt:applicableUnit unit:DeciN-M ; + qudt:applicableUnit unit:KiloGM_F-M ; + qudt:applicableUnit unit:KiloN-M ; + qudt:applicableUnit unit:LB_F-FT ; + qudt:applicableUnit unit:LB_F-IN ; + qudt:applicableUnit unit:MegaN-M ; + qudt:applicableUnit unit:MicroN-M ; + qudt:applicableUnit unit:MilliN-M ; + qudt:applicableUnit unit:N-CentiM ; + qudt:applicableUnit unit:N-M ; + qudt:applicableUnit unit:OZ_F-IN ; + qudt:exactMatch quantitykind:Torque ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = r \\cdot F\\), where \\(r\\) is the position vector and \\(F\\) is the force."^^qudt:LatexString ; + qudt:plainTextDescription "Moment of force (often just moment) is the tendency of a force to twist or rotate an object." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Moment of Force"@en ; +. +quantitykind:MomentOfInertia + a qudt:QuantityKind ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:exactMatch quantitykind:RotationalMass ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_of_inertia"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_Q = \\int r^2_Q dm\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Eylemsizlik momenti"@tr ; + rdfs:label "Massenträgheitsmoment"@de ; + rdfs:label "Momen inersia"@ms ; + rdfs:label "Moment bezwładności"@pl ; + rdfs:label "Moment de inerție"@ro ; + rdfs:label "Moment setrvačnosti"@cs ; + rdfs:label "moment d'inertie"@fr ; + rdfs:label "moment of inertia"@en ; + rdfs:label "momento de inercia"@es ; + rdfs:label "momento de inércia"@pt ; + rdfs:label "momento di inerzia"@it ; + rdfs:label "Момент инерции"@ru ; + rdfs:label "عزم القصور الذاتي"@ar ; + rdfs:label "گشتاور لختی"@fa ; + rdfs:label "जड़त्वाघूर्ण"@hi ; + rdfs:label "慣性モーメント"@ja ; + rdfs:label "轉動慣量"@zh ; + skos:altLabel "MOI" ; +. +quantitykind:Momentum + a qudt:QuantityKind ; + dcterms:description "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-M-PER-SEC ; + qudt:applicableUnit unit:MegaEV-PER-SpeedOfLight ; + qudt:applicableUnit unit:N-M-SEC-PER-M ; + qudt:applicableUnit unit:N-SEC ; + qudt:applicableUnit unit:PlanckMomentum ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearMomentum ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:plainTextDescription "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Impuls"@de ; + rdfs:label "Momentum"@ms ; + rdfs:label "Momentum"@tr ; + rdfs:label "cantidad de movimiento"@es ; + rdfs:label "gibalna količina"@sl ; + rdfs:label "hybnost"@cs ; + rdfs:label "impuls"@ro ; + rdfs:label "momento linear"@pt ; + rdfs:label "momentum"@en ; + rdfs:label "pęd"@pl ; + rdfs:label "quantità di moto"@it ; + rdfs:label "quantité de mouvement"@fr ; + rdfs:label "импульс"@ru ; + rdfs:label "تکانه"@fa ; + rdfs:label "زخم الحركة"@ar ; + rdfs:label "动量"@zh ; + rdfs:label "運動量"@ja ; +. +quantitykind:MomentumPerAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-SEC-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Momentum per Angle"@en ; +. +quantitykind:MorbidityRate + a qudt:QuantityKind ; + dcterms:description "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:plainTextDescription "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Morbidity Rate"@en ; + skos:broader quantitykind:Incidence ; +. +quantitykind:MortalityRate + a qudt:QuantityKind ; + dcterms:description "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; + qudt:applicableUnit unit:DEATHS-PER-KiloINDIV-YR ; + qudt:applicableUnit unit:DEATHS-PER-MegaINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Mortality Rate"@en ; + skos:broader quantitykind:Incidence ; +. +quantitykind:MultiplicationFactor + a qudt:QuantityKind ; + dcterms:description "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_multiplication_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval." ; + qudt:symbol "k" ; + rdfs:isDefinedBy ; + rdfs:label "Multiplication Factor"@en ; +. +quantitykind:MutualInductance + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Mutual Inductance}\\) is the non-diagonal term of the inductance matrix. For two loops, the symbol \\(M\\) is used for \\(L_{12}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:H ; + qudt:applicableUnit unit:H_Ab ; + qudt:applicableUnit unit:H_Stat ; + qudt:applicableUnit unit:MicroH ; + qudt:applicableUnit unit:MilliH ; + qudt:applicableUnit unit:NanoH ; + qudt:applicableUnit unit:PicoH ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-36"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_{mn} = \\frac{\\Psi_m}{I_n}\\), where \\(I_n\\) is an electric current in a thin conducting loop \\(n\\) and \\(\\Psi_m\\) is the linked flux caused by that electric current in another loop \\(m\\)."^^qudt:LatexString ; + qudt:symbol "L_{mn}" ; + rdfs:isDefinedBy ; + rdfs:label "Mutual Inductance"@en ; + rdfs:seeAlso quantitykind:Inductance ; + skos:broader quantitykind:Inductance ; +. +quantitykind:NOMINAL-ASCENT-PROPELLANT-MASS + a qudt:QuantityKind ; + dcterms:description "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://elib.dlr.de/68314/1/IAF10-D2.3.1.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)." ; + rdfs:isDefinedBy ; + rdfs:label "Nominal Ascent Propellant Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:NapierianAbsorbance + a qudt:QuantityKind ; + dcterms:description "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://eilv.cie.co.at/term/798"^^xsd:anyURI ; + qudt:latexDefinition "\\(A_e(\\lambda) = -ln(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance." ; + qudt:symbol "A_e, B" ; + rdfs:isDefinedBy ; + rdfs:label "Napierian Absorbance"@en ; +. +quantitykind:NeelTemperature + a qudt:QuantityKind ; + dcterms:description "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Néel_temperature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet." ; + qudt:symbol "T_C" ; + rdfs:isDefinedBy ; + rdfs:label "Neel Temperature"@en ; + skos:broader quantitykind:Temperature ; + skos:closeMatch quantitykind:CurieTemperature ; + skos:closeMatch quantitykind:SuperconductionTransitionTemperature ; +. +quantitykind:NeutronDiffusionCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Diffusion Coefficient\" is "^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Diffusion+of+Neutrons"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_n = -\\frac{J_x}{\\frac{\\partial dn}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(n\\) is the particle number density."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Diffusion Coefficient\" is " ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusionskoeffizient"@de ; + rdfs:label "coefficient de diffusion"@fr ; + rdfs:label "coefficiente di diffusione"@it ; + rdfs:label "coeficiente de difusión"@es ; + rdfs:label "coeficiente de difusão"@pt ; + rdfs:label "diffusion coefficient"@en ; + rdfs:label "difuzijski koeficient"@sl ; +. +quantitykind:NeutronDiffusionLength + a qudt:QuantityKind ; + dcterms:description "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e" ; + qudt:symbol "L_{r}" ; + rdfs:isDefinedBy ; + rdfs:label "Neutron Diffusion Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:NeutronNumber + a qudt:QuantityKind ; + dcterms:description "\"Neutron Number\", symbol \\(N\\), is the number of neutrons in a nuclide. Nuclides with the same value of \\(N\\) but different values of \\(Z\\) are called isotones. \\(N - Z\\) is called the neutron excess number."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_number"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "N" ; + rdfs:isDefinedBy ; + rdfs:label "Neutronenzahl"@de ; + rdfs:label "Neutronové číslo"@cs ; + rdfs:label "Nombor neutron"@ms ; + rdfs:label "Nombre de neutrons"@fr ; + rdfs:label "liczba neutronowa"@pl ; + rdfs:label "neutron number"@en ; + rdfs:label "numero neutronico"@it ; + rdfs:label "nötron snumarası"@tr ; + rdfs:label "número de neutrons"@pt ; + rdfs:label "número neutrónico"@es ; + rdfs:label "число нейтронов"@ru ; + rdfs:label "عدد النيوترونات"@ar ; + rdfs:label "عدد نوترون"@fa ; + rdfs:label "中子數"@zh ; + skos:broader quantitykind:Count ; +. +quantitykind:NeutronYieldPerAbsorption + a qudt:QuantityKind ; + dcterms:description "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified." ; + rdfs:isDefinedBy ; + rdfs:label "Neutron Yield per Absorption"@en ; +. +quantitykind:NeutronYieldPerFission + a qudt:QuantityKind ; + dcterms:description "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event." ; + rdfs:isDefinedBy ; + rdfs:label "Neutron Yield per Fission"@en ; +. +quantitykind:Non-LeakageProbability + a qudt:QuantityKind ; + dcterms:description "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron"^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Six_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron" ; + rdfs:isDefinedBy ; + rdfs:label "Non-Leakage Probability"@en ; +. +quantitykind:NonActivePower + a qudt:QuantityKind ; + dcterms:description "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power."^^rdf:HTML ; + qudt:applicableUnit unit:V-A ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-43"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q^{'} = \\sqrt{{\\left | \\underline{S} \\right |}^2 - P^2}\\), where \\(\\underline{S}\\) is apparent power and \\(P\\) is active power."^^qudt:LatexString ; + qudt:plainTextDescription "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power." ; + qudt:symbol "Q'" ; + rdfs:isDefinedBy ; + rdfs:label "Non-active Power"@en ; + rdfs:seeAlso quantitykind:ActivePower ; + rdfs:seeAlso quantitykind:ApparentPower ; +. +quantitykind:NonNegativeLength + a qudt:QuantityKind ; + dcterms:description "\"NonNegativeLength\" is a measure of length greater than or equal to zero."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"NonNegativeLength\" is a measure of length greater than or equal to zero." ; + rdfs:isDefinedBy ; + rdfs:label "Positive Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:NormalStress + a qudt:QuantityKind ; + dcterms:description "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\frac{dF_n}{dA}\\), where \\(dF_n\\) is the normal component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress." ; + rdfs:isDefinedBy ; + rdfs:label "Normal Stress"@en ; + skos:broader quantitykind:Stress ; +. +quantitykind:NormalizedDimensionlessRatio + a qudt:QuantityKind ; + dcterms:description "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcnormalisedratiomeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0" ; + rdfs:isDefinedBy ; + rdfs:label "Positive Dimensionless Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:NozzleThroatCrossSectionalArea + a qudt:QuantityKind ; + dcterms:description "Cross-sectional area of the nozzle at the throat."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Cross-sectional area of the nozzle at the throat." ; + qudt:symbol "A^*" ; + rdfs:isDefinedBy ; + rdfs:label "Nozzle Throat Cross-sectional Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:NozzleThroatDiameter + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Nozzle Throat Diameter"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:NozzleThroatPressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p^*" ; + rdfs:isDefinedBy ; + rdfs:label "Nozzle Throat Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:NozzleWallsThrustReaction + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:symbol "F_R" ; + rdfs:isDefinedBy ; + rdfs:label "Nozzle Walls Thrust Reaction"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:NuclearQuadrupoleMoment + a qudt:QuantityKind ; + dcterms:description "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus."^^rdf:HTML ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_quadrupole_resonance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q = (\\frac{1}{e}) \\int (3z^2 - r^2)\\rho(x, y, z)dV\\), in the quantum state with the nuclear spin in the field direction \\((z)\\), where \\(\\rho(x, y, z)\\) is the nuclear electric charge density, \\(e\\) is the elementary charge, \\(r^2 = x^2 + y^2 + z^2\\), and \\(dV\\) is the volume element \\(dx\\) \\(dy\\) \\(dz\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Nuclear Quadrupole Moment"@en ; +. +quantitykind:NuclearRadius + a qudt:QuantityKind ; + dcterms:description "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_nucleus"^^xsd:anyURI ; + qudt:latexDefinition "This quantity is not exactly defined. It is given approximately for nuclei in their ground state only by \\(R = r_0 A^{\\frac{1}{3}}\\), where \\(r_0 \\approx 1.2 x 10^{-15} m\\) and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included" ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Nuclear Radius"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:NuclearSpinQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(I^2 = \\hbar^2 I(I + 1)\\), where \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Spin Quantum Number"@en ; + skos:broader quantitykind:SpinQuantumNumber ; +. +quantitykind:NucleonNumber + a qudt:QuantityKind ; + dcterms:description "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Massenzahl"@de ; + rdfs:label "Nombor nukleon"@ms ; + rdfs:label "Nukleonenzahl"@de ; + rdfs:label "Nukleové číslo"@cs ; + rdfs:label "kütle numarası"@tr ; + rdfs:label "liczba masowa"@pl ; + rdfs:label "mass number"@en ; + rdfs:label "nombor jisim"@ms ; + rdfs:label "nombre de masse"@fr ; + rdfs:label "nucleon number"@en ; + rdfs:label "numero di massa"@it ; + rdfs:label "numero di nucleoni"@it ; + rdfs:label "número de massa"@pt ; + rdfs:label "número másico"@es ; + rdfs:label "nükleon numarası"@tr ; + rdfs:label "عدد جرمی"@fa ; + rdfs:label "عدد كتلي"@ar ; + rdfs:label "質量数"@ja ; + rdfs:label "质量数"@zh ; + skos:altLabel "mass-number" ; + skos:broader quantitykind:Count ; +. +quantitykind:NumberDensity + a qudt:QuantityKind ; + dcterms:description "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Number_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Number_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Number Density"@en ; + skos:broader quantitykind:InverseVolume ; +. +quantitykind:NumberOfParticles + a qudt:QuantityKind ; + dcterms:description "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system." ; + qudt:symbol "N_B" ; + rdfs:isDefinedBy ; + rdfs:label "Number of Particles"@en ; +. +quantitykind:OlfactoryThreshold + a qudt:QuantityKind ; + dcterms:description "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Odor_detection_threshold"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_o}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected." ; + rdfs:isDefinedBy ; + rdfs:label "Olfactory Threshold"@en ; + skos:broader quantitykind:Concentration ; +. +quantitykind:OrbitalAngularMomentumPerUnitMass + a qudt:QuantityKind ; + dcterms:description "Angular momentum of the orbit per unit mass of the vehicle"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:plainTextDescription "Angular momentum of the orbit per unit mass of the vehicle" ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + rdfs:label "Orbital Angular Momentum per Unit Mass"@en ; +. +quantitykind:OrbitalAngularMomentumQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(l^2 = \\hbar^2 l(l + 1), l = 0, 1, ..., n - 1\\), where \\(l_i\\) refers to a specific particle \\(i\\)."^^qudt:LatexString ; + qudt:symbol "l" ; + rdfs:isDefinedBy ; + rdfs:label "Orbital Angular Momentum Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber ; + skos:closeMatch quantitykind:PrincipalQuantumNumber ; + skos:closeMatch quantitykind:SpinQuantumNumber ; +. +quantitykind:OrbitalRadialDistance + a qudt:QuantityKind ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + rdfs:label "Orbital Radial Distance"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:OrderOfReflection + a qudt:QuantityKind ; + dcterms:description "\"Order of Reflection\" is \\(n\\) in the Bragg's Law equation."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.answers.com/topic/order-of-reflection"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Order of Reflection"@en ; +. +quantitykind:OsmoticCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior." ; + rdfs:isDefinedBy ; + rdfs:label "Osmotic Coefficient"@en ; +. +quantitykind:OsmoticPressure + a qudt:QuantityKind ; + dcterms:description "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_pressure"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane." ; + qudt:symbol "Π" ; + rdfs:isDefinedBy ; + rdfs:label "Osmotický tlak"@cs ; + rdfs:label "Tekanan osmotik"@ms ; + rdfs:label "osmotic pressure"@en ; + rdfs:label "osmotischer Druck"@de ; + rdfs:label "ozmotik basıç"@tr ; + rdfs:label "presión osmótica"@es ; + rdfs:label "pression osmotique"@fr ; + rdfs:label "pressione osmotica"@it ; + rdfs:label "pressão osmótica"@pt ; + rdfs:label "فشار اسمزی"@fa ; + rdfs:label "渗透压"@zh ; + skos:broader quantitykind:Pressure ; +. +quantitykind:OverRangeDistance + a qudt:QuantityKind ; + dcterms:description "Additional distance traveled by a rocket because Of excessive initial velocity."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Additional distance traveled by a rocket because Of excessive initial velocity." ; + qudt:symbol "s_i" ; + rdfs:isDefinedBy ; + rdfs:label "Over-range distance"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:PH + a qudt:QuantityKind ; + dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic." ; + rdfs:isDefinedBy ; + rdfs:label "PH"@en ; +. +quantitykind:PREDICTED-MASS + a qudt:QuantityKind ; + dcterms:description "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design." ; + rdfs:isDefinedBy ; + rdfs:label "Predicted Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:PRODUCT-OF-INERTIA + a qudt:QuantityKind ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; + rdfs:isDefinedBy ; + rdfs:label "Product of Inertia"@en ; +. +quantitykind:PRODUCT-OF-INERTIA_X + a qudt:QuantityKind ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; + rdfs:isDefinedBy ; + rdfs:label "Product of Inertia in the X axis"@en ; + skos:broader quantitykind:PRODUCT-OF-INERTIA ; +. +quantitykind:PRODUCT-OF-INERTIA_Y + a qudt:QuantityKind ; + dcterms:description "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; + rdfs:isDefinedBy ; + rdfs:label "Product of Inertia in the Y axis"@en ; + skos:broader quantitykind:PRODUCT-OF-INERTIA ; +. +quantitykind:PRODUCT-OF-INERTIA_Z + a qudt:QuantityKind ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; + rdfs:isDefinedBy ; + rdfs:label "Product of Inertia in the Z axis"@en ; + skos:broader quantitykind:PRODUCT-OF-INERTIA ; +. +quantitykind:PackingFraction + a qudt:QuantityKind ; + dcterms:description "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_packing_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(f = \\frac{\\Delta_r}{A}\\), where \\(\\Delta_r\\) is the relative mass excess and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms." ; + qudt:symbol "f" ; + rdfs:isDefinedBy ; + rdfs:label "Packing Fraction"@en ; +. +quantitykind:PartialPressure + a qudt:QuantityKind ; + dcterms:description "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature."^^rdf:HTML ; + qudt:abbreviation "pa" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partial_pressure"^^xsd:anyURI ; + qudt:latexDefinition "\\(p_B = x_B \\cdot p\\), where \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\) and \\(p\\) is the total pressure."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature." ; + qudt:symbol "p_B" ; + rdfs:isDefinedBy ; + rdfs:label "Partial Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:ParticleCurrent + a qudt:QuantityKind ; + dcterms:description "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ ; + qudt:applicableUnit unit:HZ ; + qudt:applicableUnit unit:KiloHZ ; + qudt:applicableUnit unit:MegaHZ ; + qudt:applicableUnit unit:NUM-PER-HR ; + qudt:applicableUnit unit:NUM-PER-SEC ; + qudt:applicableUnit unit:NUM-PER-YR ; + qudt:applicableUnit unit:PER-DAY ; + qudt:applicableUnit unit:PER-HR ; + qudt:applicableUnit unit:PER-MIN ; + qudt:applicableUnit unit:PER-MO ; + qudt:applicableUnit unit:PER-MilliSEC ; + qudt:applicableUnit unit:PER-SEC ; + qudt:applicableUnit unit:PER-WK ; + qudt:applicableUnit unit:PER-YR ; + qudt:applicableUnit unit:PERCENT-PER-DAY ; + qudt:applicableUnit unit:PERCENT-PER-HR ; + qudt:applicableUnit unit:PERCENT-PER-WK ; + qudt:applicableUnit unit:PlanckFrequency ; + qudt:applicableUnit unit:SAMPLE-PER-SEC ; + qudt:applicableUnit unit:TeraHZ ; + qudt:applicableUnit unit:failures-in-time ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\int J \\cdot e_n dA = \\frac{dN}{dt}\\), where \\(e_ndA\\) is the vector surface element, \\(N\\) is the net number of particles passing over a surface, and \\(dt\\) describes the time interval."^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval." ; + qudt:symbol "J" ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Particle Current"@en ; + skos:broader quantitykind:Frequency ; +. +quantitykind:ParticleFluence + a qudt:QuantityKind ; + dcterms:description "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-HA ; + qudt:applicableUnit unit:NUM-PER-KiloM2 ; + qudt:applicableUnit unit:NUM-PER-M2 ; + qudt:applicableUnit unit:PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\frac{dN}{dA}\\), where \\(dN\\) describes the number of particles incident on a small spherical domain at a given point in space, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)." ; + rdfs:isDefinedBy ; + rdfs:label "Particle Fluence"@en ; +. +quantitykind:ParticleFluenceRate + a qudt:QuantityKind ; + dcterms:description "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/Fluence%20Rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\theta = \\frac{d\\Phi}{dt}\\), where \\(d\\Phi\\) is the increment of the particle fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation." ; + rdfs:isDefinedBy ; + rdfs:label "Particle Fluence Rate"@en ; +. +quantitykind:ParticleNumberDensity + a qudt:QuantityKind ; + dcterms:description "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L ; + qudt:applicableUnit unit:NUM-PER-M3 ; + qudt:applicableUnit unit:NUM-PER-MicroL ; + qudt:applicableUnit unit:NUM-PER-MilliM3 ; + qudt:applicableUnit unit:NUM-PER-NanoL ; + qudt:applicableUnit unit:NUM-PER-PicoL ; + qudt:applicableUnit unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number#Particle_number_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles in the 3D domain with the volume \\(V\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Particle Number Density"@en ; + skos:broader quantitykind:NumberDensity ; +. +quantitykind:ParticlePositionVector + a qudt:QuantityKind ; + dcterms:description "\"Particle Position Vector\" is the position vector of a particle."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Particle Position Vector\" is the position vector of a particle." ; + qudt:symbol "r, R" ; + rdfs:isDefinedBy ; + rdfs:label "Particle Position Vector"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:ParticleSourceDensity + a qudt:QuantityKind ; + dcterms:description "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M3-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element." ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Particle Source Density"@en ; +. +quantitykind:PathLength + a qudt:QuantityKind ; + dcterms:description "\"PathLength\" is "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Path_length"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"PathLength\" is " ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:label "Path Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:PayloadMass + a qudt:QuantityKind ; + dcterms:description "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages." ; + qudt:symbol "M_P" ; + rdfs:isDefinedBy ; + rdfs:label "Payload Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:PayloadRatio + a qudt:QuantityKind ; + dcterms:description "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Payload Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:PeltierCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermoelectric_effect"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Pi_{ab}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b." ; + rdfs:isDefinedBy ; + rdfs:label "Peltier Coefficient"@en ; +. +quantitykind:Period + a qudt:QuantityKind ; + dcterms:description "Duration of one cycle of a periodic phenomenon."^^rdf:HTML ; + qudt:applicableUnit unit:SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "Duration of one cycle of a periodic phenomenon." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Period"@en ; +. +quantitykind:Permeability + a qudt:QuantityKind ; + qudt:applicableUnit unit:H-PER-M ; + qudt:applicableUnit unit:H_Stat-PER-CentiM ; + qudt:applicableUnit unit:MicroH-PER-M ; + qudt:applicableUnit unit:NanoH-PER-M ; + qudt:exactMatch quantitykind:ElectromagneticPermeability ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Permeability"@en ; +. +quantitykind:PermeabilityRatio + a qudt:QuantityKind ; + dcterms:description "The ratio of the effective permeability of a porous phase to the absolute permeability."^^rdf:HTML ; + qudt:applicableUnit unit:PERMEABILITY_REL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:plainTextDescription "The ratio of the effective permeability of a porous phase to the absolute permeability." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Permeability Ratio"@en ; +. +quantitykind:Permeance + a qudt:QuantityKind ; + dcterms:description "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit."^^rdf:HTML ; + qudt:applicableUnit unit:NanoH ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeance"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Lambda = \\frac{1}{R_m}\\), where \\(R_m\\) is reluctance."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit." ; + rdfs:isDefinedBy ; + rdfs:label "Permeance"@en ; + rdfs:seeAlso quantitykind:Reluctance ; +. +quantitykind:Permittivity + a qudt:QuantityKind ; + dcterms:description "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued."^^rdf:HTML ; + qudt:applicableUnit unit:FARAD-PER-KiloM ; + qudt:applicableUnit unit:FARAD-PER-M ; + qudt:applicableUnit unit:FARAD_Ab-PER-CentiM ; + qudt:applicableUnit unit:MicroFARAD-PER-KiloM ; + qudt:applicableUnit unit:MicroFARAD-PER-M ; + qudt:applicableUnit unit:NanoFARAD-PER-M ; + qudt:applicableUnit unit:PicoFARAD-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permittivity?oldid=494094133"^^xsd:anyURI ; + qudt:informativeReference "http://maxwells-equations.com/materials/permittivity.php"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon = \\frac{D}{E}\\), where \\(D\\) is electric flux density and \\(E\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued." ; + rdfs:isDefinedBy ; + rdfs:label "Permittivity"@en ; +. +quantitykind:PermittivityRatio + a qudt:QuantityKind ; + dcterms:description "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:expression "\\(rel-permittivity\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon_r = \\epsilon / \\epsilon_0\\), where \\(\\epsilon\\) is permittivity and \\(\\epsilon_0\\) is the electric constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon_r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum." ; + qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Permittivity Ratio"@en ; + rdfs:seeAlso quantitykind:Permittivity ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:PhaseCoefficient + a qudt:QuantityKind ; + dcterms:description "The phase coefficient is the amount of phase shift that occurs as the wave travels one meter. Increasing the loss of the material, via the manipulation of the material's conductivity, will decrease the wavelength (increase \\(\\beta\\)) and increase the attenuation coefficient (increase \\(\\alpha\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "If \\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Phase coefficient"@en ; +. +quantitykind:PhaseDifference + a qudt:QuantityKind ; + dcterms:description "\"Phase Difference} is the difference, expressed in electrical degrees or time, between two waves having the same frequency and referenced to the same point in time. Two oscillators that have the same frequency and different phases have a phase difference, and the oscillators are said to be out of phase with each other. The amount by which such oscillators are out of step with each other can be expressed in degrees from \\(0^\\circ\\) to \\(360^\\circ\\), or in radians from 0 to \\({2\\pi}\\). If the phase difference is \\(180^\\circ\\) (\\(\\pi\\) radians), then the two oscillators are said to be in antiphase."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:expression "\\(phase-difference\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phase_(waves)#Phase_difference"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=103-07-06"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = \\varphi_u - \\varphi_i\\), where \\(\\varphi_u\\) is the initial phase of the voltage and \\(\\varphi_i\\) is the initial phase of the electric current."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Phasenverschiebungswinkel"@de ; + rdfs:label "desfasagem"@pt ; + rdfs:label "diferencia de fase"@es ; + rdfs:label "diferença de fase"@pt ; + rdfs:label "différence de phase"@fr ; + rdfs:label "déphasage"@fr ; + rdfs:label "phase difference"@en ; + rdfs:label "przesunięcie fazowe"@pl ; + rdfs:label "sfasamento angolare"@it ; + rdfs:label "اختلاف طور"@ar ; + rdfs:label "位相差"@ja ; + skos:broader quantitykind:Angle ; +. +quantitykind:PhaseSpeedOfSound + a qudt:QuantityKind ; + dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = \\frac{\\omega}{k} = \\lambda f\\), where \\(\\omega\\) is the angular frequency, \\(k\\) is angular wavenumber, \\(\\lambda\\) is the wavelength, and \\(f\\) is the frequency."^^qudt:LatexString ; + qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Phase speed of sound"@en ; + skos:broader quantitykind:SpeedOfSound ; +. +quantitykind:PhononMeanFreePath + a qudt:QuantityKind ; + dcterms:description "\"Phonon Mean Free Path\" is the mean free path of phonons."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Phonon Mean Free Path\" is the mean free path of phonons." ; + qudt:symbol "l_{ph}" ; + rdfs:isDefinedBy ; + rdfs:label "Phonon Mean Free Path"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:PhotoThresholdOfAwarenessFunction + a qudt:QuantityKind ; + dcterms:description "\"Photo Threshold of Awareness Function\" is the ability of the human eye to detect a light that results in a \\(1^o\\) radial angle at the eye with a given duration (temporal summation)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "https://www.britannica.com/science/human-eye/Colour-vision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Photo Threshold of Awareness Function"@en ; +. +quantitykind:PhotonIntensity + a qudt:QuantityKind ; + dcterms:description "A measure of flux of photons per solid angle"^^qudt:LatexString ; + qudt:applicableUnit unit:PER-SEC-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Photon Intensity"@en ; +. +quantitykind:PhotonRadiance + a qudt:QuantityKind ; + dcterms:description "A measure of flux of photons per surface area per solid angle"^^qudt:LatexString ; + qudt:applicableUnit unit:PER-SEC-M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Photon Radiance"@en ; +. +quantitykind:PhotosyntheticPhotonFlux + a qudt:QuantityKind ; + dcterms:description "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor."^^rdf:HTML ; + qudt:applicableUnit unit:MicroMOL-PER-SEC ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://www.dormgrow.com/par/"^^xsd:anyURI ; + qudt:plainTextDescription "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor." ; + rdfs:isDefinedBy ; + rdfs:label "Photosynthetic Photon Flux" ; + skos:altLabel "PPF" ; + prov:wasDerivedFrom ; +. +quantitykind:PhotosyntheticPhotonFluxDensity + a qudt:QuantityKind ; + dcterms:description "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s."^^rdf:HTML ; + qudt:applicableUnit unit:MicroMOL-PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://www.gigahertz-optik.com/en-us/service-and-support/knowledge-base/measurement-of-par/"^^xsd:anyURI ; + qudt:plainTextDescription "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s." ; + rdfs:isDefinedBy ; + rdfs:label "Photosynthetic Photon Flux Density" ; + skos:altLabel "PPFD" ; + prov:wasDerivedFrom ; +. +quantitykind:PlanarForce + a qudt:QuantityKind ; + dcterms:description "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifcplanarforcemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Flächenlast"@de ; + rdfs:label "Planar Force"@en ; + skos:broader quantitykind:ForcePerArea ; +. +quantitykind:PlanckFunction + a qudt:QuantityKind ; + dcterms:description "The \\(\\textit{Planck function}\\) is used to compute the radiance emitted from objects that radiate like a perfect \"Black Body\". The inverse of the \\(\\textit{Planck Function}\\) is used to find the \\(\\textit{Brightness Temperature}\\) of an object. The precise formula for the Planck Function depends on whether the radiance is determined on a \\(\\textit{per unit wavelength}\\) or a \\(\\textit{per unit frequency}\\). In the ISO System of Quantities, \\(\\textit{Planck Function}\\) is defined by the formula: \\(Y = -G/T\\), where \\(G\\) is Gibbs Energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:expression "\\(B_{\\nu}(T)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://ntrs.nasa.gov/archive/nasa/casi.ntrs.nasa.gov/19680008986_1968008986.pdf"^^xsd:anyURI ; + qudt:informativeReference "http://pds-atmospheres.nmsu.edu/education_and_outreach/encyclopedia/planck_function.htm"^^xsd:anyURI ; + qudt:informativeReference "http://www.star.nesdis.noaa.gov/smcd/spb/calibration/planck.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """The Planck function, \\(B_{\\tilde{\\nu}}(T)\\), is given by: +\\(B_{\\nu}(T) = \\frac{2h c^2\\tilde{\\nu}^3}{e^{hc / k \\tilde{\\nu} T}-1}\\) +where, \\(\\tilde{\\nu}\\) is wavelength, \\(h\\) is Planck's Constant, \\(k\\) is Boltzman's Constant, \\(c\\) is the speed of light in a vacuum, \\(T\\) is thermodynamic temperature."""^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Planck Function"@en ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; +. +quantitykind:PlaneAngle + a qudt:QuantityKind ; + dcterms:description "The inclination to each other of two intersecting lines, measured by the arc of a circle intercepted between the two lines forming the angle, the center of the circle being the point of intersection. An acute angle is less than \\(90^\\circ\\), a right angle \\(90^\\circ\\); an obtuse angle, more than \\(90^\\circ\\) but less than \\(180^\\circ\\); a straight angle, \\(180^\\circ\\); a reflex angle, more than \\(180^\\circ\\) but less than \\(360^\\circ\\); a perigon, \\(360^\\circ\\). Any angle not a multiple of \\(90^\\circ\\) is an oblique angle. If the sum of two angles is \\(90^\\circ\\), they are complementary angles; if \\(180^\\circ\\), supplementary angles; if \\(360^\\circ\\), explementary angles."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Plane_angle"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Angle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; + qudt:plainTextDescription "An angle formed by two straight lines (in the same plane) angle - the space between two lines or planes that intersect; the inclination of one line to another; measured in degrees or radians" ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Rovinný úhel"@cs ; + rdfs:label "Sudut satah"@ms ; + rdfs:label "angle plan"@fr ; + rdfs:label "angolo piano"@it ; + rdfs:label "angulus planus"@la ; + rdfs:label "düzlemsel açı"@tr ; + rdfs:label "ebener Winkel"@de ; + rdfs:label "kąt płaski"@pl ; + rdfs:label "medida angular"@pt ; + rdfs:label "plane angle"@en ; + rdfs:label "ravninski kot"@sl ; + rdfs:label "szög"@hu ; + rdfs:label "unghi plan"@ro ; + rdfs:label "ángulo plano"@es ; + rdfs:label "Επίπεδη γωνία"@el ; + rdfs:label "Плоский угол"@ru ; + rdfs:label "Равнинен ъгъл"@bg ; + rdfs:label "זווית"@he ; + rdfs:label "الزاوية النصف قطرية"@ar ; + rdfs:label "زاویه مستوی"@fa ; + rdfs:label "क्षेत्र"@hi ; + rdfs:label "弧度"@ja ; + rdfs:label "角度"@zh ; + skos:broader quantitykind:Angle ; +. +quantitykind:PoissonRatio + a qudt:QuantityKind ; + dcterms:description "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poisson%27s_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{\\Delta \\delta}{\\Delta l}\\), where \\(\\Delta \\delta\\) is the lateral contraction and \\(\\Delta l\\) is the elongation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio." ; + rdfs:isDefinedBy ; + rdfs:label "Poisson Ratio"@en ; +. +quantitykind:PolarMomentOfInertia + a qudt:QuantityKind ; + dcterms:description "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. "^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:plainTextDescription "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. " ; + qudt:symbol "J_{zz}" ; + rdfs:isDefinedBy ; + rdfs:label "Polar moment of inertia"@en ; + skos:broader quantitykind:MomentOfInertia ; +. +quantitykind:Polarizability + a qudt:QuantityKind ; + dcterms:description "\"Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which may be caused by the presence of a nearby ion or dipole. The electronic polarizability \\(\\alpha\\) is defined as the ratio of the induced dipole moment of an atom to the electric field that produces this dipole moment. Polarizability is often a scalar valued quantity, however in the general case it is tensor-valued."^^qudt:LatexString ; + qudt:applicableUnit unit:C-M2-PER-V ; + qudt:applicableUnit unit:C2-M2-PER-J ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Polarizability"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Polarizability"@en ; +. +quantitykind:PolarizationField + a qudt:QuantityKind ; + dcterms:description "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-CentiM2 ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:applicableUnit unit:C-PER-MilliM2 ; + qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; + qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; + qudt:applicableUnit unit:KiloC-PER-M2 ; + qudt:applicableUnit unit:MegaC-PER-M2 ; + qudt:applicableUnit unit:MicroC-PER-M2 ; + qudt:applicableUnit unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:plainTextDescription "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume." ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + rdfs:label "Polarization Field"@en ; + skos:broader quantitykind:ElectricChargePerArea ; +. +quantitykind:Population + a qudt:QuantityKind ; + dcterms:description "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Population"^^xsd:anyURI ; + qudt:plainTextDescription "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity." ; + rdfs:isDefinedBy ; + rdfs:label "Population"@en ; + skos:broader quantitykind:Count ; +. +quantitykind:PositionVector + a qudt:QuantityKind ; + dcterms:description "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(r = \\overrightarrow{OP}\\), where \\(O\\) and \\(P\\) are two points in space."^^qudt:LatexString ; + qudt:plainTextDescription "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O." ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + rdfs:label "Position Vector"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:PositiveDimensionlessRatio + a qudt:QuantityKind ; + dcterms:description "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcpositiveratiomeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero" ; + rdfs:isDefinedBy ; + rdfs:label "Positive Dimensionless Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:PositiveLength + a qudt:QuantityKind ; + dcterms:description "\"PositiveLength\" is a measure of length strictly greater than zero."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"PositiveLength\" is a measure of length strictly greater than zero." ; + rdfs:isDefinedBy ; + rdfs:label "Positive Length"@en ; + skos:broader quantitykind:NonNegativeLength ; +. +quantitykind:PositivePlaneAngle + a qudt:QuantityKind ; + dcterms:description "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN ; + qudt:applicableUnit unit:ARCSEC ; + qudt:applicableUnit unit:DEG ; + qudt:applicableUnit unit:GON ; + qudt:applicableUnit unit:GRAD ; + qudt:applicableUnit unit:MIL ; + qudt:applicableUnit unit:MIN_Angle ; + qudt:applicableUnit unit:MicroRAD ; + qudt:applicableUnit unit:MilliARCSEC ; + qudt:applicableUnit unit:MilliRAD ; + qudt:applicableUnit unit:RAD ; + qudt:applicableUnit unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; + qudt:plainTextDescription "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero." ; + rdfs:isDefinedBy ; + rdfs:label "Positive Plane Angle"@en ; + skos:broader quantitykind:PlaneAngle ; +. +quantitykind:PotentialEnergy + a qudt:QuantityKind ; + dcterms:description "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Potential_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Potential_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(V = -\\int F \\cdot dr\\), where \\(F\\) is a conservative force and \\(R\\) is a position vector."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion." ; + qudt:symbol "PE" ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Energia potencjalna"@pl ; + rdfs:label "Energie potențială"@ro ; + rdfs:label "Potansiyel enerji"@tr ; + rdfs:label "Tenaga keupayaan"@ms ; + rdfs:label "energia potencial"@pt ; + rdfs:label "energia potenziale"@it ; + rdfs:label "energía potencial"@es ; + rdfs:label "potenciální energie"@cs ; + rdfs:label "potential energy"@en ; + rdfs:label "potentielle Energie"@de ; + rdfs:label "énergie potentielle"@fr ; + rdfs:label "потенциальная энергия"@ru ; + rdfs:label "انرژی پتانسیل"@fa ; + rdfs:label "طاقة وضع"@ar ; + rdfs:label "स्थितिज ऊर्जा"@hi ; + rdfs:label "位置エネルギー"@ja ; + rdfs:label "势能"@zh ; + skos:broader quantitykind:Energy ; +. +quantitykind:Power + a qudt:QuantityKind ; + dcterms:description "Power is the rate at which work is performed or energy is transmitted, or the amount of energy required or expended for a given unit of time. As a rate of change of work done or the energy of a subsystem, power is: \\(P = W/t\\), where \\(P\\) is power, \\(W\\) is work and {t} is time."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Power"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Power_%28physics%29"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(P = F \\cdot v\\), where \\(F\\) is force and \\(v\\) is velocity."^^qudt:LatexString ; + qudt:symbol "P" ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Kuasa"@ms ; + rdfs:label "Leistung"@de ; + rdfs:label "Výkon"@cs ; + rdfs:label "flux energetic"@ro ; + rdfs:label "güç"@tr ; + rdfs:label "moc"@pl ; + rdfs:label "moč"@sl ; + rdfs:label "potencia"@es ; + rdfs:label "potentia"@la ; + rdfs:label "potenza"@it ; + rdfs:label "potência"@pt ; + rdfs:label "power"@en ; + rdfs:label "puissance"@fr ; + rdfs:label "putere"@ro ; + rdfs:label "strumień promieniowania"@pl ; + rdfs:label "teljesítmény , hőáramlás"@hu ; + rdfs:label "ısı akış oranı"@tr ; + rdfs:label "Ισχύς"@el ; + rdfs:label "Мощност"@bg ; + rdfs:label "Мощность"@ru ; + rdfs:label "הספק"@he ; + rdfs:label "القدرة"@ar ; + rdfs:label "توان، نرخ جریان گرما"@fa ; + rdfs:label "विकिरणी बहाव"@hi ; + rdfs:label "शक्ति"@hi ; + rdfs:label "功率、热流"@zh ; + rdfs:label "電力・仕事率"@ja ; +. +quantitykind:PowerArea + a qudt:QuantityKind ; + qudt:applicableUnit unit:HectoPA-L-PER-SEC ; + qudt:applicableUnit unit:HectoPA-M3-PER-SEC ; + qudt:applicableUnit unit:W-M2 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Power Area"@en ; +. +quantitykind:PowerAreaPerSolidAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:W-M2-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Power Area per Solid Angle"@en ; +. +quantitykind:PowerFactor + a qudt:QuantityKind ; + dcterms:description "\"Power Factor\", under periodic conditions, is the ratio of the absolute value of the active power \\(P\\) to the apparent power \\(S\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(power-factor\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-46"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\left | P \\right | / \\left | S \\right |\\), where \\(P\\) is active power and \\(S\\) is apparent power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Leistungsfaktor"@de ; + rdfs:label "Współczynnik mocy"@pl ; + rdfs:label "facteur de puissance"@fr ; + rdfs:label "factor de potencia"@es ; + rdfs:label "factor de putere"@ro ; + rdfs:label "faktor kuasa"@ms ; + rdfs:label "fator de potência"@pt ; + rdfs:label "fattore di potenza"@it ; + rdfs:label "güç faktörü"@tr ; + rdfs:label "power factor"@en ; + rdfs:label "Účiník"@cs ; + rdfs:label "Коэффициент_мощности"@ru ; + rdfs:label "ضریب توان"@fa ; + rdfs:label "معامل القدرة"@ar ; + rdfs:label "शक्ति गुणांक"@hi ; + rdfs:label "力率"@ja ; + rdfs:label "功率因数"@zh ; + rdfs:seeAlso quantitykind:ActivePower ; + rdfs:seeAlso quantitykind:ApparentPower ; +. +quantitykind:PowerPerArea + a qudt:QuantityKind ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://www.physicsforums.com/library.php?do=view_item&itemid=406"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Power Per Area"@en ; +. +quantitykind:PowerPerAreaAngle + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Power per Area Angle"@en ; +. +quantitykind:PowerPerAreaQuarticTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:W-PER-M2-K4 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Power per area quartic temperature"@en ; +. +quantitykind:PowerPerElectricCharge + a qudt:QuantityKind ; + dcterms:description "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge."^^rdf:HTML ; + qudt:applicableUnit unit:MilliV-PER-MIN ; + qudt:applicableUnit unit:V-PER-MicroSEC ; + qudt:applicableUnit unit:V-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:plainTextDescription "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge." ; + rdfs:isDefinedBy ; + rdfs:label "Power Per Electric Charge"@en ; +. +quantitykind:PoyntingVector + a qudt:QuantityKind ; + dcterms:description "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:expression "\\(poynting-vector\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{S} = \\mathbf{E} \\times \\mathbf{H} \\), where \\(\\mathbf{E}\\) is electric field strength and \\mathbf{H} is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{S} \\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density." ; + rdfs:isDefinedBy ; + rdfs:label "Poynting vector"@en ; + rdfs:label "Poynting-Vektor"@de ; + rdfs:label "vecteur de Poynting"@fr ; + rdfs:label "vector de Poynting"@es ; + rdfs:label "vector de Poynting"@pt ; + rdfs:label "vettore di Poynting"@it ; + rdfs:label "wektor Poyntinga"@pl ; + rdfs:label "вектор Пойнтинга"@ru ; + rdfs:label "متجَه بوينتنج"@ar ; + rdfs:label "ポインティングベクトル"@ja ; +. +quantitykind:Pressure + a qudt:QuantityKind ; + dcterms:description "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(p = \\frac{dF}{dA}\\), where \\(dF\\) is the force component perpendicular to the surface element of area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area." ; + rdfs:isDefinedBy ; + rdfs:label "Druck"@de ; + rdfs:label "Tekanan"@ms ; + rdfs:label "Tlak"@cs ; + rdfs:label "basınç"@tr ; + rdfs:label "ciśnienie"@pl ; + rdfs:label "naprężenie"@pl ; + rdfs:label "nyomás"@hu ; + rdfs:label "presiune"@ro ; + rdfs:label "presión"@es ; + rdfs:label "pressio"@la ; + rdfs:label "pression"@fr ; + rdfs:label "pressione"@it ; + rdfs:label "pressure"@en ; + rdfs:label "pressão"@pt ; + rdfs:label "pritisk"@sl ; + rdfs:label "tegasan"@ms ; + rdfs:label "tensione meccanica"@it ; + rdfs:label "tensiune mecanică"@ro ; + rdfs:label "tensão"@pt ; + rdfs:label "tlak"@sl ; + rdfs:label "Πίεση - τάση"@el ; + rdfs:label "Давление"@ru ; + rdfs:label "Налягане"@bg ; + rdfs:label "механично напрежение"@bg ; + rdfs:label "לחץ"@he ; + rdfs:label "الضغط أو الإجهاد"@ar ; + rdfs:label "فشار، تنش"@fa ; + rdfs:label "दबाव"@hi ; + rdfs:label "दाब"@hi ; + rdfs:label "压强、压力"@zh ; + rdfs:label "圧力"@ja ; + skos:broader quantitykind:ForcePerArea ; +. +quantitykind:PressureBurningRateConstant + a qudt:QuantityKind ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Burning Rate Constant"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:PressureBurningRateIndex + a qudt:QuantityKind ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Burning Rate Index"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:PressureCoefficient + a qudt:QuantityKind ; + qudt:applicableUnit unit:BAR-PER-K ; + qudt:applicableUnit unit:HectoPA-PER-K ; + qudt:applicableUnit unit:KiloPA-PER-K ; + qudt:applicableUnit unit:MegaPA-PER-K ; + qudt:applicableUnit unit:PA-PER-K ; + qudt:expression "\\(pres-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\beta = \\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Coefficient"@en ; +. +quantitykind:PressureLossPerLength + a qudt:QuantityKind ; + dcterms:description "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2-SEC2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Friction_loss"^^xsd:anyURI ; + qudt:plainTextDescription "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"." ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Loss per Length"@en ; +. +quantitykind:PressurePercentage + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:PressureRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Percentage"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:PressureRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:BAR-PER-BAR ; + qudt:applicableUnit unit:HectoPA-PER-BAR ; + qudt:applicableUnit unit:KiloPA-PER-BAR ; + qudt:applicableUnit unit:MegaPA-PER-BAR ; + qudt:applicableUnit unit:MilliBAR-PER-BAR ; + qudt:applicableUnit unit:PA-PER-BAR ; + qudt:applicableUnit unit:PSI-PER-PSI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Pressure Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:Prevalence + a qudt:QuantityKind ; + dcterms:description "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)"^^rdf:HTML ; + qudt:applicableUnit unit:PERCENT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Prevalence"^^xsd:anyURI ; + qudt:plainTextDescription "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Prevalence" ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:PrincipalQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Principal Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber ; + skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; + skos:closeMatch quantitykind:SpinQuantumNumber ; +. +quantitykind:PropagationCoefficient + a qudt:QuantityKind ; + dcterms:description "The propagation constant, symbol \\(\\gamma\\), for a given system is defined by the ratio of the amplitude at the source of the wave to the amplitude at some distance x."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Propagation_constant"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\alpha + j\\beta\\), where \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Propagation coefficient"@en ; +. +quantitykind:PropellantBurnRate + a qudt:QuantityKind ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Propellant Burn Rate"@en ; + skos:broader quantitykind:BurnRate ; +. +quantitykind:PropellantMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_f" ; + rdfs:isDefinedBy ; + rdfs:label "Propellant Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:PropellantMeanBulkTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Propellant Mean Bulk Temperature"@en ; + skos:altLabel "PMBT" ; + skos:broader quantitykind:PropellantTemperature ; +. +quantitykind:PropellantTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Propellant Temperature"@en ; + skos:broader quantitykind:Temperature ; +. +quantitykind:QualityFactor + a qudt:QuantityKind ; + dcterms:description "\"Quality Factor\", of a resonant circuit, is a measure of the \"goodness\" or quality of a resonant circuit. A higher value for this figure of merit correspondes to a more narrow bandwith, which is desirable in many applications. More formally, \\(Q\\) is the ratio of power stored to power dissipated in the circuit reactance and resistance, respectively"^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.sourcetronic.com/electrical-measurement-glossary/quality-factor.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.allaboutcircuits.com/vol_2/chpt_6/6.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "If \\(\\underline{Z} = R + jX\\), then \\(Q = \\left | X \\right |/R\\), where \\(\\underline{Z}\\) is impedance, \\(R\\) is resistance, and \\(X\\) is reactance."^^qudt:LatexString ; + qudt:symbol "Q" ; + vaem:todo "Resolve Quality Facor - electronics and also doses" ; + rdfs:isDefinedBy ; + rdfs:label "Quality Factor"@en ; + rdfs:seeAlso quantitykind:Impedance ; + rdfs:seeAlso quantitykind:Resistance ; +. +quantitykind:QuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Quantum Number"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:QuarticElectricDipoleMomentPerCubicEnergy + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; +. +quantitykind:RESERVE-MASS + a qudt:QuantityKind ; + dcterms:description "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://eaton.math.rpi.edu/CSUMS/Papers/EcoEnergy/koojimanconserve.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)." ; + qudt:symbol "M_{E}" ; + rdfs:isDefinedBy ; + rdfs:label "Reserve Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:RF-Power + a qudt:QuantityKind ; + dcterms:description "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV-PER-M ; + qudt:applicableUnit unit:MegaV-PER-M ; + qudt:applicableUnit unit:MicroV-PER-M ; + qudt:applicableUnit unit:MilliV-PER-M ; + qudt:applicableUnit unit:V-PER-CentiM ; + qudt:applicableUnit unit:V-PER-IN ; + qudt:applicableUnit unit:V-PER-M ; + qudt:applicableUnit unit:V-PER-MilliM ; + qudt:applicableUnit unit:V_Ab-PER-CentiM ; + qudt:applicableUnit unit:V_Stat-PER-CentiM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "https://www.analog.com/en/technical-articles/measurement-control-rf-power-parti.html"^^xsd:anyURI ; + qudt:plainTextDescription "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)." ; + rdfs:isDefinedBy ; + rdfs:label "RF-Power Level"@en ; + skos:broader quantitykind:SignalStrength ; +. +quantitykind:RadialDistance + a qudt:QuantityKind ; + dcterms:description "In classical geometry, the \"Radial Distance\" is a coordinate in polar coordinate systems (r, \\(\\theta\\)). Basically the radial distance is the scalar Euclidean distance between a point and the origin of the system of coordinates."^^qudt:LatexString ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radial_distance_(geometry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\sqrt{r_1^2 + r_2^2 -2r_1r_2\\cos{(\\theta_1 - \\theta_2)}}\\), where \\(P_1\\) and \\(P_2\\) are two points with polar coordinates \\((r_1, \\theta_1)\\) and \\((r_2, \\theta_2)\\), respectively, and \\(d\\) is the distance."^^qudt:LatexString ; + qudt:latexSymbol "\\(r_Q, \\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Radial Distance"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Radiance + a qudt:QuantityKind ; + dcterms:description "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{dI}{dA}\\frac{1}{cos\\alpha}\\), where \\(dI\\) is the radiant intensity emitted from an element of the surface area \\(dA\\), and angle \\(\\alpha\\) is the angle between the normal to the surface and the given direction."^^qudt:LatexString ; + qudt:plainTextDescription "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Radiance"@en ; + skos:broader quantitykind:PowerPerAreaAngle ; +. +quantitykind:RadianceFactor + a qudt:QuantityKind ; + dcterms:description "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/radiance%20factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\beta = \\frac{L_n}{L_d}\\), where \\(L_n\\) is the radiance of a surface element in a given direction and \\(L_d\\) is the radiance of the perfect reflecting or transmitting diffuser identically irradiated and viewed. Reflectance factor is equivalent to radiance factor or luminance factor (when the cone angle is infinitely small, and is equivalent to reflectance when the cone angle is \\(2π sr\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit." ; + rdfs:isDefinedBy ; + rdfs:label "Radiance Factor"@en ; +. +quantitykind:RadiantEmmitance + a qudt:QuantityKind ; + dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux leaving the element of the surface area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Emmitance"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:RadiantEnergy + a qudt:QuantityKind ; + dcterms:description "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received."^^rdf:HTML ; + qudt:abbreviation "M-L2-PER-T2" ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q_e\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received." ; + qudt:symbol "Q_e" ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Işınım erkesi"@tr ; + rdfs:label "Strahlungsenergie"@de ; + rdfs:label "Tenaga sinaran"@ms ; + rdfs:label "energia promienista"@pl ; + rdfs:label "energia radiante"@it ; + rdfs:label "energia radiante"@pt ; + rdfs:label "energie záření"@cs ; + rdfs:label "energía radiante"@es ; + rdfs:label "radiant energy"@en ; + rdfs:label "énergie rayonnante"@fr ; + rdfs:label "энергия излучения"@ru ; + rdfs:label "انرژی تابشی"@fa ; + rdfs:label "طاقة إشعاعية"@ar ; + rdfs:label "विकिरण ऊर्जा"@hi ; + rdfs:label "放射エネルギー"@ja ; + rdfs:label "辐射能"@zh ; + skos:broader quantitykind:Energy ; + skos:closeMatch quantitykind:LuminousEnergy ; +. +quantitykind:RadiantEnergyDensity + a qudt:QuantityKind ; + dcterms:description "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; + qudt:latexDefinition "\\(w\\), \\(\\rho = \\frac{dQ}{dV}\\), where \\(dQ\\) is the radiant energy in an elementary three-dimensional domain, and \\(dV\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(w, \\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume." ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Energy Density"@en ; +. +quantitykind:RadiantExposure + a qudt:QuantityKind ; + dcterms:description "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure."^^rdf:HTML ; + qudt:abbreviation "J-PER-CM2" ; + qudt:applicableUnit unit:BTU_IT-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-M2 ; + qudt:applicableUnit unit:GigaJ-PER-M2 ; + qudt:applicableUnit unit:J-PER-CentiM2 ; + qudt:applicableUnit unit:J-PER-M2 ; + qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM-PER-SEC2 ; + qudt:applicableUnit unit:KiloW-HR-PER-M2 ; + qudt:applicableUnit unit:MegaJ-PER-M2 ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:applicableUnit unit:W-HR-PER-M2 ; + qudt:applicableUnit unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://omlc.ogi.edu/education/ece532/class1/irradiance.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = \\int_{0}^{\\Delta t}{E}{dt}\\), where \\(E\\) is the irradiance acting during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure." ; + qudt:symbol "H_e" ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Exposure"@en ; + skos:broader quantitykind:EnergyPerArea ; +. +quantitykind:RadiantFluence + a qudt:QuantityKind ; + dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; + qudt:applicableUnit unit:GigaJ-PER-M2 ; + qudt:applicableUnit unit:J-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:latexDefinition "\\(H_0 = \\int_{0}^{\\Delta t}{E_0}{dt}\\), where \\(E_0\\) is the spherical radiance acting during time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; + qudt:symbol "H_e,0" ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Fluence"@en ; +. +quantitykind:RadiantFluenceRate + a qudt:QuantityKind ; + dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; + qudt:abbreviation "M-PER-T3" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://goldbook.iupac.org/FT07376.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_0 = \\int{L}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L\\) its radiance at that point in the direction of the beam."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; + qudt:symbol "E_e,0" ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Fluence Rate"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:RadiantFlux + a qudt:QuantityKind ; + dcterms:description "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface."^^rdf:HTML ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_flux"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\frac{dQ}{dt}\\), where \\(dQ\\) is the radiant energy emitted, transferred, or received during a time interval of the duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface." ; + rdfs:isDefinedBy ; + rdfs:label "Strahlungsfluss"@de ; + rdfs:label "Strahlungsleistung"@de ; + rdfs:label "flujo radiante"@es ; + rdfs:label "flusso radiante"@it ; + rdfs:label "flux énergétique"@fr ; + rdfs:label "fluxo energético"@pt ; + rdfs:label "moc promieniowania"@pl ; + rdfs:label "moc promienista"@pl ; + rdfs:label "potencia radiante"@es ; + rdfs:label "potenza radiante"@it ; + rdfs:label "potência radiante"@pt ; + rdfs:label "puissance rayonnante"@fr ; + rdfs:label "radiant flux"@en ; + rdfs:label "radiant power"@en ; + rdfs:label "قدرة إشعاعية"@ar ; + rdfs:label "放射パワー"@ja ; + skos:broader quantitykind:Power ; +. +quantitykind:RadiantIntensity + a qudt:QuantityKind ; + dcterms:description "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{d\\Phi}{d\\Omega}\\), where \\(d\\Phi\\) is the radiant flux leaving the source in an elementary cone containing the given direction with the solid angle \\(d\\Omega\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Radiant Intensity"@en ; +. +quantitykind:RadiativeHeatTransfer + a qudt:QuantityKind ; + dcterms:description "\"Radiative Heat Transfer\" is proportional to \\((T_1^4 - T_2^4)\\) and area of the surface, where \\(T_1\\) and \\(T_2\\) are thermodynamic temperatures of two black surfaces, for non totally black surfaces an additional factor less than 1 is needed."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-MIN ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:BTU_TH-PER-HR ; + qudt:applicableUnit unit:BTU_TH-PER-MIN ; + qudt:applicableUnit unit:BTU_TH-PER-SEC ; + qudt:applicableUnit unit:CAL_TH-PER-MIN ; + qudt:applicableUnit unit:CAL_TH-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloBTU_TH-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloCAL_TH-PER-HR ; + qudt:applicableUnit unit:KiloCAL_TH-PER-MIN ; + qudt:applicableUnit unit:KiloCAL_TH-PER-SEC ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Radiation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_r\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Radiative Heat Transfer"@en ; + skos:broader quantitykind:HeatFlowRate ; +. +quantitykind:Radiosity + a qudt:QuantityKind ; + dcterms:description "Radiosity is the total emitted and reflected radiation leaving a surface."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:plainTextDescription "Radiosity is the total emitted and reflected radiation leaving a surface." ; + rdfs:isDefinedBy ; + rdfs:label "Radiosity"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:Radius + a qudt:QuantityKind ; + dcterms:description "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radius"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radius"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(r = \\frac{d}{2}\\), where \\(d\\) is the circle diameter."^^qudt:LatexString ; + qudt:plainTextDescription "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment." ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + rdfs:label "Radius"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:RadiusOfCurvature + a qudt:QuantityKind ; + dcterms:description "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radius_of_curvature_(mathematics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point." ; + rdfs:isDefinedBy ; + rdfs:label "Radius of Curvature"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:RatioOfSpecificHeatCapacities + a qudt:QuantityKind ; + dcterms:description "The specific heat ratio of a gas is the ratio of the specific heat at constant pressure, \\(c_p\\), to the specific heat at constant volume, \\(c_V\\). It is sometimes referred to as the \"adiabatic index} or the \\textit{heat capacity ratio} or the \\textit{isentropic expansion factor} or the \\textit{adiabatic exponent} or the \\textit{isentropic exponent\"."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = c_p / c_V\\), where \\(c\\) is the specific heat of a gas, \\(c_p\\) is specific heat capacity at constant pressure, \\(c_V\\) is specific heat capacity at constant volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Ratio of Specific Heat Capacities"@en ; + rdfs:seeAlso quantitykind:IsentropicExponent ; +. +quantitykind:Reactance + a qudt:QuantityKind ; + dcterms:description "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance."^^rdf:HTML ; + qudt:applicableUnit unit:OHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_reactance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_reactance?oldid=494180019"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-46"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(X = im \\underline{Z}\\), where \\(\\underline{Z}\\) is impedance and \\(im\\) denotes the imaginary part."^^qudt:LatexString ; + qudt:plainTextDescription "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + rdfs:label "Reactance"@en ; + rdfs:seeAlso quantitykind:Impedance ; +. +quantitykind:ReactionEnergy + a qudt:QuantityKind ; + dcterms:description "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Reaction Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:ReactivePower + a qudt:QuantityKind ; + dcterms:description "\"Reactive Power}, for a linear two-terminal element or two-terminal circuit, under sinusoidal conditions, is the quantity equal to the product of the apparent power \\(S\\) and the sine of the displacement angle \\(\\psi\\). The absolute value of the reactive power is equal to the non-active power. The ISO (and SI) unit for reactive power is the voltampere. The special name \\(\\textit{var}\\) and symbol \\(\\textit{var}\\) are given in IEC 60027 1."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A_Reactive ; + qudt:applicableUnit unit:MegaV-A_Reactive ; + qudt:applicableUnit unit:V-A_Reactive ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-44"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q = lm \\underline{S}\\), where \\(\\underline{S}\\) is complex power. Alternatively expressed as: \\(Q = S \\cdot \\sin \\psi\\), where \\(\\psi\\) is the displacement angle."^^qudt:LatexString ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Blindleistung"@de ; + rdfs:label "Jalový výkon"@cs ; + rdfs:label "Kuasa reaktif"@ms ; + rdfs:label "moc bierna"@pl ; + rdfs:label "potencia reactiva"@es ; + rdfs:label "potenza reattiva"@it ; + rdfs:label "potência reativa"@pt ; + rdfs:label "puissance réactive"@fr ; + rdfs:label "reactive power"@en ; + rdfs:label "reaktif güç"@tr ; + rdfs:label "القدرة الكهربائية الردفعلية;الردية"@ar ; + rdfs:label "توان راکتیو"@fa ; + rdfs:label "无功功率"@zh ; + rdfs:label "無効電力"@ja ; + rdfs:seeAlso quantitykind:ComplexPower ; + skos:broader quantitykind:ComplexPower ; +. +quantitykind:Reactivity + a qudt:QuantityKind ; + dcterms:description "\"Reactivity\" characterizes the deflection of reactor from the critical state."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{k_{eff} - 1}{k_{eff}}\\), where \\(k_{eff}\\) is the effective multiplication factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Reactivity\" characterizes the deflection of reactor from the critical state." ; + rdfs:isDefinedBy ; + rdfs:label "Reactivity"@en ; +. +quantitykind:ReactorTimeConstant + a qudt:QuantityKind ; + dcterms:description "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/r/reactor-time-constant.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially." ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + rdfs:label "Reactor Time Constant"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:RecombinationCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/recombination+coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(-\\frac{dn^+}{dt} = -\\frac{dn^-}{dt} = an^+n^-\\), where \\(n^+\\) and \\(n^-\\) are the ion number densities of positive and negative ions, respectively, recombined during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume." ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "Recombination Coefficient"@en ; +. +quantitykind:Reflectance + a qudt:QuantityKind ; + dcterms:description "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the reflected radiant flux, the reflected luminous flux, or the reflected sound power and \\(\\Phi_m\\) is the incident radiant flux, incident luminous flux, or incident sound power, respectively."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0." ; + rdfs:isDefinedBy ; + rdfs:label "Reflectance"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:ReflectanceFactor + a qudt:QuantityKind ; + dcterms:description "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/reflectance+factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = \\frac{\\Phi_n}{\\Phi_d}\\), where \\(\\Phi_n\\) is the radiant flux or luminous flux reflected in the directions delimited by a given cone and \\(\\Phi_d\\) is the flux reflected in the same directions by an identically radiated diffuser of reflectance equal to 1."^^qudt:LatexString ; + qudt:plainTextDescription "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Reflectance Factor"@en ; +. +quantitykind:Reflectivity + a qudt:QuantityKind ; + dcterms:description """

For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number.

+ +

For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.

"""^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription """For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number. + +For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.""" ; + rdfs:isDefinedBy ; + rdfs:label "Reflectivity"@en ; + skos:broader quantitykind:Reflectance ; +. +quantitykind:RefractiveIndex + a qudt:QuantityKind ; + dcterms:description "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Refractive_index"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{c_0}{c}\\), where \\(c_0\\) is the speed of light in vacuum, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; + qudt:plainTextDescription "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + rdfs:label "Brechungsindex"@de ; + rdfs:label "Brechzahl"@de ; + rdfs:label "Indeks biasan"@ms ; + rdfs:label "Index lomu"@cs ; + rdfs:label "Indice de refracție"@ro ; + rdfs:label "Współczynnik załamania"@pl ; + rdfs:label "indice de réfraction"@fr ; + rdfs:label "indice di rifrazione"@it ; + rdfs:label "kırılma indeksi"@tr ; + rdfs:label "refractive index"@en ; + rdfs:label "índice de refracción"@es ; + rdfs:label "índice refrativo"@pt ; + rdfs:label "Показатель преломления"@ru ; + rdfs:label "ضریب شکست"@fa ; + rdfs:label "معامل الانكسار"@ar ; + rdfs:label "अपवर्तनांक"@hi ; + rdfs:label "屈折率"@ja ; + rdfs:label "折射率"@zh ; +. +quantitykind:RelativeAtomicMass + a qudt:QuantityKind ; + dcterms:description "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_atomic_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)" ; + qudt:symbol "A_r" ; + rdfs:isDefinedBy ; + rdfs:label "Relative Atomic Mass"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:RelativeHumidity + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Relative Humidity}\\) is the ratio of the partial pressure of water vapor in an air-water mixture to the saturated vapor pressure of water at a prescribed temperature. The relative humidity of air depends not only on temperature but also on the pressure of the system of interest. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent."^^qudt:LatexString ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERCENT_RH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_humidity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Relative Humidity"@en ; + rdfs:seeAlso quantitykind:AbsoluteHumidity ; + skos:altLabel "RH" ; + skos:broader quantitykind:RelativePartialPressure ; +. +quantitykind:RelativeLuminousFlux + a qudt:QuantityKind ; + dcterms:description "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:LuminousFluxRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:plainTextDescription "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Relative Luminous Flux"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:RelativeMassConcentrationOfVapour + a qudt:QuantityKind ; + dcterms:description "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = v / v_{sat}\\), where \\(v\\) is mass concentration of water vapour, \\(v_{sat}\\) is its mass concentration of water vapour at saturation (at the same temperature). For normal cases, the relative partial pressure may be assumed to be equal to relative mass concentration of vapour."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; + rdfs:isDefinedBy ; + rdfs:label "Relative Mass Concentration of Vapour"@en ; + rdfs:seeAlso quantitykind:RelativePartialPressure ; +. +quantitykind:RelativeMassDefect + a qudt:QuantityKind ; + dcterms:description "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(B_r = \\frac{B}{m_u}\\), where \\(B\\) is the mass defect and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "B_r" ; + rdfs:isDefinedBy ; + rdfs:label "Relative Mass Defect"@en ; + rdfs:seeAlso quantitykind:MassDefect ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:RelativeMassDensity + a qudt:QuantityKind ; + dcterms:description "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\frac{\\rho}{\\rho_0}\\), where \\(\\rho\\) is mass density of a substance and \\(\\rho_0\\) is the mass density of a reference substance under conditions that should be specified for both substances."^^qudt:LatexString ; + qudt:plainTextDescription "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Relative Mass Density"@en ; +. +quantitykind:RelativeMassExcess + a qudt:QuantityKind ; + dcterms:description "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta_r = \\frac{\\Delta}{m_u}\\), where \\(\\Delta\\) is the mass excess and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta_r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)." ; + rdfs:isDefinedBy ; + rdfs:label "Relative Mass Excess"@en ; +. +quantitykind:RelativeMassRatioOfVapour + a qudt:QuantityKind ; + dcterms:description "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\psi = x / x_{sat}\\), where \\(x\\) is mass ratio of water vapour to dry gas, \\(x_{sat}\\) is its mass raio of water vapour to dry gas at saturation (at the same temperature)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; + rdfs:isDefinedBy ; + rdfs:label "Relative Mass Ratio of Vapour"@en ; +. +quantitykind:RelativeMolecularMass + a qudt:QuantityKind ; + dcterms:description "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule." ; + qudt:symbol "M_r" ; + rdfs:isDefinedBy ; + rdfs:label "Relative Molecular Mass"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:RelativePartialPressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:PERCENT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Partial Pressure}\\) is also referred to as \\(\\textit{Relative Humidity}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Relative Partial Pressure"@en ; + skos:altLabel "RH" ; + skos:broader quantitykind:PressureRatio ; +. +quantitykind:RelativePressureCoefficient + a qudt:QuantityKind ; + qudt:applicableUnit unit:PER-K ; + qudt:expression "\\(rel-pres-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_p = \\frac{1}{p}\\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_p\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Relative Pressure Coefficient"@en ; +. +quantitykind:RelaxationTIme + a qudt:QuantityKind ; + dcterms:description "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relaxation_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium." ; + rdfs:isDefinedBy ; + rdfs:label "Relaxation TIme"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:Reluctance + a qudt:QuantityKind ; + dcterms:description "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_reluctance"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_m = \\frac{U_m}{\\Phi}\\), where \\(U_m\\) is magnetic tension, and \\(\\Phi\\) is magnetic flux."^^qudt:LatexString ; + qudt:plainTextDescription "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance." ; + qudt:symbol "R_m" ; + rdfs:isDefinedBy ; + rdfs:label "Reluctance"@en ; + rdfs:seeAlso quantitykind:MagneticFlux ; + rdfs:seeAlso quantitykind:MagneticTension ; +. +quantitykind:ResidualResistivity + a qudt:QuantityKind ; + dcterms:description "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature."^^rdf:HTML ; + qudt:applicableUnit unit:OHM-M ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Residual-resistance_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho_R\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature." ; + rdfs:isDefinedBy ; + rdfs:label "Residual Resistivity"@en ; +. +quantitykind:Resistance + a qudt:QuantityKind ; + dcterms:description "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current."^^rdf:HTML ; + qudt:applicableUnit unit:GigaOHM ; + qudt:applicableUnit unit:KiloOHM ; + qudt:applicableUnit unit:MegaOHM ; + qudt:applicableUnit unit:MicroOHM ; + qudt:applicableUnit unit:MilliOHM ; + qudt:applicableUnit unit:OHM ; + qudt:applicableUnit unit:OHM_Ab ; + qudt:applicableUnit unit:OHM_Stat ; + qudt:applicableUnit unit:PlanckImpedance ; + qudt:applicableUnit unit:TeraOHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Resistance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-45"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = \\frac{u}{i}\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:plainTextDescription "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Resistance"@en ; + rdfs:seeAlso quantitykind:ElectricCurrent ; + rdfs:seeAlso quantitykind:Impedance ; + rdfs:seeAlso quantitykind:InstantaneousPower ; +. +quantitykind:ResistancePercentage + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:ResistanceRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Resistance Percentage"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:ResistanceRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Resistance Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:Resistivity + a qudt:QuantityKind ; + dcterms:description "\"Resistivity\" is the inverse of the conductivity when this inverse exists."^^rdf:HTML ; + qudt:applicableUnit unit:OHM-M ; + qudt:applicableUnit unit:OHM-M2-PER-M ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-04"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{1}{\\sigma}\\), if it exists, where \\(\\sigma\\) is conductivity."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Resistivity\" is the inverse of the conductivity when this inverse exists." ; + rdfs:isDefinedBy ; + rdfs:label "Resistivity"@en ; + rdfs:seeAlso quantitykind:Conductivity ; +. +quantitykind:ResonanceEnergy + a qudt:QuantityKind ; + dcterms:description "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction_analysis"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction." ; + qudt:symbol "E_r, E_{res}" ; + rdfs:isDefinedBy ; + rdfs:label "Resonance Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:ResonanceEscapeProbability + a qudt:QuantityKind ; + dcterms:description "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Resonance Escape Probability"@en ; +. +quantitykind:ResonanceEscapeProbabilityForFission + a qudt:QuantityKind ; + dcterms:description "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + rdfs:label "Resonance Escape Probability For Fission"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:RespiratoryRate + a qudt:QuantityKind ; + dcterms:description "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea."^^rdf:HTML ; + qudt:applicableUnit unit:BREATH-PER-MIN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Respiratory_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Respiratory_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea." ; + qudt:symbol "Vf, Rf or RR" ; + rdfs:isDefinedBy ; + rdfs:label "Respiratory Rate"@en ; +. +quantitykind:RestEnergy + a qudt:QuantityKind ; + dcterms:description "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass#Rest_energy"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For a particle, \\(E_0 = m_0 c_0^2\\), where \\(m_0\\) is the rest mass of that particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared." ; + qudt:symbol "E_0" ; + rdfs:isDefinedBy ; + rdfs:label "Rest Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:RestMass + a qudt:QuantityKind ; + dcterms:description "The \\(\\textit{Rest Mass}\\), the invariant mass, intrinsic mass, proper mass, or (in the case of bound systems or objects observed in their center of momentum frame) simply mass, is a characteristic of the total energy and momentum of an object or a system of objects that is the same in all frames of reference related by Lorentz transformations. The mass of a particle type X (electron, proton or neutron) when that particle is at rest. For an electron: \\(m_e = 9,109 382 15(45) 10^{-31} kg\\), for a proton: \\(m_p = 1,672 621 637(83) 10^{-27} kg\\), for a neutron: \\(m_n = 1,674 927 211(84) 10^{-27} kg\\). Rest mass is often denoted \\(m_0\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m_X" ; + rdfs:isDefinedBy ; + rdfs:label "Jisim rehat"@ms ; + rdfs:label "Klidová hmotnost"@cs ; + rdfs:label "Mirovna masa"@sl ; + rdfs:label "Ruhemasse"@de ; + rdfs:label "dinlenme kütlesi"@tr ; + rdfs:label "invariantna masa"@sl ; + rdfs:label "lastna masa"@sl ; + rdfs:label "masa invariante"@es ; + rdfs:label "masa invariantă"@ro ; + rdfs:label "masa niezmiennicza"@pl ; + rdfs:label "masa spoczynkowa"@pl ; + rdfs:label "massa a riposo"@it ; + rdfs:label "massa de repouso"@pt ; + rdfs:label "masse au repos"@fr ; + rdfs:label "masse invariante"@fr ; + rdfs:label "masse propre"@fr ; + rdfs:label "rest mass"@en ; + rdfs:label "träge Masse"@de ; + rdfs:label "инвариантная масса"@ru ; + rdfs:label "масса покоя"@ru ; + rdfs:label "جرم سکون"@fa ; + rdfs:label "كتلة ساكنة"@ar ; + rdfs:label "निश्चर द्रव्यमान"@hi ; + rdfs:label "不変質量"@ja ; + rdfs:label "静止质量"@zh ; + skos:altLabel "Proper Mass" ; + skos:broader quantitykind:Mass ; +. +quantitykind:ReverberationTime + a qudt:QuantityKind ; + dcterms:description "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reverberation"^^xsd:anyURI ; + qudt:plainTextDescription "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound." ; + qudt:symbol "T" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Reverberation Time"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:ReynoldsNumber + a qudt:QuantityKind ; + dcterms:description "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Reynolds_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reynolds_number"^^xsd:anyURI ; + qudt:latexDefinition "\\(Re = \\frac{\\rho uL}{\\mu} = \\frac{uL}{\\nu}\\), where \\(\\rho\\) is mass density, \\(u\\) is speed, \\(L\\) is length, \\(\\mu\\) is dynamic viscosity, and \\(\\nu\\) is kinematic viscosity."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions." ; + qudt:symbol "Re" ; + rdfs:isDefinedBy ; + rdfs:label "Reynolds Number"@en ; + skos:broader quantitykind:DimensionlessRatio ; + skos:closeMatch ; +. +quantitykind:RichardsonConstant + a qudt:QuantityKind ; + dcterms:description "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-M2-K2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermionic_emission"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "The thermionic emission current, \\(J\\), for a metal is \\(J = AT^2\\exp{(-\\frac{\\Phi}{kT})}\\), where \\(T\\) is thermodynamic temperature, \\(k\\) is the Boltzmann constant, and \\(\\Phi\\) is a work function."^^qudt:LatexString ; + qudt:plainTextDescription "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Richardson Constant"@en ; +. +quantitykind:RocketAtmosphericTransverseForce + a qudt:QuantityKind ; + dcterms:description "Transverse force on rocket due to an atmosphere"^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "Transverse force on rocket due to an atmosphere" ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + rdfs:label "Rocket Atmospheric Transverse Force"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:RotationalMass + a qudt:QuantityKind ; + dcterms:description "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:exactMatch quantitykind:MomentOfInertia ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcrotationalmassmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2." ; + rdfs:isDefinedBy ; + rdfs:label "Rotational Mass"@en ; +. +quantitykind:RotationalStiffness + a qudt:QuantityKind ; + dcterms:description "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque."^^rdf:HTML ; + qudt:applicableUnit unit:N-M-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:plainTextDescription "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque." ; + rdfs:isDefinedBy ; + rdfs:label "Rotational Stiffness"@en ; + skos:broader quantitykind:TorquePerAngle ; +. +quantitykind:ScalarMagneticPotential + a qudt:QuantityKind ; + dcterms:description "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient."^^rdf:HTML ; + qudt:applicableUnit unit:V-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-58"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{H} = -grad V_m\\), where \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient." ; + qudt:symbol "V_m" ; + rdfs:isDefinedBy ; + rdfs:label "Scalar Magnetic Potential"@en ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; +. +quantitykind:SecondAxialMomentOfArea + a qudt:QuantityKind ; + dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; + qudt:applicableUnit unit:IN4 ; + qudt:applicableUnit unit:M4 ; + qudt:applicableUnit unit:MilliM4 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_a = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; + qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Second Axial Moment of Area"@en ; +. +quantitykind:SecondMomentOfArea + a qudt:QuantityKind ; + dcterms:description "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2 ; + qudt:applicableUnit unit:KiloGM-M2 ; + qudt:applicableUnit unit:KiloGM-MilliM2 ; + qudt:applicableUnit unit:LB-FT2 ; + qudt:applicableUnit unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:plainTextDescription "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section." ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:label "Flächenträgheitsmoment"@de ; + rdfs:label "Geometryczny moment bezwładności"@pl ; + rdfs:label "Segundo momento de área"@pt ; + rdfs:label "moment quadratique"@fr ; + rdfs:label "momento de inércia de área"@pt ; + rdfs:label "second moment of area"@en ; + rdfs:label "secondo momento di area"@it ; + rdfs:label "segundo momento de érea"@es ; + rdfs:label "گشتاور دوم سطح"@fa ; + rdfs:label "क्षेत्रफल का द्वितीय आघूर्ण"@hi ; + rdfs:label "截面二次轴矩"@zh ; + rdfs:label "断面二次モーメント"@ja ; + skos:broader quantitykind:MomentOfInertia ; +. +quantitykind:SecondOrderReactionRateConstant + a qudt:QuantityKind ; + dcterms:description "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL-SEC ; + qudt:applicableUnit unit:M3-PER-MOL-SEC ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:plainTextDescription "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction." ; + rdfs:isDefinedBy ; + rdfs:label "Reaction Rate Constant"@en ; +. +quantitykind:SecondPolarMomentOfArea + a qudt:QuantityKind ; + dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; + qudt:applicableUnit unit:M4 ; + qudt:applicableUnit unit:MilliM4 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_p = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; + qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + rdfs:label "Second Polar Moment of Area"@en ; +. +quantitykind:SecondStageMassRatio + a qudt:QuantityKind ; + dcterms:description "Mass ratio for the second stage of a multistage launcher."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; + qudt:applicableUnit unit:GM-PER-GM ; + qudt:applicableUnit unit:GM-PER-KiloGM ; + qudt:applicableUnit unit:KiloGM-PER-KiloGM ; + qudt:applicableUnit unit:MicroGM-PER-GM ; + qudt:applicableUnit unit:MicroGM-PER-KiloGM ; + qudt:applicableUnit unit:MilliGM-PER-GM ; + qudt:applicableUnit unit:MilliGM-PER-KiloGM ; + qudt:applicableUnit unit:NanoGM-PER-KiloGM ; + qudt:applicableUnit unit:PicoGM-PER-GM ; + qudt:applicableUnit unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Mass ratio for the second stage of a multistage launcher." ; + qudt:symbol "R_2" ; + rdfs:isDefinedBy ; + rdfs:label "Second Stage Mass Ratio"@en ; + skos:broader quantitykind:MassRatio ; +. +quantitykind:SectionAreaIntegral + a qudt:QuantityKind ; + dcterms:description "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵."^^rdf:HTML ; + qudt:applicableUnit unit:M5 ; + qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcsectionalareaintegralmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵." ; + rdfs:isDefinedBy ; + rdfs:label "Section Area Integral"@en ; +. +quantitykind:SectionModulus + a qudt:QuantityKind ; + dcterms:description "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members."^^rdf:HTML ; + qudt:applicableUnit unit:M3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Section_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\frac{I_a}{(r_Q)_{max}}\\), where \\(I_a\\) is the second axial moment of area and \\((r_Q)_{max}\\) is the maximum radial distance of any point in the surface considered from the \\(Q-axis\\) with respect to which \\(I_a\\) is defined."^^qudt:LatexString ; + qudt:plainTextDescription "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "Section Modulus"@en ; +. +quantitykind:SeebeckCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-K ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermopower"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_{ab} = \\frac{dE_{ab}}{dT}\\), where \\(E_{ab}\\) is the thermosource voltage between substances a and b, \\(T\\) is the thermodynamic temperature of the hot junction."^^qudt:LatexString ; + qudt:plainTextDescription "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material." ; + qudt:symbol "S_{ab}" ; + rdfs:isDefinedBy ; + rdfs:label "Seebeck Coefficient"@en ; +. +quantitykind:SerumOrPlasmaLevel + a qudt:QuantityKind ; + qudt:applicableUnit unit:IU-PER-L ; + qudt:applicableUnit unit:IU-PER-MilliL ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Serum or Plasma Level"@en ; + skos:broader quantitykind:AmountOfSubstancePerUnitVolume ; +. +quantitykind:ShannonDiversityIndex + a qudt:QuantityKind ; + dcterms:description "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity."^^rdf:HTML ; + qudt:applicableUnit unit:BAN ; + qudt:applicableUnit unit:BIT ; + qudt:applicableUnit unit:BYTE ; + qudt:applicableUnit unit:ERLANG ; + qudt:applicableUnit unit:ExaBYTE ; + qudt:applicableUnit unit:ExbiBYTE ; + qudt:applicableUnit unit:GibiBYTE ; + qudt:applicableUnit unit:GigaBYTE ; + qudt:applicableUnit unit:HART ; + qudt:applicableUnit unit:KibiBYTE ; + qudt:applicableUnit unit:KiloBYTE ; + qudt:applicableUnit unit:MebiBYTE ; + qudt:applicableUnit unit:MegaBYTE ; + qudt:applicableUnit unit:NAT ; + qudt:applicableUnit unit:PebiBYTE ; + qudt:applicableUnit unit:PetaBYTE ; + qudt:applicableUnit unit:SHANNON ; + qudt:applicableUnit unit:TebiBYTE ; + qudt:applicableUnit unit:TeraBYTE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity." ; + rdfs:isDefinedBy ; + rdfs:label "Shannon Diversity Index" ; + skos:broader quantitykind:InformationEntropy ; +. +quantitykind:ShearModulus + a qudt:QuantityKind ; + dcterms:description "The Shear Modulus or modulus of rigidity, denoted by \\(G\\), or sometimes \\(S\\) or \\(\\mu\\), is defined as the ratio of shear stress to the shear strain."^^qudt:LatexString ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Shear_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = \\frac{\\tau}{\\gamma}\\), where \\(\\tau\\) is the shear stress and \\(\\gamma\\) is the shear strain."^^qudt:LatexString ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Shear Modulus"@en ; +. +quantitykind:ShearStrain + a qudt:QuantityKind ; + dcterms:description "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. "^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{\\Delta x}{d}\\), where \\(\\Delta x\\) is the parallel displacement between two surfaces of a layer of thickness \\(d\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. " ; + rdfs:isDefinedBy ; + rdfs:label "Shear Strain"@en ; + skos:broader quantitykind:Strain ; +. +quantitykind:ShearStress + a qudt:QuantityKind ; + dcterms:description "Shear stress occurs when the force occurs in shear, or perpendicular to the normal."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{dF_t}{dA}\\), where \\(dF_t\\) is the tangential component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Shear stress occurs when the force occurs in shear, or perpendicular to the normal." ; + rdfs:isDefinedBy ; + rdfs:label "Shear Stress" ; + skos:broader quantitykind:Stress ; +. +quantitykind:Short-RangeOrderParameter + a qudt:QuantityKind ; + dcterms:description "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(r, \\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; + rdfs:isDefinedBy ; + rdfs:label "Short-Range Order Parameter"@en ; +. +quantitykind:SignalDetectionThreshold + a qudt:QuantityKind ; + qudt:applicableUnit unit:DeciB_C ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:label "Signal Detection Threshold"@en ; +. +quantitykind:SignalStrength + a qudt:QuantityKind ; + dcterms:description "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV-PER-M ; + qudt:applicableUnit unit:MegaV-PER-M ; + qudt:applicableUnit unit:MicroV-PER-M ; + qudt:applicableUnit unit:MilliV-PER-M ; + qudt:applicableUnit unit:V-PER-CentiM ; + qudt:applicableUnit unit:V-PER-IN ; + qudt:applicableUnit unit:V-PER-M ; + qudt:applicableUnit unit:V-PER-MilliM ; + qudt:applicableUnit unit:V_Ab-PER-CentiM ; + qudt:applicableUnit unit:V_Stat-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Signal_strength"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:plainTextDescription "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)." ; + rdfs:isDefinedBy ; + rdfs:label "Signal Strength"@en ; + skos:broader quantitykind:ElectricField ; + skos:broader quantitykind:ElectricFieldStrength ; +. +quantitykind:SingleStageLauncherMassRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; + qudt:applicableUnit unit:GM-PER-GM ; + qudt:applicableUnit unit:GM-PER-KiloGM ; + qudt:applicableUnit unit:KiloGM-PER-KiloGM ; + qudt:applicableUnit unit:MicroGM-PER-GM ; + qudt:applicableUnit unit:MicroGM-PER-KiloGM ; + qudt:applicableUnit unit:MilliGM-PER-GM ; + qudt:applicableUnit unit:MilliGM-PER-KiloGM ; + qudt:applicableUnit unit:NanoGM-PER-KiloGM ; + qudt:applicableUnit unit:PicoGM-PER-GM ; + qudt:applicableUnit unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "R_o" ; + rdfs:isDefinedBy ; + rdfs:label "Single Stage Launcher Mass Ratio"@en ; + skos:broader quantitykind:MassRatio ; +. +quantitykind:Slowing-DownArea + a qudt:QuantityKind ; + dcterms:description "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy." ; + qudt:symbol "L_s^2" ; + rdfs:isDefinedBy ; + rdfs:label "Slowing-Down Area"@en ; + skos:broader quantitykind:Area ; +. +quantitykind:Slowing-DownDensity + a qudt:QuantityKind ; + dcterms:description "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M3-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/slowing-down+density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(q = -\\frac{dn}{dt}\\), where \\(n\\) is the number density and \\(dt\\) is the duration."^^qudt:LatexString ; + qudt:plainTextDescription "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time." ; + qudt:symbol "q" ; + rdfs:isDefinedBy ; + rdfs:label "Slowing-Down Density"@en ; +. +quantitykind:Slowing-DownLength + a qudt:QuantityKind ; + dcterms:description "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://nuclearpowertraining.tpub.com/h1013v2/css/h1013v2_32.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization." ; + qudt:symbol "L_s" ; + rdfs:isDefinedBy ; + rdfs:label "Slowing-Down Length"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:SoilAdsorptionCoefficient + a qudt:QuantityKind ; + dcterms:description "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:L-PER-KiloGM ; + qudt:applicableUnit unit:M3-PER-KiloGM ; + qudt:applicableUnit unit:MilliL-PER-GM ; + qudt:applicableUnit unit:MilliM3-PER-GM ; + qudt:applicableUnit unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:plainTextDescription "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium." ; + rdfs:isDefinedBy ; + rdfs:label "Soil Adsorption Coefficient"@en ; + skos:broader quantitykind:SpecificVolume ; +. +quantitykind:SolidAngle + a qudt:QuantityKind ; + dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi."^^rdf:HTML ; + qudt:applicableUnit unit:DEG2 ; + qudt:applicableUnit unit:FA ; + qudt:applicableUnit unit:SR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solid_angle"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Prostorový úhel"@cs ; + rdfs:label "Raumwinkel"@de ; + rdfs:label "Sudut padu"@ms ; + rdfs:label "angle solide"@fr ; + rdfs:label "angolo solido"@it ; + rdfs:label "angulus solidus"@la ; + rdfs:label "katı cisimdeki açı"@tr ; + rdfs:label "kąt bryłowy"@pl ; + rdfs:label "prostorski kot"@sl ; + rdfs:label "solid angle"@en ; + rdfs:label "térszög"@hu ; + rdfs:label "unghi solid"@ro ; + rdfs:label "ángulo sólido"@es ; + rdfs:label "ângulo sólido"@pt ; + rdfs:label "Στερεά γωνία"@el ; + rdfs:label "Пространствен ъгъл"@bg ; + rdfs:label "Телесный угол"@ru ; + rdfs:label "זווית מרחבית"@he ; + rdfs:label "الزاوية الصلبة"@ar ; + rdfs:label "زاویه فضایی"@fa ; + rdfs:label "आयतन"@hi ; + rdfs:label "立体角"@ja ; + rdfs:label "立体角度"@zh ; + skos:broader quantitykind:AreaRatio ; +. +quantitykind:SolidStateDiffusionLength + a qudt:QuantityKind ; + dcterms:description "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://pveducation.org/pvcdrom/pn-junction/diffusion-length"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\sqrt{D\\tau}\\), where \\(D\\) is the diffusion coefficient and \\(\\tau\\) is lifetime."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor " ; + qudt:symbol "L, L_n, L_p" ; + rdfs:isDefinedBy ; + rdfs:label "Diffusion Length (Solid State Physics)"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Solubility_Water + a qudt:QuantityKind ; + dcterms:description "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoMOL-PER-L ; + qudt:applicableUnit unit:KiloMOL-PER-M3 ; + qudt:applicableUnit unit:MOL-PER-DeciM3 ; + qudt:applicableUnit unit:MOL-PER-L ; + qudt:applicableUnit unit:MOL-PER-M3 ; + qudt:applicableUnit unit:MicroMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-L ; + qudt:applicableUnit unit:MilliMOL-PER-M3 ; + qudt:applicableUnit unit:PicoMOL-PER-L ; + qudt:applicableUnit unit:PicoMOL-PER-M3 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:plainTextDescription "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in." ; + rdfs:isDefinedBy ; + rdfs:label "Water Solubility"@en ; + skos:broader quantitykind:AmountOfSubstancePerUnitVolume ; +. +quantitykind:SoundEnergyDensity + a qudt:QuantityKind ; + dcterms:description "Sound energy density is the time-averaged sound energy in a given volume divided by that volume. The sound energy density or sound density (symbol \\(E\\) or \\(w\\)) is an adequate measure to describe the sound field at a given point as a sound energy value."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-FT3 ; + qudt:applicableUnit unit:BTU_TH-PER-FT3 ; + qudt:applicableUnit unit:ERG-PER-CentiM3 ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:applicableUnit unit:MegaJ-PER-M3 ; + qudt:applicableUnit unit:W-HR-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_energy_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{I}{c}\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(c\\) is the sound speed in \\(\\frac{m}{s}\\)."^^qudt:LatexString ; + qudt:symbol "E" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound energy density"@en ; + skos:broader quantitykind:EnergyDensity ; +. +quantitykind:SoundExposure + a qudt:QuantityKind ; + dcterms:description "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E."^^rdf:HTML ; + qudt:applicableUnit unit:PA2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; + qudt:informativeReference "http://www.acoustic-glossary.co.uk/definitions-s.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\int_{t1}^{t2}p^2dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(p\\) is the sound pressure."^^qudt:LatexString ; + qudt:plainTextDescription "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E." ; + qudt:symbol "E" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound exposure"@en ; +. +quantitykind:SoundExposureLevel + a qudt:QuantityKind ; + dcterms:description "Sound Exposure Level abbreviated as \\(SEL\\) and \\(LAE\\), is the total noise energy produced from a single noise event, expressed as a logarithmic ratio from a reference level."^^qudt:LatexString ; + qudt:applicableUnit unit:B ; + qudt:applicableUnit unit:DeciB ; + qudt:applicableUnit unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.diracdelta.co.uk/science/source/s/o/sound%20exposure%20level/source.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_E = 10 \\log_{10} \\frac{E}{E_0} dB\\), where \\(E\\) is sound power and the reference value is \\(E_0 = 400 \\mu Pa^2 s\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound exposure level"@en ; +. +quantitykind:SoundIntensity + a qudt:QuantityKind ; + dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; + qudt:abbreviation "w/m2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = pv\\), where \\(p\\) is the sound pressure and \\(v\\) is sound particle velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; + qudt:symbol "I" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound intensity"@en ; + skos:broader quantitykind:PowerPerArea ; +. +quantitykind:SoundParticleAcceleration + a qudt:QuantityKind ; + dcterms:description "In a compressible sound transmission medium - mainly air - air particles get an accelerated motion: the particle acceleration or sound acceleration with the symbol a in \\(m/s2\\). In acoustics or physics, acceleration (symbol: \\(a\\)) is defined as the rate of change (or time derivative) of velocity."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-SEC2 ; + qudt:applicableUnit unit:FT-PER-SEC2 ; + qudt:applicableUnit unit:G ; + qudt:applicableUnit unit:GALILEO ; + qudt:applicableUnit unit:IN-PER-SEC2 ; + qudt:applicableUnit unit:KN-PER-SEC ; + qudt:applicableUnit unit:KiloPA-M2-PER-GM ; + qudt:applicableUnit unit:M-PER-SEC2 ; + qudt:applicableUnit unit:MicroG ; + qudt:applicableUnit unit:MilliG ; + qudt:applicableUnit unit:MilliGAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_acceleration"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{\\partial v}{\\partial t}\\), where \\(v\\) is sound particle velocity and \\(t\\) is time."^^qudt:LatexString ; + qudt:symbol "a" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound particle acceleration"@en ; + skos:broader quantitykind:Acceleration ; +. +quantitykind:SoundParticleDisplacement + a qudt:QuantityKind ; + dcterms:description "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves."^^rdf:HTML ; + qudt:abbreviation "l" ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_displacement"^^xsd:anyURI ; + qudt:plainTextDescription "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves." ; + qudt:symbol "ξ" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound Particle Displacement"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:SoundParticleVelocity + a qudt:QuantityKind ; + dcterms:description "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_velocity"^^xsd:anyURI ; + qudt:latexDefinition "\\(v = \\frac{\\partial\\delta }{\\partial t}\\), where \\(\\delta\\) is sound particle displacement and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes." ; + qudt:symbol "v" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Schallschnelle"@de ; + rdfs:label "prędkość akustyczna"@pl ; + rdfs:label "prędkość cząstki"@pl ; + rdfs:label "sound particle velocity"@en ; + rdfs:label "velocidad acústica de una partícula"@es ; + rdfs:label "velocidade acústica de uma partícula"@pt ; + rdfs:label "velocità di spostamento"@it ; + rdfs:label "vitesse acoustique d‘une particule"@fr ; + rdfs:label "سرعة جسيم"@ar ; + rdfs:label "粒子速度"@ja ; + skos:broader quantitykind:Velocity ; +. +quantitykind:SoundPower + a qudt:QuantityKind ; + dcterms:description "Sound power or acoustic power \\(P_a\\) is a measure of sonic energy \\(E\\) per time \\(t\\) unit. It is measured in watts and can be computed as sound intensity (\\(I\\)) times area (\\(A\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power"^^xsd:anyURI ; + qudt:latexDefinition "\\(P_a = IA\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(A\\) is the area in \\(m^2\\)."^^qudt:LatexString ; + qudt:symbol "P" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Schallleistung"@de ; + rdfs:label "moc akustyczna"@pl ; + rdfs:label "potencie acústica"@es ; + rdfs:label "potenza sonora"@it ; + rdfs:label "potência acústica"@pt ; + rdfs:label "potência sonora"@pt ; + rdfs:label "puissance acoustique"@fr ; + rdfs:label "sound power"@en ; + rdfs:label "звуковая мощность"@ru ; + rdfs:label "القدرة الصوتية"@ar ; + rdfs:label "音源の音響出力"@ja ; + skos:broader quantitykind:Power ; +. +quantitykind:SoundPowerLevel + a qudt:QuantityKind ; + dcterms:description "Sound Power Level abbreviated as \\(SWL\\) expresses sound power more practically as a relation to the threshold of hearing - 1 picoW - in a logarithmic scale."^^qudt:LatexString ; + qudt:applicableUnit unit:B ; + qudt:applicableUnit unit:DeciB ; + qudt:applicableUnit unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power#Sound_power_level"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_W = 10 \\log_{10} \\frac{P}{P_0} dB\\), where \\(P\\) is sound power and the reference value is \\(P_0 =1pW\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound power level"@en ; +. +quantitykind:SoundPressure + a qudt:QuantityKind ; + dcterms:description "Sound Pressure is the difference between instantaneous total pressure and static pressure."^^rdf:HTML ; + qudt:abbreviation "p" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; + qudt:plainTextDescription "Sound Pressure is the difference between instantaneous total pressure and static pressure." ; + qudt:symbol "p" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:SoundPressureLevel + a qudt:QuantityKind ; + dcterms:description "Sound pressure level (\\(SPL\\)) or sound level is a logarithmic measure of the effective sound pressure of a sound relative to a reference value. It is measured in decibels (dB) above a standard reference level."^^qudt:LatexString ; + qudt:applicableUnit unit:B ; + qudt:applicableUnit unit:DeciB ; + qudt:applicableUnit unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_pressure#Sound_pressure_level"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_P = 10 \\log_{10} \\frac{p^2}{p_0^2} dB\\), where \\(p\\) is sound pressure and the reference value in airborne acoustics is \\(p_0 = 20 \\mu Pa\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Hladina akustického tlaku"@cs ; + rdfs:label "Schalldruckpegel"@de ; + rdfs:label "Tahap medan"@ms ; + rdfs:label "Tahap tekanan bunyi"@ms ; + rdfs:label "gerilim veya akım oranı"@tr ; + rdfs:label "livello di pressione sonora"@it ; + rdfs:label "miary wielkości ilorazowych"@pl ; + rdfs:label "niveau de pression acoustique"@fr ; + rdfs:label "nivel de presión sonora"@es ; + rdfs:label "nível de pressão acústica"@pt ; + rdfs:label "sound pressure level"@en ; + rdfs:label "уровень звукового давления"@ru ; + rdfs:label "سطح یک کمیت توان-ریشه"@fa ; + rdfs:label "كمية جذر الطاقة"@ar ; + rdfs:label "利得"@ja ; + rdfs:label "声压级"@zh ; +. +quantitykind:SoundReductionIndex + a qudt:QuantityKind ; + dcterms:description "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator."^^rdf:HTML ; + qudt:applicableUnit unit:B ; + qudt:applicableUnit unit:DeciB ; + qudt:applicableUnit unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_reduction_index"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = 10 \\log (\\frac{1}{\\tau}) dB\\), where \\(\\tau\\) is the transmission factor."^^qudt:LatexString ; + qudt:plainTextDescription "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator." ; + qudt:symbol "R" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound reduction index"@en ; +. +quantitykind:SoundVolumeVelocity + a qudt:QuantityKind ; + dcterms:description "Sound Volume Velocity is the product of particle velocity \\(v\\) and the surface area \\(S\\) through which an acoustic wave of frequency \\(f\\) propagates. Also, the surface integral of the normal component of the sound particle velocity over the cross-section (through which the sound propagates). It is used to calculate acoustic impedance."^^qudt:LatexString ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(q= vS\\), where \\(v\\) is sound particle velocity and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; + qudt:symbol "q" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Sound volume velocity"@en ; +. +quantitykind:SourceVoltage + a qudt:QuantityKind ; + dcterms:description """\"Source Voltage}, also referred to as \\textit{Source Tension\" is the voltage between the two terminals of a voltage source when there is no + +electric current through the source. The name \"electromotive force} with the abbreviation \\textit{EMF\" and the symbol \\(E\\) is deprecated."""^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:symbol "U_s" ; + rdfs:isDefinedBy ; + rdfs:label "Source Voltage"@en ; + skos:broader quantitykind:Voltage ; +. +quantitykind:SourceVoltageBetweenSubstances + a qudt:QuantityKind ; + dcterms:description "\"Source Voltage Between Substances\" is the source voltage between substance a and b."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Source Voltage Between Substances\" is the source voltage between substance a and b." ; + qudt:symbol "E_{ab}" ; + rdfs:isDefinedBy ; + rdfs:label "Source Voltage Between Substances"@en ; + skos:broader quantitykind:Voltage ; +. +quantitykind:SpatialSummationFunction + a qudt:QuantityKind ; + dcterms:description "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Spatial_summation"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions." ; + rdfs:isDefinedBy ; + rdfs:label "Spatial Summation Function"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:SpecificAcousticImpedance + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-SEC-PER-M3 ; + qudt:applicableUnit unit:RAYL ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Specific Acoustic Impedance"@en ; +. +quantitykind:SpecificActivity + a qudt:QuantityKind ; + dcterms:description "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-KiloGM ; + qudt:applicableUnit unit:MicroBQ-PER-KiloGM ; + qudt:applicableUnit unit:MilliBQ-PER-GM ; + qudt:applicableUnit unit:MilliBQ-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_activity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{A}{m}\\), where \\(A\\) is the activity of a sample and \\(m\\) is its mass."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel." ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Activity"@en ; +. +quantitykind:SpecificElectricCharge + a qudt:QuantityKind ; + dcterms:description "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity "^^rdf:HTML ; + qudt:applicableUnit unit:MilliA-HR-PER-GM ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:plainTextDescription "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity " ; + rdfs:isDefinedBy ; + rdfs:label "Specific Electric Charge" ; +. +quantitykind:SpecificElectricCurrent + a qudt:QuantityKind ; + dcterms:description "\"Specific Electric Current\" is a measure to specify the applied current relative to a corresponding mass. This measure is often used for standardization within electrochemistry."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-GM ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Specific Electrical Current" ; +. +quantitykind:SpecificEnergy + a qudt:QuantityKind ; + dcterms:description "\\(\\textbf{Specific Energy}\\) is defined as the energy per unit mass. Common metric units are \\(J/kg\\). It is an intensive property. Contrast this with energy, which is an extensive property. There are two main types of specific energy: potential energy and specific kinetic energy. Others are the \\(\\textbf{gray}\\) and \\(\\textbf{sievert}\\), which are measures for the absorption of radiation. The concept of specific energy applies to a particular or theoretical way of extracting useful energy from the material considered that is usually implied by context. These intensive properties are each symbolized by using the lower case letter of the symbol for the corresponding extensive property, which is symbolized by a capital letter. For example, the extensive thermodynamic property enthalpy is symbolized by \\(H\\); specific enthalpy is symbolized by \\(h\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-LB ; + qudt:applicableUnit unit:BTU_TH-PER-LB ; + qudt:applicableUnit unit:CAL_IT-PER-GM ; + qudt:applicableUnit unit:CAL_TH-PER-GM ; + qudt:applicableUnit unit:ERG-PER-G ; + qudt:applicableUnit unit:ERG-PER-GM ; + qudt:applicableUnit unit:J-PER-GM ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:applicableUnit unit:KiloCAL-PER-GM ; + qudt:applicableUnit unit:KiloJ-PER-KiloGM ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; + qudt:applicableUnit unit:MegaJ-PER-KiloGM ; + qudt:applicableUnit unit:MilliJ-PER-GM ; + qudt:applicableUnit unit:N-M-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(e = E/m\\), where \\(E\\) is energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "e" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Energy"@en ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; + rdfs:seeAlso unit:GRAY ; + rdfs:seeAlso unit:SV ; +. +quantitykind:SpecificEnergyImparted + a qudt:QuantityKind ; + dcterms:description "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB ; + qudt:applicableUnit unit:BTU_TH-PER-LB ; + qudt:applicableUnit unit:CAL_IT-PER-GM ; + qudt:applicableUnit unit:CAL_TH-PER-GM ; + qudt:applicableUnit unit:ERG-PER-G ; + qudt:applicableUnit unit:ERG-PER-GM ; + qudt:applicableUnit unit:J-PER-GM ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:applicableUnit unit:KiloCAL-PER-GM ; + qudt:applicableUnit unit:KiloJ-PER-KiloGM ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; + qudt:applicableUnit unit:MegaJ-PER-KiloGM ; + qudt:applicableUnit unit:MilliJ-PER-GM ; + qudt:applicableUnit unit:N-M-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing radiation, \\(z = \\frac{\\varepsilon}{m}\\), where \\(\\varepsilon\\) is the energy imparted to irradiated matter and \\(m\\) is the mass of that matter."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element." ; + qudt:symbol "z" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Energy Imparted"@en ; + skos:broader quantitykind:SpecificEnergy ; +. +quantitykind:SpecificEnthalpy + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Specific Enthalpy}\\) is enthalpy per mass of substance involved. Specific enthalpy is denoted by a lower case h, with dimension of energy per mass (SI unit: joule/kg). In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy U and the product of pressure p and volume V of a system: \\(H = U + pV\\). The internal energy U and the work term pV have dimension of energy, in SI units this is joule; the extensive (linear in size) quantity H has the same dimension."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(h = H/m\\), where \\(H\\) is enthalpy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Enthalpy"@en ; + rdfs:seeAlso quantitykind:Enthalpy ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; +. +quantitykind:SpecificEntropy + a qudt:QuantityKind ; + dcterms:description "\"Specific Entropy\" is entropy per unit of mass."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:applicableUnit unit:KiloJ-PER-KiloGM-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(s = S/m\\), where \\(S\\) is entropy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "\"Specific Entropy\" is entropy per unit of mass." ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Entropy"@en ; + rdfs:seeAlso quantitykind:Entropy ; +. +quantitykind:SpecificGibbsEnergy + a qudt:QuantityKind ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = G/m\\), where \\(G\\) is Gibbs energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Gibbs Energy"@en ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; +. +quantitykind:SpecificHeatCapacity + a qudt:QuantityKind ; + dcterms:description "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_R ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_R ; + qudt:applicableUnit unit:BTU_TH-PER-LB-DEG_F ; + qudt:applicableUnit unit:CAL_IT-PER-GM-DEG_C ; + qudt:applicableUnit unit:CAL_IT-PER-GM-K ; + qudt:applicableUnit unit:CAL_TH-PER-GM-DEG_C ; + qudt:applicableUnit unit:CAL_TH-PER-GM-K ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:applicableUnit unit:KiloCAL-PER-GM-DEG_C ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_heat_capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:informativeReference "http://www.taftan.com/thermodynamics/CP.HTM"^^xsd:anyURI ; + qudt:plainTextDescription "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities." ; + qudt:symbol "c" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Heat Capacity"@en ; + rdfs:seeAlso quantitykind:HeatCapacity ; + rdfs:seeAlso quantitykind:Mass ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; +. +quantitykind:SpecificHeatCapacityAtConstantPressure + a qudt:QuantityKind ; + dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K-PA ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat at a constant pressure." ; + qudt:symbol "c_p" ; + rdfs:isDefinedBy ; + rdfs:label "Specific heat capacity at constant pressure"@en ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; +. +quantitykind:SpecificHeatCapacityAtConstantVolume + a qudt:QuantityKind ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K-M3 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat per constant volume." ; + qudt:symbol "c_v" ; + rdfs:isDefinedBy ; + rdfs:label "Specific heat capacity at constant volume"@en ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; +. +quantitykind:SpecificHeatCapacityAtSaturation + a qudt:QuantityKind ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K ; + qudt:applicableUnit unit:J-PER-KiloGM-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Specific heat per constant volume." ; + qudt:symbol "c_{sat}" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Heat Capacity at Saturation"@en ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; + rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; +. +quantitykind:SpecificHeatPressure + a qudt:QuantityKind ; + dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM-K-PA ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat at a constant pressure." ; + rdfs:isDefinedBy ; + rdfs:label "Specific Heat Pressure"@en ; +. +quantitykind:SpecificHeatVolume + a qudt:QuantityKind ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM-K-M3 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat per constant volume." ; + rdfs:isDefinedBy ; + rdfs:label "Specific Heat Volume"@en ; +. +quantitykind:SpecificHeatsRatio + a qudt:QuantityKind ; + dcterms:description "The ratio of specific heats, for the exhaust gases adiabatic gas constant, is the relative amount of compression/expansion energy that goes into temperature \\(T\\) versus pressure \\(P\\) can be characterized by the heat capacity ratio: \\(\\gamma\\frac{C_P}{C_V}\\), where \\(C_P\\) is the specific heat (also called heat capacity) at constant pressure, while \\(C_V\\) is the specific heat at constant volume. "^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Specific Heats Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:SpecificHelmholtzEnergy + a qudt:QuantityKind ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \\(\\textit{Specific Helmholtz Energy}\\), which is \\(\\textit{Helmholz Energy}\\) per mass of substance involved.\\( \\textit{Specific Helmholz Energy}\\) is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = A/m\\), where \\(A\\) is Helmholtz energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Helmholtz Energy"@en ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificInternalEnergy ; +. +quantitykind:SpecificImpulse + a qudt:QuantityKind ; + dcterms:description "The impulse produced by a rocket divided by the mass \\(mp\\) of propellant consumed. Specific impulse \\({I_{sp}}\\) is a widely used measure of performance for chemical, nuclear, and electric rockets. It is usually given in seconds for both U.S. Customary and International System (SI) units. The impulse produced by a rocket is the thrust force \\(F\\) times its duration \\(t\\) in seconds. \\(I_{sp}\\) is the thrust per unit mass flowrate, but with \\(g_o\\), is the thrust per weight flowrate. The specific impulse is given by the equation: \\(I_{sp} = \\frac{F}{\\dot{m}g_o}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/K-12/airplane/specimp.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Specific Impulse"@en ; + rdfs:seeAlso quantitykind:MassFlowRate ; +. +quantitykind:SpecificImpulseByMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Specific Impulse by Mass"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:SpecificImpulseByWeight + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Specific Impulse by Weight"@en ; + skos:broader quantitykind:SpecificImpulse ; + skos:broader quantitykind:Time ; +. +quantitykind:SpecificInternalEnergy + a qudt:QuantityKind ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = U/m\\), where \\(U\\) is thermodynamic energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:label "Specific Internal Energy"@en ; + rdfs:seeAlso quantitykind:InternalEnergy ; + rdfs:seeAlso quantitykind:MassieuFunction ; + rdfs:seeAlso quantitykind:PlanckFunction ; + rdfs:seeAlso quantitykind:SpecificEnergy ; + rdfs:seeAlso quantitykind:SpecificEnthalpy ; + rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; + rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; +. +quantitykind:SpecificOpticalRotatoryPower + a qudt:QuantityKind ; + dcterms:description "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_m = \\alpha \\frac{A}{m}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(m\\) is the mass of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power." ; + rdfs:isDefinedBy ; + rdfs:label "Specific Optical Rotatory Power"@en ; +. +quantitykind:SpecificPower + a qudt:QuantityKind ; + dcterms:description "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-GM-SEC ; + qudt:applicableUnit unit:GRAY-PER-SEC ; + qudt:applicableUnit unit:MilliW-PER-MilliGM ; + qudt:applicableUnit unit:W-PER-GM ; + qudt:applicableUnit unit:W-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Power-to-weight_ratio"^^xsd:anyURI ; + qudt:plainTextDescription "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)." ; + rdfs:isDefinedBy ; + rdfs:label "Specific Power"@en ; + skos:altLabel "Power-to-Weight Ratio"@en ; +. +quantitykind:SpecificSurfaceArea + a qudt:QuantityKind ; + dcterms:description "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m2/kg or m2/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-GM ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Specific_surface_area"^^xsd:anyURI ; + qudt:latexDefinition "\\(SSA = \\frac{SA}{\\m}\\), where \\(SA\\) is the surface area of an object and \\(\\m\\) is the mass density of the object."^^qudt:LatexString ; + qudt:latexSymbol "\\(SSA\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m²/kg or m²/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces." ; + rdfs:isDefinedBy ; + rdfs:label "Specific Surface Area"@en ; +. +quantitykind:SpecificThrust + a qudt:QuantityKind ; + dcterms:description "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_thrust"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:id "Q-160-100" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_thrust"^^xsd:anyURI ; + qudt:plainTextDescription "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation." ; + rdfs:isDefinedBy ; + rdfs:label "Specific thrust"@en ; + rdfs:seeAlso quantitykind:SpecificImpulse ; +. +quantitykind:SpecificVolume + a qudt:QuantityKind ; + dcterms:description "\"Specific Volume\" (\\(\\nu\\)) is the volume occupied by a unit of mass of a material. It is equal to the inverse of density."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciL-PER-GM ; + qudt:applicableUnit unit:L-PER-KiloGM ; + qudt:applicableUnit unit:M3-PER-KiloGM ; + qudt:applicableUnit unit:MilliL-PER-GM ; + qudt:applicableUnit unit:MilliL-PER-KiloGM ; + qudt:applicableUnit unit:MilliM3-PER-GM ; + qudt:applicableUnit unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(sv = \\frac{1}{\\rho}\\), where \\(\\rho\\) is mass density."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Specific Volume"@en ; + rdfs:seeAlso quantitykind:Density ; +. +quantitykind:SpectralAngularCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Spectral Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone with energy \\(E\\) in an energy interval, divided by the solid angle \\(d\\Omega\\) of that cone and the range \\(dE\\) of that interval."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-SR-J ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\int \\sigma_{\\Omega,E} d\\Omega dE\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_{\\Omega, E}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Spectral Angular Cross-section"@en ; + skos:closeMatch quantitykind:AngularCrossSection ; + skos:closeMatch quantitykind:SpectralCrossSection ; +. +quantitykind:SpectralCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Spectral Cross-section\" is the cross-section for a process in which the energy of the ejected or scattered particle is in an interval of energy, divided by the range \\(dE\\) of this interval."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-J ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\sigma_E dE\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_E\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Spectral Cross-section"@en ; + skos:closeMatch quantitykind:AngularCrossSection ; +. +quantitykind:SpectralLuminousEfficiency + a qudt:QuantityKind ; + dcterms:description "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; + qudt:latexDefinition "\\(V(\\lambda) = \\frac{\\Phi_\\lambda(\\lambda_m)}{\\Phi_\\lambda(\\lambda)}\\), where \\(\\Phi_\\lambda(\\lambda_m)\\) is the spectral radiant flux at wavelength \\(\\lambda_m\\) and \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux at wavelength \\(\\lambda\\), such that both radiations produce equal luminous sensations under specified photometric conditions and \\(\\lambda_m\\) is chosen so that the maximum value of this ratio is equal to 1."^^qudt:LatexString ; + qudt:plainTextDescription "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%." ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Spectral Luminous Efficiency"@en ; +. +quantitykind:SpectralRadiantEnergyDensity + a qudt:QuantityKind ; + dcterms:description "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M4 ; + qudt:applicableUnit unit:KiloPA-PER-MilliM ; + qudt:applicableUnit unit:PA-PER-M ; + qudt:expression "\\(M-PER-L2-T2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:plainTextDescription "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)." ; + rdfs:isDefinedBy ; + rdfs:label "Spectral Radiant Energy Density"@en ; +. +quantitykind:Speed + a qudt:QuantityKind ; + dcterms:description "Speed is the magnitude of velocity."^^rdf:HTML ; + qudt:applicableUnit unit:BFT ; + qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; + qudt:applicableUnit unit:GigaC-PER-M3 ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:HZ-M ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Speed is the magnitude of velocity." ; + rdfs:isDefinedBy ; + rdfs:label "Speed"@en ; +. +quantitykind:SpeedOfLight + a qudt:QuantityKind ; + dcterms:description "The quantity kind \\(\\textbf{Speed of Light}\\) is the speed of electomagnetic waves in a given medium."^^qudt:LatexString ; + qudt:applicableUnit unit:BFT ; + qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; + qudt:applicableUnit unit:GigaC-PER-M3 ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:HZ-M ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Hitrost svetlobe"@sl ; + rdfs:label "Işık hızı"@tr ; + rdfs:label "Kelajuan cahaya"@ms ; + rdfs:label "Lichtgeschwindigkeit"@de ; + rdfs:label "Prędkość światła"@pl ; + rdfs:label "Rychlost světla"@cs ; + rdfs:label "Velocidade da luz"@pt ; + rdfs:label "Viteza luminii"@ro ; + rdfs:label "speed of light"@en ; + rdfs:label "velocidad de la luz"@es ; + rdfs:label "velocità della luce"@it ; + rdfs:label "vitesse de la lumière"@fr ; + rdfs:label "Скорость света"@ru ; + rdfs:label "سرعة الضوء"@ar ; + rdfs:label "سرعت نور"@fa ; + rdfs:label "प्रकाश का वेग"@hi ; + rdfs:label "光速"@ja ; + rdfs:label "光速"@zh ; + rdfs:seeAlso constant:MagneticConstant ; + rdfs:seeAlso constant:PermittivityOfVacuum ; + rdfs:seeAlso constant:SpeedOfLight_Vacuum ; + skos:broader quantitykind:Speed ; +. +quantitykind:SpeedOfSound + a qudt:QuantityKind ; + dcterms:description "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium."^^rdf:HTML ; + qudt:applicableUnit unit:BFT ; + qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; + qudt:applicableUnit unit:GigaC-PER-M3 ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:HZ-M ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_sound"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = \\sqrt{\\frac{K}{\\rho}}\\), where \\(K\\) is the coefficient of stiffness, the bulk modulus (or the modulus of bulk elasticity for gases), and \\(\\rho\\) is the density. Also, \\(c^2 = \\frac{\\partial p}{\\partial \\rho}\\), where \\(p\\) is the pressure and \\(\\rho\\) is the density."^^qudt:LatexString ; + qudt:plainTextDescription "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Hitrost zvoka"@sl ; + rdfs:label "Kelajuan bunyi"@ms ; + rdfs:label "Schallausbreitungsgeschwindigkeit"@de ; + rdfs:label "Schallgeschwindigkeit"@de ; + rdfs:label "Ses hızı"@tr ; + rdfs:label "célérité du son"@fr ; + rdfs:label "prędkość dźwięku"@pl ; + rdfs:label "rychlost zvuku"@cs ; + rdfs:label "speed of sound"@en ; + rdfs:label "velocidad del sonido"@es ; + rdfs:label "velocidade do som"@pt ; + rdfs:label "velocità del suono"@it ; + rdfs:label "vitesse du son"@fr ; + rdfs:label "viteza sunetului"@ro ; + rdfs:label "скорость звука"@ru ; + rdfs:label "سرعة الصوت"@ar ; + rdfs:label "سرعت صوت"@fa ; + rdfs:label "ध्वनि का वेग"@hi ; + rdfs:label "音速"@ja ; + rdfs:label "音速"@zh ; + skos:broader quantitykind:Speed ; +. +quantitykind:SphericalIlluminance + a qudt:QuantityKind ; + dcterms:description "Spherical illuminance is equal to quotient of the total luminous flux \\(\\Phi_v\\) incident on a small sphere by the cross section area of that sphere."^^qudt:LatexString ; + qudt:applicableUnit unit:FC ; + qudt:applicableUnit unit:LUX ; + qudt:applicableUnit unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://eilv.cie.co.at/term/1245"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_v,0 = \\int_{4\\pi sr}{L_v}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L_v\\) is its luminance at that point in the direction of the beam."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Illuminance"@en ; + skos:broader quantitykind:Illuminance ; +. +quantitykind:Spin + a qudt:QuantityKind ; + dcterms:description "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-SEC ; + qudt:applicableUnit unit:EV-SEC ; + qudt:applicableUnit unit:FT-LB_F-SEC ; + qudt:applicableUnit unit:J-SEC ; + qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; + qudt:applicableUnit unit:N-M-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Spin_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei." ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:label "Spin"@de ; + rdfs:label "Spin"@ms ; + rdfs:label "Spin"@ro ; + rdfs:label "Spin"@tr ; + rdfs:label "espín"@es ; + rdfs:label "spin"@cs ; + rdfs:label "spin"@en ; + rdfs:label "spin"@fr ; + rdfs:label "spin"@it ; + rdfs:label "spin"@pl ; + rdfs:label "spin"@pt ; + rdfs:label "spin"@sl ; + rdfs:label "Спин"@ru ; + rdfs:label "اسپین/چرخش"@fa ; + rdfs:label "لف مغزلي"@ar ; + rdfs:label "スピン角運動量"@ja ; + rdfs:label "自旋"@zh ; + skos:broader quantitykind:AngularMomentum ; +. +quantitykind:SpinQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(s^2 = \\hbar^2 s(s + 1)\\), where \\(s\\) is the spin quantum number and \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:label "Spin Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber ; + skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; + skos:closeMatch quantitykind:PrincipalQuantumNumber ; +. +quantitykind:SquareEnergy + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:Energy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; + rdfs:isDefinedBy ; + rdfs:label "Square Energy"@en ; +. +quantitykind:StagePropellantMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_F" ; + rdfs:isDefinedBy ; + rdfs:label "Stage Propellant Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:StageStructuralMass + a qudt:QuantityKind ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_S" ; + rdfs:isDefinedBy ; + rdfs:label "Stage Structure Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:StandardAbsoluteActivity + a qudt:QuantityKind ; + dcterms:description "The \"Standard Absolute Activity\" is proportional to the absoulte activity of the pure substance \\(B\\) at the same temperature and pressure multiplied by the standard pressure."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_B^\\Theta = \\lambda_B^*(p^\\Theta)\\), where \\(\\lambda_B^\\Theta\\) the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(p^\\Theta\\) is standard pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_B^\\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Standard Absolute Activity"@en ; +. +quantitykind:StandardChemicalPotential + a qudt:QuantityKind ; + dcterms:description "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions"^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:applicableUnit unit:KiloCAL-PER-MOL ; + qudt:applicableUnit unit:KiloJ-PER-MOL ; + qudt:expression "\\(j-mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu_B^\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions" ; + rdfs:isDefinedBy ; + rdfs:label "Standard Chemical Potential"@en ; + skos:broader quantitykind:ChemicalPotential ; +. +quantitykind:StandardGravitationalParameter + a qudt:QuantityKind ; + dcterms:description "In celestial mechanics the standard gravitational parameter of a celestial body is the product of the gravitational constant G and the mass M of the body. Expressed as \\(\\mu = G \\cdot M\\). The SI units of the standard gravitational parameter are \\(m^{3}s^{-2}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloM3-PER-SEC2 ; + qudt:applicableUnit unit:M3-PER-SEC2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravitational_parameter"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_gravitational_parameter"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Standard Gravitational Parameter"@en ; +. +quantitykind:StaticFriction + a qudt:QuantityKind ; + dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; + rdfs:isDefinedBy ; + rdfs:label "Static Friction"@en ; + skos:broader quantitykind:Friction ; +. +quantitykind:StaticFrictionCoefficient + a qudt:QuantityKind ; + dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{F_max}{N}\\), where \\(F_max\\) is the maximum tangential component of the contact force and \\(N\\) is the normal component of the contact force between two bodies at relative rest."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Static Friction Coefficient"@en ; + skos:broader quantitykind:FrictionCoefficient ; +. +quantitykind:StaticPressure + a qudt:QuantityKind ; + dcterms:description "\"Static Pressure\" is the pressure at a nominated point in a fluid. Every point in a steadily flowing fluid, regardless of the fluid speed at that point, has its own static pressure \\(P\\), dynamic pressure \\(q\\), and total pressure \\(P_0\\). The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; + qudt:abbreviation "p" ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; + qudt:symbol "p" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Static pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:StatisticalWeight + a qudt:QuantityKind ; + dcterms:description "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statistical_weight"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:label "Statistical Weight"@en ; +. +quantitykind:StochasticProcess + a qudt:QuantityKind ; + dcterms:description "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ ; + qudt:applicableUnit unit:HZ ; + qudt:applicableUnit unit:KiloHZ ; + qudt:applicableUnit unit:MegaHZ ; + qudt:applicableUnit unit:NUM-PER-HR ; + qudt:applicableUnit unit:NUM-PER-SEC ; + qudt:applicableUnit unit:NUM-PER-YR ; + qudt:applicableUnit unit:PER-DAY ; + qudt:applicableUnit unit:PER-HR ; + qudt:applicableUnit unit:PER-MIN ; + qudt:applicableUnit unit:PER-MO ; + qudt:applicableUnit unit:PER-MilliSEC ; + qudt:applicableUnit unit:PER-SEC ; + qudt:applicableUnit unit:PER-WK ; + qudt:applicableUnit unit:PER-YR ; + qudt:applicableUnit unit:PERCENT-PER-DAY ; + qudt:applicableUnit unit:PERCENT-PER-HR ; + qudt:applicableUnit unit:PERCENT-PER-WK ; + qudt:applicableUnit unit:PlanckFrequency ; + qudt:applicableUnit unit:SAMPLE-PER-SEC ; + qudt:applicableUnit unit:TeraHZ ; + qudt:applicableUnit unit:failures-in-time ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stochastic_process"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stochastic_process"^^xsd:anyURI ; + qudt:plainTextDescription "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + rdfs:label "Stochastic Process"@en ; + skos:broader quantitykind:Frequency ; +. +quantitykind:StoichiometricNumber + a qudt:QuantityKind ; + dcterms:description "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stoichiometry"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\nu_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)." ; + rdfs:isDefinedBy ; + rdfs:label "Stoichiometric Number"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:Strain + a qudt:QuantityKind ; + dcterms:description "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Strain"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearStrain ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]" ; + rdfs:isDefinedBy ; + rdfs:label "Strain"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:StrainEnergyDensity + a qudt:QuantityKind ; + dcterms:description "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology"^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT3 ; + qudt:applicableUnit unit:BTU_TH-PER-FT3 ; + qudt:applicableUnit unit:ERG-PER-CentiM3 ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:applicableUnit unit:MegaJ-PER-M3 ; + qudt:applicableUnit unit:W-HR-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology" ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:label "Strain Energy Density"@en ; + skos:broader quantitykind:EnergyDensity ; +. +quantitykind:Stress + a qudt:QuantityKind ; + dcterms:description "Stress is a measure of the average amount of force exerted per unit area of a surface within a deformable body on which internal forces act. In other words, it is a measure of the intensity or internal distribution of the total internal forces acting within a deformable body across imaginary surfaces. These internal forces are produced between the particles in the body as a reaction to external forces applied on the body. Stress is defined as \\({\\rm{Stress}} = \\frac{F}{A}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; + qudt:latexDefinition "\\({\\rm{Stress}} = \\frac{F}{A}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Stress"@en ; + skos:broader quantitykind:ForcePerArea ; +. +quantitykind:StressIntensityFactor + a qudt:QuantityKind ; + dcterms:description "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip."^^rdf:HTML ; + qudt:applicableUnit unit:MegaPA-M0pt5 ; + qudt:applicableUnit unit:PA-M0pt5 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Stress_intensity_factor"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\K\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip." ; + qudt:symbol "K" ; + rdfs:isDefinedBy ; + rdfs:label "Stress Intensity Factor"@en ; +. +quantitykind:StressOpticCoefficient + a qudt:QuantityKind ; + dcterms:description "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:NanoM-PER-CentiM-MegaPA ; + qudt:applicableUnit unit:NanoM-PER-CentiM-PSI ; + qudt:applicableUnit unit:NanoM-PER-MilliM-MegaPA ; + qudt:applicableUnit unit:PER-PA ; + qudt:applicableUnit unit:PER-PSI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "https://en.wikipedia.org/w/index.php?title=Photoelasticity&oldid=1109858854#Experimental_principles"^^xsd:anyURI ; + qudt:latexDefinition "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law \\(\\Delta ={\\frac {2\\pi t}{\\lambda }}C(\\sigma _{1}-\\sigma _{2})\\), where \\(\\Delta\\) is the induced retardation, \\(C\\) is the stress-optic coefficient, \\(t\\) is the specimen thickness, \\(\\lambda\\) is the vacuum wavelength, and \\(\\sigma_1\\) and \\(\\sigma_2\\) are the first and second principal stresses, respectively."^^qudt:LatexString ; + qudt:plainTextDescription "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Stress-Optic Coefficient"@en ; +. +quantitykind:StructuralEfficiency + a qudt:QuantityKind ; + dcterms:description "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength." ; + rdfs:isDefinedBy ; + rdfs:label "Structural Efficiency"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:StructureFactor + a qudt:QuantityKind ; + dcterms:description "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Structure_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(F(h, k, l) = \\sum_{n=1}^N f_n\\exp{[2\\pi i(hx_n + ky_n +lz_n)]}\\), where \\(f_n\\) is the atomic scattering factor for atom \\(n\\), and \\(x_n\\), \\(y_n\\), and \\(z_n\\) are fractional coordinates in the unit cell; for \\(h\\), \\(k\\), and \\(l\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation." ; + qudt:symbol "F(h, k, l)" ; + rdfs:isDefinedBy ; + rdfs:label "Structure Factor"@en ; +. +quantitykind:SuperconductionTransitionTemperature + a qudt:QuantityKind ; + dcterms:description "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Superconductivity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor." ; + qudt:symbol "T_c" ; + rdfs:isDefinedBy ; + rdfs:label "Superconduction Transition Temperature"@en ; + skos:broader quantitykind:Temperature ; + skos:closeMatch quantitykind:CurieTemperature ; + skos:closeMatch quantitykind:NeelTemperature ; +. +quantitykind:SuperconductorEnergyGap + a qudt:QuantityKind ; + dcterms:description "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/BCS_theory"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor." ; + qudt:symbol "Δ" ; + rdfs:isDefinedBy ; + rdfs:label "Superconductor Energy Gap"@en ; + skos:broader quantitykind:GapEnergy ; +. +quantitykind:SurfaceActivityDensity + a qudt:QuantityKind ; + dcterms:description "The \"Surface Activity Density\" is undefined."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_s = \\frac{A}{S}\\), where \\(S\\) is the total area of the surface of a sample and \\(A\\) is its activity."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Surface Activity Density\" is undefined." ; + qudt:symbol "a_s" ; + rdfs:isDefinedBy ; + rdfs:label "Surface Activity Density"@en ; +. +quantitykind:SurfaceCoefficientOfHeatTransfer + a qudt:QuantityKind ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:expression "\\(surface-heat-xfer-coeff\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(q = h (T_s - T_r)\\), where \\(T_s\\) is areic heat flow rate is the thermodynamic temperature of the surface, and is a reference thermodynamic temperature characteristic of the adjacent surroundings."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Surface Coefficient of Heat Transfer"@en ; +. +quantitykind:SurfaceDensity + a qudt:QuantityKind ; + dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-KiloM2 ; + qudt:applicableUnit unit:KiloGM-PER-M2 ; + qudt:applicableUnit unit:LB-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac{dm}{dA}\\), where \\(m\\) is mass and \\(A\\) is area."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area." ; + rdfs:isDefinedBy ; + rdfs:label "Surface Density"@en ; +. +quantitykind:SurfaceTension + a qudt:QuantityKind ; + dcterms:description "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; + qudt:applicableUnit unit:FT-LB_F-PER-M2 ; + qudt:applicableUnit unit:GigaJ-PER-M2 ; + qudt:applicableUnit unit:J-PER-CentiM2 ; + qudt:applicableUnit unit:J-PER-M2 ; + qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM-PER-SEC2 ; + qudt:applicableUnit unit:KiloW-HR-PER-M2 ; + qudt:applicableUnit unit:MegaJ-PER-M2 ; + qudt:applicableUnit unit:N-M-PER-M2 ; + qudt:applicableUnit unit:PicoPA-PER-KiloM ; + qudt:applicableUnit unit:W-HR-PER-M2 ; + qudt:applicableUnit unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Surface_tension"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{dF}{dl}\\), where \\(F\\) is the force component perpendicular to a line element in a surface and \\(l\\) is the length of the line element."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force." ; + qudt:symbol "γ" ; + rdfs:isDefinedBy ; + rdfs:label "Oberflächenspannung"@de ; + rdfs:label "Tegangan permukaan"@ms ; + rdfs:label "Tensiune superficială"@ro ; + rdfs:label "Yüzey gerilimi"@tr ; + rdfs:label "napięcie powierzchniowe"@pl ; + rdfs:label "povrchové napětí"@cs ; + rdfs:label "površinska napetost"@sl ; + rdfs:label "surface tension"@en ; + rdfs:label "tension de surface"@fr ; + rdfs:label "tension superficielle"@fr ; + rdfs:label "tensione superficiale"@it ; + rdfs:label "tensión superficial"@es ; + rdfs:label "tensão superficial"@pt ; + rdfs:label "поверхностное натяжение"@ru ; + rdfs:label "توتر سطحي"@ar ; + rdfs:label "کشش سطحی"@fa ; + rdfs:label "पृष्ठ तनाव"@hi ; + rdfs:label "表面张力"@zh ; + rdfs:label "表面張力"@ja ; + skos:broader quantitykind:EnergyPerArea ; +. +quantitykind:Susceptance + a qudt:QuantityKind ; + dcterms:description "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. "^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Susceptance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Susceptance?oldid=430151986"^^xsd:anyURI ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-54"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = \\lim{\\underline{Y}}\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. " ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:label "Susceptance"@en ; + rdfs:seeAlso quantitykind:Conductance ; + rdfs:seeAlso quantitykind:Impedance ; +. +quantitykind:SystolicBloodPressure + a qudt:QuantityKind ; + dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; + qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; + rdfs:isDefinedBy ; + rdfs:label "Systolic Blood Pressure"@en ; + rdfs:seeAlso quantitykind:DiastolicBloodPressure ; + skos:broader quantitykind:Pressure ; +. +quantitykind:TARGET-BOGIE-MASS + a qudt:QuantityKind ; + dcterms:description "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU ; + qudt:applicableUnit unit:CARAT ; + qudt:applicableUnit unit:CWT_LONG ; + qudt:applicableUnit unit:CWT_SHORT ; + qudt:applicableUnit unit:CentiGM ; + qudt:applicableUnit unit:DRAM_UK ; + qudt:applicableUnit unit:DRAM_US ; + qudt:applicableUnit unit:DWT ; + qudt:applicableUnit unit:DecaGM ; + qudt:applicableUnit unit:DeciGM ; + qudt:applicableUnit unit:DeciTONNE ; + qudt:applicableUnit unit:DeciTON_Metric ; + qudt:applicableUnit unit:EarthMass ; + qudt:applicableUnit unit:FemtoGM ; + qudt:applicableUnit unit:GM ; + qudt:applicableUnit unit:GRAIN ; + qudt:applicableUnit unit:HectoGM ; + qudt:applicableUnit unit:Hundredweight_UK ; + qudt:applicableUnit unit:Hundredweight_US ; + qudt:applicableUnit unit:KiloGM ; + qudt:applicableUnit unit:KiloTONNE ; + qudt:applicableUnit unit:KiloTON_Metric ; + qudt:applicableUnit unit:LB ; + qudt:applicableUnit unit:LB_M ; + qudt:applicableUnit unit:LB_T ; + qudt:applicableUnit unit:LunarMass ; + qudt:applicableUnit unit:MegaGM ; + qudt:applicableUnit unit:MicroGM ; + qudt:applicableUnit unit:MilliGM ; + qudt:applicableUnit unit:NanoGM ; + qudt:applicableUnit unit:OZ ; + qudt:applicableUnit unit:OZ_M ; + qudt:applicableUnit unit:OZ_TROY ; + qudt:applicableUnit unit:Pennyweight ; + qudt:applicableUnit unit:PicoGM ; + qudt:applicableUnit unit:PlanckMass ; + qudt:applicableUnit unit:Quarter_UK ; + qudt:applicableUnit unit:SLUG ; + qudt:applicableUnit unit:SolarMass ; + qudt:applicableUnit unit:Stone_UK ; + qudt:applicableUnit unit:TONNE ; + qudt:applicableUnit unit:TON_Assay ; + qudt:applicableUnit unit:TON_LONG ; + qudt:applicableUnit unit:TON_Metric ; + qudt:applicableUnit unit:TON_SHORT ; + qudt:applicableUnit unit:TON_UK ; + qudt:applicableUnit unit:TON_US ; + qudt:applicableUnit unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass." ; + rdfs:isDefinedBy ; + rdfs:label "Target Bogie Mass"@en ; + skos:broader quantitykind:Mass ; +. +quantitykind:Temperature + a qudt:QuantityKind ; + dcterms:description "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C ; + qudt:applicableUnit unit:DEG_F ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:MilliDEG_C ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Temperature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity." ; + rdfs:isDefinedBy ; + rdfs:label "Temperature"@en ; + rdfs:seeAlso quantitykind:ThermodynamicTemperature ; +. +quantitykind:TemperatureAmountOfSubstance + a qudt:QuantityKind ; + qudt:applicableUnit unit:MOL-DEG_C ; + qudt:applicableUnit unit:MOL-K ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Temperature Amount of Substance"@en ; +. +quantitykind:TemperatureGradient + a qudt:QuantityKind ; + dcterms:description "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C-PER-M ; + qudt:applicableUnit unit:K-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifctemperaturegradientmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m." ; + rdfs:isDefinedBy ; + rdfs:label "Temperature Gradient"@en ; +. +quantitykind:TemperaturePerMagneticFluxDensity + a qudt:QuantityKind ; + qudt:applicableUnit unit:K-PER-T ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Temperature per Magnetic Flux Density"@en ; +. +quantitykind:TemperaturePerTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C-PER-HR ; + qudt:applicableUnit unit:DEG_C-PER-MIN ; + qudt:applicableUnit unit:DEG_C-PER-SEC ; + qudt:applicableUnit unit:DEG_C-PER-YR ; + qudt:applicableUnit unit:DEG_F-PER-HR ; + qudt:applicableUnit unit:DEG_F-PER-MIN ; + qudt:applicableUnit unit:DEG_F-PER-SEC ; + qudt:applicableUnit unit:DEG_R-PER-HR ; + qudt:applicableUnit unit:DEG_R-PER-MIN ; + qudt:applicableUnit unit:DEG_R-PER-SEC ; + qudt:applicableUnit unit:K-PER-HR ; + qudt:applicableUnit unit:K-PER-MIN ; + qudt:applicableUnit unit:K-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Temperature per Time"@en ; +. +quantitykind:TemperaturePerTime_Squared + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_F-PER-SEC2 ; + qudt:applicableUnit unit:K-PER-SEC2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Temperature per Time Squared"@en ; +. +quantitykind:TemperatureRateOfChange + a qudt:QuantityKind ; + dcterms:description "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C-PER-HR ; + qudt:applicableUnit unit:DEG_C-PER-MIN ; + qudt:applicableUnit unit:DEG_C-PER-SEC ; + qudt:applicableUnit unit:DEG_C-PER-YR ; + qudt:applicableUnit unit:DEG_F-PER-HR ; + qudt:applicableUnit unit:DEG_F-PER-MIN ; + qudt:applicableUnit unit:DEG_F-PER-SEC ; + qudt:applicableUnit unit:DEG_R-PER-HR ; + qudt:applicableUnit unit:DEG_R-PER-MIN ; + qudt:applicableUnit unit:DEG_R-PER-SEC ; + qudt:applicableUnit unit:K-PER-HR ; + qudt:applicableUnit unit:K-PER-MIN ; + qudt:applicableUnit unit:K-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifctemperaturerateofchangemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s." ; + rdfs:isDefinedBy ; + rdfs:label "Temperature Rate of Change"@en ; + skos:broader quantitykind:TemperaturePerTime ; +. +quantitykind:TemperatureRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C-PER-K ; + qudt:applicableUnit unit:DEG_F-PER-K ; + qudt:applicableUnit unit:K-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Temperature Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:TemporalSummationFunction + a qudt:QuantityKind ; + dcterms:description "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval."^^rdf:HTML ; + qudt:applicableUnit unit:PER-SEC-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Temporal_summation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval." ; + rdfs:isDefinedBy ; + rdfs:label "Temporal Summation Function"@en ; +. +quantitykind:Tension + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tension"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Tension"@en ; + skos:broader quantitykind:ForceMagnitude ; +. +quantitykind:ThermalAdmittance + a qudt:QuantityKind ; + dcterms:description "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; + qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:plainTextDescription "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow." ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Admittance"@en ; + skos:broader quantitykind:CoefficientOfHeatTransfer ; +. +quantitykind:ThermalConductance + a qudt:QuantityKind ; + dcterms:description "This quantity is also called \"Heat Transfer Coefficient\"."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = 1/R\\), where \\(R\\) is \"Thermal Resistance\""^^qudt:LatexString ; + qudt:plainTextDescription "This quantity is also called \"Heat Transfer Coefficient\"." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Conductance"@en ; + rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer ; +. +quantitykind:ThermalConductivity + a qudt:QuantityKind ; + dcterms:description "In physics, thermal conductivity, \\(k\\) (also denoted as \\(\\lambda\\)), is the property of a material's ability to conduct heat. It appears primarily in Fourier's Law for heat conduction and is the areic heat flow rate divided by temperature gradient."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-FT-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_IT-IN-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_IT-IN-PER-FT2-SEC-DEG_F ; + qudt:applicableUnit unit:BTU_IT-IN-PER-HR-FT2-DEG_F ; + qudt:applicableUnit unit:BTU_IT-IN-PER-SEC-FT2-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT-DEG_R ; + qudt:applicableUnit unit:BTU_TH-FT-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_TH-FT-PER-HR-FT2-DEG_F ; + qudt:applicableUnit unit:BTU_TH-IN-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_TH-IN-PER-FT2-SEC-DEG_F ; + qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM-K ; + qudt:applicableUnit unit:CAL_TH-PER-CentiM-SEC-DEG_C ; + qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM-K ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM-SEC-DEG_C ; + qudt:applicableUnit unit:KiloCAL_IT-PER-HR-M-DEG_C ; + qudt:applicableUnit unit:W-PER-M-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_conductivity"^^xsd:anyURI ; + qudt:expression "\\(thermal-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is temperature gradient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Conductivity"@en ; +. +quantitykind:ThermalDiffusionFactor + a qudt:QuantityKind ; + dcterms:description "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_T = \\frac{k_T}{(x_A x_B)}\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(x_A\\) and \\(x_B\\) are the local amount-of-substance fractions of the two substances \\(A\\) and \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ." ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Diffusion Factor"@en ; +. +quantitykind:ThermalDiffusionRatio + a qudt:QuantityKind ; + dcterms:description "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "In a steady state of a binary mixture in which thermal diffusion occurs, \\(grad x_B = -(\\frac{k_T}{T}) grad T\\), where \\(x_B\\) is the amount-of-substance fraction of the heavier substance \\(B\\), and \\(T\\) is the local thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations." ; + qudt:symbol "k_T" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Diffusion Ratio"@en ; +. +quantitykind:ThermalDiffusionRatioCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Thermal Diffusion Coefficient\" is ."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_T = kT \\cdot D\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(D\\) is the diffusion coefficient."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Thermal Diffusion Coefficient\" is ." ; + qudt:symbol "D_T" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Diffusion Coefficient"@en ; +. +quantitykind:ThermalDiffusivity + a qudt:QuantityKind ; + dcterms:description "In heat transfer analysis, thermal diffusivity (usually denoted \\(\\alpha\\) but \\(a\\), \\(\\kappa\\),\\(k\\), and \\(D\\) are also used) is the thermal conductivity divided by density and specific heat capacity at constant pressure. The formula is: \\(\\alpha = {k \\over {\\rho c_p}}\\), where k is thermal conductivity (\\(W/(\\mu \\cdot K)\\)), \\(\\rho\\) is density (\\(kg/m^{3}\\)), and \\(c_p\\) is specific heat capacity (\\(\\frac{J}{(kg \\cdot K)}\\)) .The denominator \\(\\rho c_p\\), can be considered the volumetric heat capacity (\\(\\frac{J}{(m^{3} \\cdot K)}\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM2-PER-SEC ; + qudt:applicableUnit unit:FT2-PER-HR ; + qudt:applicableUnit unit:FT2-PER-SEC ; + qudt:applicableUnit unit:IN2-PER-SEC ; + qudt:applicableUnit unit:M2-HZ ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:applicableUnit unit:MilliM2-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_diffusivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_diffusivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{\\lambda}{\\rho c_\\rho}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\rho\\) is mass density and \\(c_\\rho\\) is specific heat capacity at constant pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Diffusivity"@en ; + skos:broader quantitykind:AreaPerTime ; +. +quantitykind:ThermalEfficiency + a qudt:QuantityKind ; + dcterms:description "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_efficiency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Efficiency"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:ThermalEnergy + a qudt:QuantityKind ; + dcterms:description "\"Thermal Energy} is the portion of the thermodynamic or internal energy of a system that is responsible for the temperature of the system. From a macroscopic thermodynamic description, the thermal energy of a system is given by its constant volume specific heat capacity C(T), a temperature coefficient also called thermal capacity, at any given absolute temperature (T): \\(U_{thermal} = C(T) \\cdot T\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_MEAN ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_15_DEG_C ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_MEAN ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloCAL_IT ; + qudt:applicableUnit unit:KiloCAL_Mean ; + qudt:applicableUnit unit:KiloCAL_TH ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TON_FG-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_energy"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:ThermalEnergyLength + a qudt:QuantityKind ; + qudt:applicableUnit unit:BTU_IT-FT ; + qudt:applicableUnit unit:BTU_IT-IN ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Energy Length"@en ; +. +quantitykind:ThermalExpansionCoefficient + a qudt:QuantityKind ; + dcterms:description "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value."^^rdf:HTML ; + qudt:applicableUnit unit:PER-K ; + qudt:applicableUnit unit:PPM-PER-K ; + qudt:applicableUnit unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcthermalexpansioncoefficientmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value." ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Expansion Coefficient"@en ; + skos:broader quantitykind:ExpansionRatio ; +. +quantitykind:ThermalInsulance + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Thermal Insulance}\\) is the reduction of heat transfer (the transfer of thermal energy between objects of differing temperature) between objects in thermal contact or in range of radiative influence. In building technology, this quantity is often called \\(\\textit{Thermal Resistance}\\), with the symbol \\(R\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CLO ; + qudt:applicableUnit unit:DEG_F-HR-FT2-PER-BTU_IT ; + qudt:applicableUnit unit:DEG_F-HR-FT2-PER-BTU_TH ; + qudt:applicableUnit unit:FT2-HR-DEG_F-PER-BTU_IT ; + qudt:applicableUnit unit:M2-HR-DEG_C-PER-KiloCAL_IT ; + qudt:applicableUnit unit:M2-K-PER-W ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = 1/K\\), where \\(K\\) is \"Coefficient of Heat Transfer\""^^qudt:LatexString ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Insulance"@en ; + rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer ; +. +quantitykind:ThermalResistance + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Thermal Resistance}\\) is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. the thermodynamic temperature difference divided by heat flow rate. Thermal resistance \\(R\\) has the units \\(\\frac{m^2 \\cdot K}{W}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG_F-HR-PER-BTU_IT ; + qudt:applicableUnit unit:K-PER-W ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_resistance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_resistance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "Wärmewiderstand"@de ; + rdfs:label "opór cieplny"@cs ; + rdfs:label "resistencia térmica"@es ; + rdfs:label "resistenza termica"@it ; + rdfs:label "resistência térmica"@pt ; + rdfs:label "résistance thermique"@fr ; + rdfs:label "thermal resistance"@en ; + rdfs:label "thermischer Widerstand"@de ; + rdfs:label "مقاومة حرارية"@ar ; + rdfs:label "热阻"@zh ; + rdfs:label "熱抵抗"@ja ; + rdfs:seeAlso quantitykind:HeatFlowRate ; + rdfs:seeAlso quantitykind:ThermalInsulance ; + rdfs:seeAlso quantitykind:ThermodynamicTemperature ; +. +quantitykind:ThermalResistivity + a qudt:QuantityKind ; + dcterms:description "The reciprocal of thermal conductivity is thermal resistivity, measured in \\(kelvin-metres\\) per watt (\\(K \\cdot m/W\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG_F-HR ; + qudt:applicableUnit unit:FT2-PER-BTU_IT-IN ; + qudt:applicableUnit unit:K-M-PER-W ; + qudt:applicableUnit unit:M-K-PER-W ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Resistivity"@en ; +. +quantitykind:ThermalTransmittance + a qudt:QuantityKind ; + dcterms:description "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; + qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_transmittance"^^xsd:anyURI ; + qudt:plainTextDescription "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance." ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Transmittance"@en ; + skos:broader quantitykind:CoefficientOfHeatTransfer ; +. +quantitykind:ThermalUtilizationFactor + a qudt:QuantityKind ; + dcterms:description "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed." ; + qudt:symbol "f" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Utilization Factor"@en ; +. +quantitykind:ThermalUtilizationFactorForFission + a qudt:QuantityKind ; + dcterms:description "Probability that a neutron that gets absorbed does so in the fuel material."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE ; + qudt:applicableUnit unit:Flight ; + qudt:applicableUnit unit:GigaBasePair ; + qudt:applicableUnit unit:HeartBeat ; + qudt:applicableUnit unit:NP ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:OCT ; + qudt:applicableUnit unit:RPK ; + qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; + qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Probability that a neutron that gets absorbed does so in the fuel material." ; + qudt:symbol "f" ; + rdfs:isDefinedBy ; + rdfs:label "Thermal Utilization Factor For Fission"@en ; + skos:broader quantitykind:Dimensionless ; +. +quantitykind:ThermodynamicCriticalMagneticFluxDensity + a qudt:QuantityKind ; + dcterms:description "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS ; + qudt:applicableUnit unit:Gamma ; + qudt:applicableUnit unit:Gs ; + qudt:applicableUnit unit:KiloGAUSS ; + qudt:applicableUnit unit:MicroT ; + qudt:applicableUnit unit:MilliT ; + qudt:applicableUnit unit:NanoT ; + qudt:applicableUnit unit:T ; + qudt:applicableUnit unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(G_n - G_s = \\frac{1}{2}\\frac{B_c^2 \\cdot V}{\\mu_0}\\), where \\(G_n\\) and \\(G_s\\) are the Gibbs energies at zero magnetic flux density in a normal conductor and superconductor, respectively, \\(\\mu_0\\) is the magnetic constant, and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting." ; + qudt:symbol "B_c" ; + rdfs:isDefinedBy ; + rdfs:label "Thermodynamic Critical Magnetic Flux Density"@en ; + skos:broader quantitykind:MagneticFluxDensity ; +. +quantitykind:ThermodynamicEnergy + a qudt:QuantityKind ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:exactMatch quantitykind:EnergyInternal ; + qudt:exactMatch quantitykind:InternalEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Thermodynamic Energy"@en ; + skos:broader quantitykind:Energy ; +. +quantitykind:ThermodynamicEntropy + a qudt:QuantityKind ; + dcterms:description "Thermodynamic Entropy is a measure of the unavailability of a system’s energy to do work. It is a measure of the randomness of molecules in a system and is central to the second law of thermodynamics and the fundamental thermodynamic relation, which deal with physical processes and whether they occur spontaneously. The dimensions of entropy are energy divided by temperature, which is the same as the dimensions of Boltzmann's constant (\\(kB\\)) and heat capacity. The SI unit of entropy is \\(joule\\ per\\ kelvin\\). [Wikipedia]"^^qudt:LatexString ; + qudt:applicableUnit unit:KiloJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Thermodynamic Entropy"@en ; + skos:broader quantitykind:EnergyPerTemperature ; +. +quantitykind:ThermodynamicTemperature + a qudt:QuantityKind ; + dcterms:description """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. +Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. +In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; + qudt:applicableUnit unit:DEG_R ; + qudt:applicableUnit unit:K ; + qudt:applicableUnit unit:PlanckTemperature ; + qudt:dbpediaMatch "http://dbpedia.org/page/Thermodynamic_temperature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. +Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. +In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + rdfs:label "Suhu termodinamik"@ms ; + rdfs:label "Termodynamická teplota"@cs ; + rdfs:label "abszolút hőmérséklet"@hu ; + rdfs:label "temperatura assoluta"@it ; + rdfs:label "temperatura termodinamica"@it ; + rdfs:label "temperatura thermodynamica absoluta"@la ; + rdfs:label "temperatura"@es ; + rdfs:label "temperatura"@pl ; + rdfs:label "temperatura"@pt ; + rdfs:label "temperatura"@sl ; + rdfs:label "temperatură termodinamică"@ro ; + rdfs:label "température thermodynamique"@fr ; + rdfs:label "termodinamik sıcaklık"@tr ; + rdfs:label "thermodynamic temperature"@en ; + rdfs:label "thermodynamische Temperatur"@de ; + rdfs:label "Απόλυτη"@el ; + rdfs:label "Θερμοδυναμική Θερμοκρασία"@el ; + rdfs:label "Термодинамическая температура"@ru ; + rdfs:label "Термодинамична температура"@bg ; + rdfs:label "טמפרטורה מוחלטת"@he ; + rdfs:label "درجة الحرارة المطلقة"@ar ; + rdfs:label "دمای ترمودینامیکی"@fa ; + rdfs:label "ऊष्मगतिकीय तापमान"@hi ; + rdfs:label "热力学温度"@zh ; + rdfs:label "熱力学温度"@ja ; + rdfs:seeAlso quantitykind:Temperature ; + skos:broader quantitykind:Temperature ; +. +quantitykind:Thickness + a qudt:QuantityKind ; + dcterms:description "\"Thickness\" is the the smallest of three dimensions: length, width, thickness."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thickness"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.merriam-webster.com/dictionary/thickness"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Thickness\" is the the smallest of three dimensions: length, width, thickness." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Thickness"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:ThomsonCoefficient + a qudt:QuantityKind ; + dcterms:description "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-K ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://www.daviddarling.info/encyclopedia/T/Thomson_effect.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference." ; + rdfs:isDefinedBy ; + rdfs:label "Thomson Coefficient"@en ; +. +quantitykind:Thrust + a qudt:QuantityKind ; + dcterms:description """Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system. +The pushing or pulling force developed by an aircraft engine or a rocket engine. +The force exerted in any direction by a fluid jet or by a powered screw, as, the thrust of an antitorque rotor. +Specifically, in rocketry, \\( F\\,= m\\cdot v\\) where m is propellant mass flow and v is exhaust velocity relative to the vehicle. Also called momentum thrust."""^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thrust"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system." ; + rdfs:isDefinedBy ; + rdfs:label "Thrust"@en ; + skos:broader quantitykind:Force ; +. +quantitykind:ThrustCoefficient + a qudt:QuantityKind ; + dcterms:description "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure " ; + qudt:symbol "C_{F}" ; + rdfs:isDefinedBy ; + rdfs:label "Thrust Coefficient"@en ; +. +quantitykind:ThrustToMassRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:LB_F-PER-LB ; + qudt:applicableUnit unit:N-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Thrust To Mass Ratio"@en ; + skos:broader quantitykind:Acceleration ; +. +quantitykind:ThrustToWeightRatio + a qudt:QuantityKind ; + dcterms:description "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle." ; + rdfs:isDefinedBy ; + rdfs:label "Thrust To Weight Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:ThrusterPowerToThrustEfficiency + a qudt:QuantityKind ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T1D0 ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Thruster Power To Thrust Efficiency"@en ; +. +quantitykind:Time + a qudt:QuantityKind ; + dcterms:description "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects." ; + qudt:symbol "t" ; + rdfs:isDefinedBy ; + rdfs:label "Masa"@ms ; + rdfs:label "Zeit"@de ; + rdfs:label "czas"@pl ; + rdfs:label "idő"@hu ; + rdfs:label "tempo"@it ; + rdfs:label "tempo"@pt ; + rdfs:label "temps"@fr ; + rdfs:label "tempus"@la ; + rdfs:label "tiempo"@es ; + rdfs:label "time"@en ; + rdfs:label "timp"@ro ; + rdfs:label "zaman"@tr ; + rdfs:label "Čas"@cs ; + rdfs:label "čas"@sl ; + rdfs:label "Χρόνος"@el ; + rdfs:label "Време"@bg ; + rdfs:label "Время"@ru ; + rdfs:label "זמן"@he ; + rdfs:label "زمان"@fa ; + rdfs:label "زمن"@ar ; + rdfs:label "समय"@hi ; + rdfs:label "时间"@zh ; + rdfs:label "時間"@ja ; +. +quantitykind:TimeAveragedSoundIntensity + a qudt:QuantityKind ; + dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; + qudt:abbreviation "w/m2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; + qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; + qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; + qudt:applicableUnit unit:MicroW-PER-M2 ; + qudt:applicableUnit unit:MilliW-PER-M2 ; + qudt:applicableUnit unit:PSI-L-PER-SEC ; + qudt:applicableUnit unit:PicoW-PER-M2 ; + qudt:applicableUnit unit:W-PER-CentiM2 ; + qudt:applicableUnit unit:W-PER-FT2 ; + qudt:applicableUnit unit:W-PER-IN2 ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{1}{t2 - t1} \\int_{t1}^{t2}i(t)dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(i\\) is sound intensity."^^qudt:LatexString ; + qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; + qudt:symbol "I" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Time averaged sound intensity"@en ; + skos:broader quantitykind:SoundIntensity ; +. +quantitykind:TimePercentage + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:TimeRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Time Percentage"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:TimeRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Time Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:TimeSquared + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:Time_Squared ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Time Squared"@en ; +. +quantitykind:TimeTemperature + a qudt:QuantityKind ; + qudt:applicableUnit unit:DEG_C-WK ; + qudt:applicableUnit unit:K-DAY ; + qudt:applicableUnit unit:K-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Time Temperature"@en ; +. +quantitykind:Time_Squared + a qudt:QuantityKind ; + qudt:applicableUnit unit:SEC2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Time Squared"@en ; +. +quantitykind:Torque + a qudt:QuantityKind ; + dcterms:description """In physics, a torque (\\(\\tau\\)) is a vector that measures the tendency of a force to rotate an object about some axis. The magnitude of a torque is defined as force times its lever arm. Just as a force is a push or a pull, a torque can be thought of as a twist. The SI unit for torque is newton meters (\\(N m\\)). In U.S. customary units, it is measured in foot pounds (ft lbf) (also known as \"pounds feet\"). +Mathematically, the torque on a particle (which has the position r in some reference frame) can be defined as the cross product: \\(τ = r x F\\) +where, +r is the particle's position vector relative to the fulcrum +F is the force acting on the particles, +or, more generally, torque can be defined as the rate of change of angular momentum: \\(τ = dL/dt\\) +where, +L is the angular momentum vector +t stands for time."""^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN-M ; + qudt:applicableUnit unit:DYN-CentiM ; + qudt:applicableUnit unit:DeciN-M ; + qudt:applicableUnit unit:KiloGM_F-M ; + qudt:applicableUnit unit:KiloN-M ; + qudt:applicableUnit unit:LB_F-FT ; + qudt:applicableUnit unit:LB_F-IN ; + qudt:applicableUnit unit:MegaN-M ; + qudt:applicableUnit unit:MicroN-M ; + qudt:applicableUnit unit:MilliN-M ; + qudt:applicableUnit unit:N-CentiM ; + qudt:applicableUnit unit:N-M ; + qudt:applicableUnit unit:OZ_F-IN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; + qudt:exactMatch quantitykind:MomentOfForce ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torque"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Drillmoment"@de ; + rdfs:label "Torsionmoment"@de ; + rdfs:label "binârio"@pt ; + rdfs:label "coppia"@it ; + rdfs:label "couple"@fr ; + rdfs:label "moment de torsion"@fr ; + rdfs:label "moment obrotowy"@pl ; + rdfs:label "momento de torsión"@es ; + rdfs:label "momento de torção"@pt ; + rdfs:label "momento torcente"@it ; + rdfs:label "par"@es ; + rdfs:label "torque"@en ; + rdfs:label "عزم محورى"@ar ; + rdfs:label "トルク"@ja ; + rdfs:label "转矩"@zh ; +. +quantitykind:TorquePerAngle + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-M-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Torque per Angle"@en ; +. +quantitykind:TorquePerLength + a qudt:QuantityKind ; + qudt:applicableUnit unit:N-M-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Torque per Length"@en ; +. +quantitykind:TotalAngularMomentum + a qudt:QuantityKind ; + dcterms:description "\"Total Angular Momentum\" combines both the spin and orbital angular momentum of all particles and fields. In atomic and nuclear physics, orbital angular momentum is usually denoted by \\(l\\) or \\(L\\) instead of \\(\\Lambda\\). The magnitude of \\(J\\) is quantized so that \\(J^2 = \\hbar^2 j(j + 1)\\), where \\(j\\) is the total angular momentum quantum number."^^qudt:LatexString ; + qudt:applicableUnit unit:ERG-SEC ; + qudt:applicableUnit unit:EV-SEC ; + qudt:applicableUnit unit:FT-LB_F-SEC ; + qudt:applicableUnit unit:J-SEC ; + qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; + qudt:applicableUnit unit:N-M-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum#Spin.2C_orbital.2C_and_total_angular_momentum"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:label "Total Angular Momentum"@en ; + skos:broader quantitykind:AngularMomentum ; +. +quantitykind:TotalAngularMomentumQuantumNumber + a qudt:QuantityKind ; + dcterms:description "The \"Total Angular Quantum Number\" describes the magnitude of total angular momentum \\(J\\), where \\(j\\) refers to a specific particle and \\(J\\) is used for the whole system."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "j" ; + rdfs:isDefinedBy ; + rdfs:label "Total Angular Momentum Quantum Number"@en ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber ; + skos:closeMatch quantitykind:PrincipalQuantumNumber ; + skos:closeMatch quantitykind:SpinQuantumNumber ; +. +quantitykind:TotalAtomicStoppingPower + a qudt:QuantityKind ; + dcterms:description "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-M2 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/atomic-stopping-power"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_a = \\frac{S}{n}\\), where \\(S\\) is the total linear stopping power and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume." ; + qudt:symbol "S_a" ; + rdfs:isDefinedBy ; + rdfs:label "Total Atomic Stopping Power"@en ; +. +quantitykind:TotalCrossSection + a qudt:QuantityKind ; + dcterms:description "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle."^^rdf:HTML ; + qudt:applicableUnit unit:AC ; + qudt:applicableUnit unit:ARE ; + qudt:applicableUnit unit:BARN ; + qudt:applicableUnit unit:CentiM2 ; + qudt:applicableUnit unit:DecaARE ; + qudt:applicableUnit unit:DeciM2 ; + qudt:applicableUnit unit:FT2 ; + qudt:applicableUnit unit:HA ; + qudt:applicableUnit unit:IN2 ; + qudt:applicableUnit unit:M2 ; + qudt:applicableUnit unit:MI2 ; + qudt:applicableUnit unit:MIL_Circ ; + qudt:applicableUnit unit:MicroM2 ; + qudt:applicableUnit unit:MilliM2 ; + qudt:applicableUnit unit:NanoM2 ; + qudt:applicableUnit unit:PlanckArea ; + qudt:applicableUnit unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle." ; + qudt:symbol "σₜ" ; + rdfs:isDefinedBy ; + rdfs:label "Total Cross-section"@en ; + skos:broader quantitykind:CrossSection ; +. +quantitykind:TotalCurrent + a qudt:QuantityKind ; + dcterms:description "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_{tot}= I + I_D\\), where \\(I\\) is electric current and \\(I_D\\) is displacement current."^^qudt:LatexString ; + qudt:plainTextDescription "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current." ; + qudt:symbol "I_t" ; + qudt:symbol "I_{tot}" ; + rdfs:isDefinedBy ; + rdfs:label "Total Current"@en ; + rdfs:seeAlso quantitykind:DisplacementCurrent ; + rdfs:seeAlso quantitykind:ElectricCurrent ; +. +quantitykind:TotalCurrentDensity + a qudt:QuantityKind ; + dcterms:description "\"Total Current Density\" is the sum of the electric current density and the displacement current density."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_{tot}= J + J_D\\), where \\(J\\) is electric current density and \\(J_D\\) is displacement current density."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_{tot}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Total Current Density\" is the sum of the electric current density and the displacement current density." ; + rdfs:isDefinedBy ; + rdfs:label "Total Current Density"@en ; + rdfs:seeAlso quantitykind:DisplacementCurrentDensity ; + rdfs:seeAlso quantitykind:ElectricCurrentDensity ; +. +quantitykind:TotalIonization + a qudt:QuantityKind ; + dcterms:description "\"Total Ionization\" by a particle, total mean charge, divided by the elementary charge, \\(e\\), of all positive ions produced by an ionizing charged particle along its entire path and along the paths of any secondary charged particles."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(N = \\int N_i dl\\)."^^qudt:LatexString ; + qudt:symbol "N_i" ; + rdfs:isDefinedBy ; + rdfs:label "Total Ionization"@en ; +. +quantitykind:TotalLinearStoppingPower + a qudt:QuantityKind ; + dcterms:description "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-CentiM ; + qudt:applicableUnit unit:EV-PER-ANGSTROM ; + qudt:applicableUnit unit:EV-PER-M ; + qudt:applicableUnit unit:J-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S = -\\frac{dE}{dx}\\), where \\(-dE\\) is the energy decrement in the \\(x-direction\\) along an elementary path with the length \\(dx\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length." ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Total Linear Stopping Power"@en ; +. +quantitykind:TotalMassStoppingPower + a qudt:QuantityKind ; + dcterms:description "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material."^^rdf:HTML ; + qudt:applicableUnit unit:J-M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_m = \\frac{S}{\\rho}\\), where \\(S\\) is the total linear stopping power and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; + qudt:plainTextDescription "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material." ; + qudt:symbol "S_m" ; + rdfs:isDefinedBy ; + rdfs:label "Total Mass Stopping Power"@en ; +. +quantitykind:TotalPressure + a qudt:QuantityKind ; + dcterms:description " The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "P_0" ; + rdfs:isDefinedBy ; + rdfs:label "Total Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:TouchThresholds + a qudt:QuantityKind ; + dcterms:description "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin." ; + rdfs:isDefinedBy ; + rdfs:label "Touch Thresholds"@en ; +. +quantitykind:Transmittance + a qudt:QuantityKind ; + dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Transmittance"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the transmitted radiant flux or the transmitted luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau, T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Transmittance"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:TransmittanceDensity + a qudt:QuantityKind ; + dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexDefinition "\\(A_{10}(\\lambda) = -lg(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; + qudt:symbol "A_10, D" ; + rdfs:isDefinedBy ; + rdfs:label "Transmittance Density"@en ; +. +quantitykind:TrueExhaustVelocity + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "u_{e}" ; + rdfs:isDefinedBy ; + rdfs:label "True Exhaust Velocity"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:Turbidity + a qudt:QuantityKind ; + dcterms:description "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid."^^rdf:HTML ; + qudt:applicableUnit unit:NTU ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Turbidity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Turbidity"^^xsd:anyURI ; + qudt:plainTextDescription "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid." ; + rdfs:isDefinedBy ; + rdfs:label "Turbidity"@en ; +. +quantitykind:Turns + a qudt:QuantityKind ; + dcterms:description "\"Turns\" is the number of turns in a winding."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "\"Turns\" is the number of turns in a winding." ; + qudt:symbol "N" ; + rdfs:isDefinedBy ; + rdfs:label "Turns"@en ; + skos:broader quantitykind:Count ; +. +quantitykind:Unknown + a qudt:QuantityKind ; + dcterms:description "Placeholder value used for reference from units where it is not clear what a given unit is a measure of." ; + qudt:applicableUnit unit:CentiM2-PER-CentiM3 ; + qudt:applicableUnit unit:DEG-PER-M ; + qudt:applicableUnit unit:DEG_C-KiloGM-PER-M2 ; + qudt:applicableUnit unit:DEG_C2-PER-SEC ; + qudt:applicableUnit unit:K-M-PER-SEC ; + qudt:applicableUnit unit:K-M2-PER-KiloGM-SEC ; + qudt:applicableUnit unit:K-PA-PER-SEC ; + qudt:applicableUnit unit:K2 ; + qudt:applicableUnit unit:KiloGM-PER-M3-SEC ; + qudt:applicableUnit unit:KiloGM-SEC2 ; + qudt:applicableUnit unit:KiloGM2-PER-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-M-PER-SEC ; + qudt:applicableUnit unit:M2-HZ2 ; + qudt:applicableUnit unit:M2-HZ3 ; + qudt:applicableUnit unit:M2-HZ4 ; + qudt:applicableUnit unit:M2-PER-HZ ; + qudt:applicableUnit unit:M2-PER-HZ-DEG ; + qudt:applicableUnit unit:M2-PER-HZ2 ; + qudt:applicableUnit unit:M2-PER-SEC2 ; + qudt:applicableUnit unit:M2-SEC-PER-RAD ; + qudt:applicableUnit unit:M3-PER-KiloGM-SEC2 ; + qudt:applicableUnit unit:M4-PER-SEC ; + qudt:applicableUnit unit:MOL-PER-GM-HR ; + qudt:applicableUnit unit:MOL-PER-M2 ; + qudt:applicableUnit unit:MOL-PER-M2-DAY ; + qudt:applicableUnit unit:MOL-PER-M2-SEC ; + qudt:applicableUnit unit:MOL-PER-M2-SEC-M ; + qudt:applicableUnit unit:MOL-PER-M2-SEC-M-SR ; + qudt:applicableUnit unit:MOL-PER-M2-SEC-SR ; + qudt:applicableUnit unit:MOL-PER-M3-SEC ; + qudt:applicableUnit unit:MOL-PER-MOL ; + qudt:applicableUnit unit:MicroGAL-PER-M ; + qudt:applicableUnit unit:MicroGM-PER-L-HR ; + qudt:applicableUnit unit:MicroGM-PER-M3-HR ; + qudt:applicableUnit unit:MicroM-PER-L-DAY ; + qudt:applicableUnit unit:MicroM-PER-MilliL ; + qudt:applicableUnit unit:MicroMOL-PER-GM-HR ; + qudt:applicableUnit unit:MicroMOL-PER-GM-SEC ; + qudt:applicableUnit unit:MicroMOL-PER-L-HR ; + qudt:applicableUnit unit:MicroMOL-PER-M2 ; + qudt:applicableUnit unit:MicroMOL-PER-M2-DAY ; + qudt:applicableUnit unit:MicroMOL-PER-M2-HR ; + qudt:applicableUnit unit:MicroMOL-PER-MOL ; + qudt:applicableUnit unit:MicroMOL-PER-MicroMOL-DAY ; + qudt:applicableUnit unit:MilliBQ-PER-M2-DAY ; + qudt:applicableUnit unit:MilliGAL-PER-MO ; + qudt:applicableUnit unit:MilliGM-PER-M3-DAY ; + qudt:applicableUnit unit:MilliGM-PER-M3-HR ; + qudt:applicableUnit unit:MilliGM-PER-M3-SEC ; + qudt:applicableUnit unit:MilliL-PER-M2-DAY ; + qudt:applicableUnit unit:MilliMOL-PER-M2 ; + qudt:applicableUnit unit:MilliMOL-PER-M2-DAY ; + qudt:applicableUnit unit:MilliMOL-PER-M2-SEC ; + qudt:applicableUnit unit:MilliMOL-PER-M3-DAY ; + qudt:applicableUnit unit:MilliMOL-PER-MOL ; + qudt:applicableUnit unit:MilliRAD_R-PER-HR ; + qudt:applicableUnit unit:MilliW-PER-CentiM2-MicroM-SR ; + qudt:applicableUnit unit:MilliW-PER-M2-NanoM ; + qudt:applicableUnit unit:MilliW-PER-M2-NanoM-SR ; + qudt:applicableUnit unit:MillionUSD-PER-YR ; + qudt:applicableUnit unit:N-M2-PER-KiloGM2 ; + qudt:applicableUnit unit:NUM-PER-CentiM-KiloYR ; + qudt:applicableUnit unit:NUM-PER-GM ; + qudt:applicableUnit unit:NUM-PER-HectoGM ; + qudt:applicableUnit unit:NUM-PER-MilliGM ; + qudt:applicableUnit unit:NanoMOL-PER-CentiM3-HR ; + qudt:applicableUnit unit:NanoMOL-PER-GM-SEC ; + qudt:applicableUnit unit:NanoMOL-PER-L-DAY ; + qudt:applicableUnit unit:NanoMOL-PER-L-HR ; + qudt:applicableUnit unit:NanoMOL-PER-M2-DAY ; + qudt:applicableUnit unit:NanoMOL-PER-MicroGM-HR ; + qudt:applicableUnit unit:NanoMOL-PER-MicroMOL ; + qudt:applicableUnit unit:NanoMOL-PER-MicroMOL-DAY ; + qudt:applicableUnit unit:PA-M ; + qudt:applicableUnit unit:PA-M-PER-SEC ; + qudt:applicableUnit unit:PA-M-PER-SEC2 ; + qudt:applicableUnit unit:PA-SEC-PER-M3 ; + qudt:applicableUnit unit:PA2-PER-SEC2 ; + qudt:applicableUnit unit:PER-GM ; + qudt:applicableUnit unit:PER-H ; + qudt:applicableUnit unit:PER-M-NanoM ; + qudt:applicableUnit unit:PER-M-NanoM-SR ; + qudt:applicableUnit unit:PER-M-SEC ; + qudt:applicableUnit unit:PER-M-SR ; + qudt:applicableUnit unit:PER-MicroMOL-L ; + qudt:applicableUnit unit:PER-PA-SEC ; + qudt:applicableUnit unit:PER-SEC2 ; + qudt:applicableUnit unit:PER-SR ; + qudt:applicableUnit unit:PPTH-PER-HR ; + qudt:applicableUnit unit:PPTR_VOL ; + qudt:applicableUnit unit:PSU ; + qudt:applicableUnit unit:PicoA-PER-MicroMOL-L ; + qudt:applicableUnit unit:PicoMOL-PER-L-DAY ; + qudt:applicableUnit unit:PicoMOL-PER-L-HR ; + qudt:applicableUnit unit:PicoMOL-PER-M-W-SEC ; + qudt:applicableUnit unit:PicoMOL-PER-M2-DAY ; + qudt:applicableUnit unit:PicoMOL-PER-M3-SEC ; + qudt:applicableUnit unit:PicoW-PER-CentiM2-L ; + qudt:applicableUnit unit:SEC-PER-M ; + qudt:applicableUnit unit:UNKNOWN ; + qudt:applicableUnit unit:W-M-PER-M2-SR ; + qudt:applicableUnit unit:W-PER-M ; + qudt:applicableUnit unit:W-PER-M2-M ; + qudt:applicableUnit unit:W-PER-M2-M-SR ; + qudt:applicableUnit unit:W-PER-M2-NanoM ; + qudt:applicableUnit unit:W-PER-M2-NanoM-SR ; + qudt:hasDimensionVector qkdv:NotApplicable ; + rdfs:isDefinedBy ; + rdfs:label "Unknown" ; +. +quantitykind:UpperCriticalMagneticFluxDensity + a qudt:QuantityKind ; + dcterms:description "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS ; + qudt:applicableUnit unit:Gamma ; + qudt:applicableUnit unit:Gs ; + qudt:applicableUnit unit:KiloGAUSS ; + qudt:applicableUnit unit:MicroT ; + qudt:applicableUnit unit:MilliT ; + qudt:applicableUnit unit:NanoT ; + qudt:applicableUnit unit:T ; + qudt:applicableUnit unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity." ; + qudt:symbol "B_{c2}" ; + rdfs:isDefinedBy ; + rdfs:label "Upper Critical Magnetic Flux Density"@en ; + skos:broader quantitykind:MagneticFluxDensity ; + skos:closeMatch quantitykind:LowerCriticalMagneticFluxDensity ; +. +quantitykind:VacuumThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:expression "\\(VT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Vacuum Thrust"@en ; + skos:broader quantitykind:Thrust ; +. +quantitykind:VaporPermeability + a qudt:QuantityKind ; + dcterms:description "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2-PA-SEC ; + qudt:applicableUnit unit:NanoGM-PER-M2-PA-SEC ; + qudt:applicableUnit unit:PERM_Metric ; + qudt:applicableUnit unit:PERM_US ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:informativeReference "https://www.designingbuildings.co.uk/wiki/Vapour_Permeability"^^xsd:anyURI ; + qudt:plainTextDescription "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric." ; + rdfs:isDefinedBy ; + rdfs:label "Vapor Permeability"@en ; +. +quantitykind:VaporPressure + a qudt:QuantityKind ; + dcterms:description "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system."^^rdf:HTML ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system." ; + rdfs:isDefinedBy ; + rdfs:label "Vapor Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:VehicleVelocity + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + rdfs:label "Vehicle Velocity"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:Velocity + a qudt:QuantityKind ; + dcterms:description "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. "^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearVelocity ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Velocity"^^xsd:anyURI ; + qudt:plainTextDescription "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. " ; + qudt:symbol "v" ; + rdfs:isDefinedBy ; + rdfs:label "Geschwindigkeit"@de ; + rdfs:label "Halaju"@ms ; + rdfs:label "Rychlost"@cs ; + rdfs:label "hitrost"@sl ; + rdfs:label "hız"@tr ; + rdfs:label "prędkość"@pl ; + rdfs:label "rapidez"@es ; + rdfs:label "velocidad"@es ; + rdfs:label "velocidade"@pt ; + rdfs:label "velocitas"@la ; + rdfs:label "velocity"@en ; + rdfs:label "velocità"@it ; + rdfs:label "vitesse"@fr ; + rdfs:label "viteză"@ro ; + rdfs:label "Επιφάνεια"@el ; + rdfs:label "Ско́рость"@ru ; + rdfs:label "מהירות"@he ; + rdfs:label "السرعة"@ar ; + rdfs:label "سرعت/تندی"@fa ; + rdfs:label "गति"@hi ; + rdfs:label "वेग"@hi ; + rdfs:label "速力"@ja ; + rdfs:label "速度"@zh ; +. +quantitykind:VentilationRatePerFloorArea + a qudt:QuantityKind ; + dcterms:description "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area."^^rdf:HTML ; + qudt:applicableUnit unit:L-PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Ventilation_(architecture)#Ventilation_rates_for_indoor_air_quality"^^xsd:anyURI ; + qudt:plainTextDescription "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area." ; + rdfs:isDefinedBy ; + rdfs:label "Ventilation Rate per Floor Area"@en ; +. +quantitykind:VerticalVelocity + a qudt:QuantityKind ; + dcterms:description "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR ; + qudt:applicableUnit unit:CentiM-PER-KiloYR ; + qudt:applicableUnit unit:CentiM-PER-SEC ; + qudt:applicableUnit unit:CentiM-PER-YR ; + qudt:applicableUnit unit:FT-PER-DAY ; + qudt:applicableUnit unit:FT-PER-HR ; + qudt:applicableUnit unit:FT-PER-MIN ; + qudt:applicableUnit unit:FT-PER-SEC ; + qudt:applicableUnit unit:GigaHZ-M ; + qudt:applicableUnit unit:IN-PER-MIN ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:applicableUnit unit:KN ; + qudt:applicableUnit unit:KiloM-PER-DAY ; + qudt:applicableUnit unit:KiloM-PER-HR ; + qudt:applicableUnit unit:KiloM-PER-SEC ; + qudt:applicableUnit unit:M-PER-HR ; + qudt:applicableUnit unit:M-PER-MIN ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:applicableUnit unit:M-PER-YR ; + qudt:applicableUnit unit:MI-PER-HR ; + qudt:applicableUnit unit:MI-PER-MIN ; + qudt:applicableUnit unit:MI-PER-SEC ; + qudt:applicableUnit unit:MI_N-PER-HR ; + qudt:applicableUnit unit:MI_N-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-DAY ; + qudt:applicableUnit unit:MilliM-PER-HR ; + qudt:applicableUnit unit:MilliM-PER-MIN ; + qudt:applicableUnit unit:MilliM-PER-SEC ; + qudt:applicableUnit unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile." ; + qudt:symbol "V_{Z}" ; + rdfs:isDefinedBy ; + rdfs:label "Vertical Velocity"@en ; + skos:broader quantitykind:Velocity ; +. +quantitykind:VideoFrameRate + a qudt:QuantityKind ; + dcterms:description "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)."^^rdf:HTML ; + qudt:applicableUnit unit:FRAME-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Frame_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)." ; + rdfs:isDefinedBy ; + rdfs:label "Video Frame Rate"@en ; + skos:broader quantitykind:InformationFlowRate ; +. +quantitykind:Viscosity + a qudt:QuantityKind ; + dcterms:description "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE ; + qudt:applicableUnit unit:KiloGM-PER-M-HR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC ; + qudt:applicableUnit unit:LB-PER-FT-HR ; + qudt:applicableUnit unit:LB-PER-FT-SEC ; + qudt:applicableUnit unit:LB_F-SEC-PER-FT2 ; + qudt:applicableUnit unit:LB_F-SEC-PER-IN2 ; + qudt:applicableUnit unit:MicroPOISE ; + qudt:applicableUnit unit:MilliPA-SEC ; + qudt:applicableUnit unit:PA-SEC ; + qudt:applicableUnit unit:POISE ; + qudt:applicableUnit unit:SLUG-PER-FT-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:DynamicViscosity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:plainTextDescription "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity." ; + rdfs:isDefinedBy ; + rdfs:label "Viscosity"@en ; +. +quantitykind:VisibleRadiantEnergy + a qudt:QuantityKind ; + dcterms:description "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; + qudt:latexDefinition "Q"^^qudt:LatexString ; + qudt:plainTextDescription "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:label "Visible Radiant Energy"@en ; + skos:broader quantitykind:Energy ; + skos:closeMatch quantitykind:LuminousEnergy ; +. +quantitykind:VisionThresholds + a qudt:QuantityKind ; + dcterms:description "\"Vision Thresholds\" is an abstract term to refer to a variety of measures for the thresholds of sensitivity of the eye."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_threshold#Vision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_v}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Vision Thresholds\" is the thresholds of sensitivity of the eye." ; + rdfs:isDefinedBy ; + rdfs:label "Vision Thresholds"@en ; +. +quantitykind:Voltage + a qudt:QuantityKind ; + dcterms:description """\\(\\textit{Voltage}\\), also referred to as \\(\\textit{Electric Tension}\\), is the difference between electrical potentials of two points. For an electric field within a medium, \\(U_{ab} = - \\int_{r_a}^{r_b} E . {dr}\\), where \\(E\\) is electric field strength. +For an irrotational electric field, the voltage is independent of the path between the two points \\(a\\) and \\(b\\)."""^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV ; + qudt:applicableUnit unit:MegaV ; + qudt:applicableUnit unit:MicroV ; + qudt:applicableUnit unit:MilliV ; + qudt:applicableUnit unit:PlanckVolt ; + qudt:applicableUnit unit:V ; + qudt:applicableUnit unit:V_Ab ; + qudt:applicableUnit unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential ; + qudt:exactMatch quantitykind:ElectricPotentialDifference ; + qudt:exactMatch quantitykind:EnergyPerElectricCharge ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_{ab} = V_a - V_b\\), where \\(V_a\\) and \\(V_b\\) are electric potentials at points \\(a\\) and \\(b\\), respectively."^^qudt:LatexString ; + qudt:latexSymbol "\\(U_{ab}\\)"^^qudt:LatexString ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:label "Voltage"@en ; + skos:broader quantitykind:EnergyPerElectricCharge ; +. +quantitykind:VoltagePercentage + a qudt:QuantityKind ; + dcterms:isReplacedBy quantitykind:VoltageRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Voltage Percentage"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:VoltagePhasor + a qudt:QuantityKind ; + dcterms:description "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "When \\(u = \\hat{U} \\cos{(\\omega t + \\alpha)}\\), where \\(u\\) is the voltage, \\(\\omega\\) is angular frequency, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{U} = Ue^{ja}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{U}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; + rdfs:isDefinedBy ; + rdfs:label "Voltage Phasor"@en ; +. +quantitykind:VoltageRatio + a qudt:QuantityKind ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + rdfs:label "Voltage Ratio"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:Volume + a qudt:QuantityKind ; + dcterms:description "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT ; + qudt:applicableUnit unit:ANGSTROM3 ; + qudt:applicableUnit unit:BBL ; + qudt:applicableUnit unit:BBL_UK_PET ; + qudt:applicableUnit unit:BBL_US ; + qudt:applicableUnit unit:CentiM3 ; + qudt:applicableUnit unit:DecaL ; + qudt:applicableUnit unit:DecaM3 ; + qudt:applicableUnit unit:DeciL ; + qudt:applicableUnit unit:DeciM3 ; + qudt:applicableUnit unit:FBM ; + qudt:applicableUnit unit:FT3 ; + qudt:applicableUnit unit:FemtoL ; + qudt:applicableUnit unit:GI_UK ; + qudt:applicableUnit unit:GI_US ; + qudt:applicableUnit unit:GT ; + qudt:applicableUnit unit:HectoL ; + qudt:applicableUnit unit:IN3 ; + qudt:applicableUnit unit:Kilo-FT3 ; + qudt:applicableUnit unit:KiloL ; + qudt:applicableUnit unit:L ; + qudt:applicableUnit unit:M3 ; + qudt:applicableUnit unit:MI3 ; + qudt:applicableUnit unit:MegaL ; + qudt:applicableUnit unit:MicroL ; + qudt:applicableUnit unit:MicroM3 ; + qudt:applicableUnit unit:MilliL ; + qudt:applicableUnit unit:MilliM3 ; + qudt:applicableUnit unit:NanoL ; + qudt:applicableUnit unit:OZ_VOL_UK ; + qudt:applicableUnit unit:PINT ; + qudt:applicableUnit unit:PINT_UK ; + qudt:applicableUnit unit:PK_UK ; + qudt:applicableUnit unit:PicoL ; + qudt:applicableUnit unit:PlanckVolume ; + qudt:applicableUnit unit:QT_UK ; + qudt:applicableUnit unit:QT_US ; + qudt:applicableUnit unit:RT ; + qudt:applicableUnit unit:STR ; + qudt:applicableUnit unit:Standard ; + qudt:applicableUnit unit:TBSP ; + qudt:applicableUnit unit:TON_SHIPPING_US ; + qudt:applicableUnit unit:TSP ; + qudt:applicableUnit unit:YD3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volume"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space." ; + rdfs:isDefinedBy ; + rdfs:label "Volume"@en ; +. +quantitykind:VolumeFlowRate + a qudt:QuantityKind ; + dcterms:description "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; + qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; + qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; + qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; + qudt:applicableUnit unit:BBL_US-PER-DAY ; + qudt:applicableUnit unit:BBL_US-PER-MIN ; + qudt:applicableUnit unit:BBL_US_PET-PER-HR ; + qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; + qudt:applicableUnit unit:BU_UK-PER-DAY ; + qudt:applicableUnit unit:BU_UK-PER-HR ; + qudt:applicableUnit unit:BU_UK-PER-MIN ; + qudt:applicableUnit unit:BU_UK-PER-SEC ; + qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; + qudt:applicableUnit unit:BU_US_DRY-PER-HR ; + qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; + qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; + qudt:applicableUnit unit:CentiM3-PER-DAY ; + qudt:applicableUnit unit:CentiM3-PER-HR ; + qudt:applicableUnit unit:CentiM3-PER-MIN ; + qudt:applicableUnit unit:CentiM3-PER-SEC ; + qudt:applicableUnit unit:DeciM3-PER-DAY ; + qudt:applicableUnit unit:DeciM3-PER-HR ; + qudt:applicableUnit unit:DeciM3-PER-MIN ; + qudt:applicableUnit unit:DeciM3-PER-SEC ; + qudt:applicableUnit unit:FT3-PER-DAY ; + qudt:applicableUnit unit:FT3-PER-HR ; + qudt:applicableUnit unit:FT3-PER-MIN ; + qudt:applicableUnit unit:FT3-PER-SEC ; + qudt:applicableUnit unit:GAL_UK-PER-DAY ; + qudt:applicableUnit unit:GAL_UK-PER-HR ; + qudt:applicableUnit unit:GAL_UK-PER-MIN ; + qudt:applicableUnit unit:GAL_UK-PER-SEC ; + qudt:applicableUnit unit:GAL_US-PER-DAY ; + qudt:applicableUnit unit:GAL_US-PER-HR ; + qudt:applicableUnit unit:GAL_US-PER-MIN ; + qudt:applicableUnit unit:GAL_US-PER-SEC ; + qudt:applicableUnit unit:GI_UK-PER-DAY ; + qudt:applicableUnit unit:GI_UK-PER-HR ; + qudt:applicableUnit unit:GI_UK-PER-MIN ; + qudt:applicableUnit unit:GI_UK-PER-SEC ; + qudt:applicableUnit unit:GI_US-PER-DAY ; + qudt:applicableUnit unit:GI_US-PER-HR ; + qudt:applicableUnit unit:GI_US-PER-MIN ; + qudt:applicableUnit unit:GI_US-PER-SEC ; + qudt:applicableUnit unit:IN3-PER-HR ; + qudt:applicableUnit unit:IN3-PER-MIN ; + qudt:applicableUnit unit:IN3-PER-SEC ; + qudt:applicableUnit unit:KiloL-PER-HR ; + qudt:applicableUnit unit:L-PER-DAY ; + qudt:applicableUnit unit:L-PER-HR ; + qudt:applicableUnit unit:L-PER-MIN ; + qudt:applicableUnit unit:L-PER-SEC ; + qudt:applicableUnit unit:M3-PER-DAY ; + qudt:applicableUnit unit:M3-PER-HR ; + qudt:applicableUnit unit:M3-PER-MIN ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:applicableUnit unit:MilliL-PER-DAY ; + qudt:applicableUnit unit:MilliL-PER-HR ; + qudt:applicableUnit unit:MilliL-PER-MIN ; + qudt:applicableUnit unit:MilliL-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; + qudt:applicableUnit unit:PINT_UK-PER-DAY ; + qudt:applicableUnit unit:PINT_UK-PER-HR ; + qudt:applicableUnit unit:PINT_UK-PER-MIN ; + qudt:applicableUnit unit:PINT_UK-PER-SEC ; + qudt:applicableUnit unit:PINT_US-PER-DAY ; + qudt:applicableUnit unit:PINT_US-PER-HR ; + qudt:applicableUnit unit:PINT_US-PER-MIN ; + qudt:applicableUnit unit:PINT_US-PER-SEC ; + qudt:applicableUnit unit:PK_UK-PER-DAY ; + qudt:applicableUnit unit:PK_UK-PER-HR ; + qudt:applicableUnit unit:PK_UK-PER-MIN ; + qudt:applicableUnit unit:PK_UK-PER-SEC ; + qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; + qudt:applicableUnit unit:PK_US_DRY-PER-HR ; + qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; + qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; + qudt:applicableUnit unit:QT_UK-PER-DAY ; + qudt:applicableUnit unit:QT_UK-PER-HR ; + qudt:applicableUnit unit:QT_UK-PER-MIN ; + qudt:applicableUnit unit:QT_UK-PER-SEC ; + qudt:applicableUnit unit:QT_US-PER-DAY ; + qudt:applicableUnit unit:QT_US-PER-HR ; + qudt:applicableUnit unit:QT_US-PER-MIN ; + qudt:applicableUnit unit:QT_US-PER-SEC ; + qudt:applicableUnit unit:YD3-PER-DAY ; + qudt:applicableUnit unit:YD3-PER-HR ; + qudt:applicableUnit unit:YD3-PER-MIN ; + qudt:applicableUnit unit:YD3-PER-SEC ; + qudt:exactMatch quantitykind:VolumePerUnitTime ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_flow_rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_V = \\frac{dV}{dt}\\), where \\(V\\) is volume and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time." ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy ; + rdfs:label "Volume Flow Rate"@en ; +. +quantitykind:VolumeFraction + a qudt:QuantityKind ; + dcterms:description "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-CentiM3 ; + qudt:applicableUnit unit:CentiM3-PER-M3 ; + qudt:applicableUnit unit:DeciM3-PER-M3 ; + qudt:applicableUnit unit:L-PER-L ; + qudt:applicableUnit unit:M3-PER-M3 ; + qudt:applicableUnit unit:MicroL-PER-L ; + qudt:applicableUnit unit:MicroM3-PER-M3 ; + qudt:applicableUnit unit:MicroM3-PER-MilliL ; + qudt:applicableUnit unit:MilliL-PER-L ; + qudt:applicableUnit unit:MilliL-PER-M3 ; + qudt:applicableUnit unit:MilliM3-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volume_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi_B = \\frac{x_B V_{m,B}^*}{\\sum x_i V_{m,i}^*}\\), where \\(V_{m,i}^*\\) is the molar volume of the pure substances \\(i\\) at the same temperature and pressure, \\(x_i\\) denotes the amount-of-substance fraction of substance \\(i\\), and \\(\\sum\\) denotes summation over all substances \\(i\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)." ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Volume Fraction"@en ; + skos:broader quantitykind:DimensionlessRatio ; +. +quantitykind:VolumePerArea + a qudt:QuantityKind ; + qudt:applicableUnit unit:M3-PER-HA ; + qudt:applicableUnit unit:M3-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + rdfs:label "Volume per Unit Area"@en ; +. +quantitykind:VolumePerUnitTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; + qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; + qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; + qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; + qudt:applicableUnit unit:BBL_US-PER-DAY ; + qudt:applicableUnit unit:BBL_US-PER-MIN ; + qudt:applicableUnit unit:BBL_US_PET-PER-HR ; + qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; + qudt:applicableUnit unit:BU_UK-PER-DAY ; + qudt:applicableUnit unit:BU_UK-PER-HR ; + qudt:applicableUnit unit:BU_UK-PER-MIN ; + qudt:applicableUnit unit:BU_UK-PER-SEC ; + qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; + qudt:applicableUnit unit:BU_US_DRY-PER-HR ; + qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; + qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; + qudt:applicableUnit unit:CentiM3-PER-DAY ; + qudt:applicableUnit unit:CentiM3-PER-HR ; + qudt:applicableUnit unit:CentiM3-PER-MIN ; + qudt:applicableUnit unit:CentiM3-PER-SEC ; + qudt:applicableUnit unit:DeciM3-PER-DAY ; + qudt:applicableUnit unit:DeciM3-PER-HR ; + qudt:applicableUnit unit:DeciM3-PER-MIN ; + qudt:applicableUnit unit:DeciM3-PER-SEC ; + qudt:applicableUnit unit:FT3-PER-DAY ; + qudt:applicableUnit unit:FT3-PER-HR ; + qudt:applicableUnit unit:FT3-PER-MIN ; + qudt:applicableUnit unit:FT3-PER-SEC ; + qudt:applicableUnit unit:GAL_UK-PER-DAY ; + qudt:applicableUnit unit:GAL_UK-PER-HR ; + qudt:applicableUnit unit:GAL_UK-PER-MIN ; + qudt:applicableUnit unit:GAL_UK-PER-SEC ; + qudt:applicableUnit unit:GAL_US-PER-DAY ; + qudt:applicableUnit unit:GAL_US-PER-HR ; + qudt:applicableUnit unit:GAL_US-PER-MIN ; + qudt:applicableUnit unit:GAL_US-PER-SEC ; + qudt:applicableUnit unit:GI_UK-PER-DAY ; + qudt:applicableUnit unit:GI_UK-PER-HR ; + qudt:applicableUnit unit:GI_UK-PER-MIN ; + qudt:applicableUnit unit:GI_UK-PER-SEC ; + qudt:applicableUnit unit:GI_US-PER-DAY ; + qudt:applicableUnit unit:GI_US-PER-HR ; + qudt:applicableUnit unit:GI_US-PER-MIN ; + qudt:applicableUnit unit:GI_US-PER-SEC ; + qudt:applicableUnit unit:IN3-PER-HR ; + qudt:applicableUnit unit:IN3-PER-MIN ; + qudt:applicableUnit unit:IN3-PER-SEC ; + qudt:applicableUnit unit:KiloL-PER-HR ; + qudt:applicableUnit unit:L-PER-DAY ; + qudt:applicableUnit unit:L-PER-HR ; + qudt:applicableUnit unit:L-PER-MIN ; + qudt:applicableUnit unit:L-PER-SEC ; + qudt:applicableUnit unit:M3-PER-DAY ; + qudt:applicableUnit unit:M3-PER-HR ; + qudt:applicableUnit unit:M3-PER-MIN ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:applicableUnit unit:MilliL-PER-DAY ; + qudt:applicableUnit unit:MilliL-PER-HR ; + qudt:applicableUnit unit:MilliL-PER-MIN ; + qudt:applicableUnit unit:MilliL-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; + qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; + qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; + qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; + qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; + qudt:applicableUnit unit:PINT_UK-PER-DAY ; + qudt:applicableUnit unit:PINT_UK-PER-HR ; + qudt:applicableUnit unit:PINT_UK-PER-MIN ; + qudt:applicableUnit unit:PINT_UK-PER-SEC ; + qudt:applicableUnit unit:PINT_US-PER-DAY ; + qudt:applicableUnit unit:PINT_US-PER-HR ; + qudt:applicableUnit unit:PINT_US-PER-MIN ; + qudt:applicableUnit unit:PINT_US-PER-SEC ; + qudt:applicableUnit unit:PK_UK-PER-DAY ; + qudt:applicableUnit unit:PK_UK-PER-HR ; + qudt:applicableUnit unit:PK_UK-PER-MIN ; + qudt:applicableUnit unit:PK_UK-PER-SEC ; + qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; + qudt:applicableUnit unit:PK_US_DRY-PER-HR ; + qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; + qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; + qudt:applicableUnit unit:QT_UK-PER-DAY ; + qudt:applicableUnit unit:QT_UK-PER-HR ; + qudt:applicableUnit unit:QT_UK-PER-MIN ; + qudt:applicableUnit unit:QT_UK-PER-SEC ; + qudt:applicableUnit unit:QT_US-PER-DAY ; + qudt:applicableUnit unit:QT_US-PER-HR ; + qudt:applicableUnit unit:QT_US-PER-MIN ; + qudt:applicableUnit unit:QT_US-PER-SEC ; + qudt:applicableUnit unit:YD3-PER-DAY ; + qudt:applicableUnit unit:YD3-PER-HR ; + qudt:applicableUnit unit:YD3-PER-MIN ; + qudt:applicableUnit unit:YD3-PER-SEC ; + qudt:exactMatch quantitykind:VolumeFlowRate ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Volume per Unit Time"@en ; +. +quantitykind:VolumeStrain + a qudt:QuantityKind ; + dcterms:description "Volume, or volumetric, Strain, or dilatation (the relative variation of the volume) is the trace of the tensor \\(\\vartheta\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION ; + qudt:applicableUnit unit:GR ; + qudt:applicableUnit unit:NUM ; + qudt:applicableUnit unit:PERCENT ; + qudt:applicableUnit unit:PERMITTIVITY_REL ; + qudt:applicableUnit unit:PPB ; + qudt:applicableUnit unit:PPM ; + qudt:applicableUnit unit:PPTH ; + qudt:applicableUnit unit:PPTM ; + qudt:applicableUnit unit:PPTR ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\vartheta = \\frac{\\Delta V}{V_0}\\), where \\(\\Delta V\\) is the increase in volume and \\(V_0\\) is the volume in a reference state to be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Volume Strain"@en ; + skos:broader quantitykind:Strain ; +. +quantitykind:VolumeThermalExpansion + a qudt:QuantityKind ; + dcterms:description """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. + +Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: + + * linear thermal expansion + * area thermal expansion + * volumetric thermal expansion + +These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. + +Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; + qudt:applicableUnit unit:CentiM3-PER-K ; + qudt:applicableUnit unit:FT3-PER-DEG_F ; + qudt:applicableUnit unit:L-PER-K ; + qudt:applicableUnit unit:M3-PER-K ; + qudt:applicableUnit unit:MilliL-PER-K ; + qudt:applicableUnit unit:YD3-PER-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:plainTextDescription """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. + +Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: + + * linear thermal expansion + * area thermal expansion + * volumetric thermal expansion + +These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. + +Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; + rdfs:isDefinedBy ; + rdfs:label "Volume Thermal Expansion"@en ; +. +quantitykind:VolumetricFlux + a qudt:QuantityKind ; + dcterms:description "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:MilliL-PER-CentiM2-MIN ; + qudt:applicableUnit unit:MilliL-PER-CentiM2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Volumetric_flux"^^xsd:anyURI ; + qudt:plainTextDescription "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]" ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + rdfs:label "Volumetric Flux"@en ; +. +quantitykind:VolumetricHeatCapacity + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Volumetric Heat Capacity (VHC)}\\), also termed \\(\\textit{volume-specific heat capacity}\\), describes the ability of a given volume of a substance to store internal energy while undergoing a given temperature change, but without undergoing a phase transition. It is different from specific heat capacity in that the VHC is a \\(\\textit{per unit volume}\\) measure of the relationship between thermal energy and temperature of a material, while the specific heat is a \\(\\textit{per unit mass}\\) measure (or occasionally per molar quantity of the material)."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3-K ; + qudt:applicableUnit unit:LB_F-PER-IN2-DEG_F ; + qudt:applicableUnit unit:MilliBAR-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volumetric_heat_capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_heat_capacity"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Volumetric Heat Capacity"@en ; +. +quantitykind:VolumicElectromagneticEnergy + a qudt:QuantityKind ; + dcterms:description "\\(\\textit{Volumic Electromagnetic Energy}\\), also known as the \\(\\textit{Electromagnetic Energy Density}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:exactMatch quantitykind:ElectromagneticEnergyDensity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(w\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:label "Volumic Electromagnetic Energy"@en ; + rdfs:seeAlso quantitykind:ElectricFieldStrength ; + rdfs:seeAlso quantitykind:ElectricFluxDensity ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; + rdfs:seeAlso quantitykind:MagneticFluxDensity ; +. +quantitykind:Vorticity + a qudt:QuantityKind ; + dcterms:description "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR ; + qudt:applicableUnit unit:DEG-PER-MIN ; + qudt:applicableUnit unit:DEG-PER-SEC ; + qudt:applicableUnit unit:PlanckFrequency_Ang ; + qudt:applicableUnit unit:RAD-PER-HR ; + qudt:applicableUnit unit:RAD-PER-MIN ; + qudt:applicableUnit unit:RAD-PER-SEC ; + qudt:applicableUnit unit:REV-PER-HR ; + qudt:applicableUnit unit:REV-PER-MIN ; + qudt:applicableUnit unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field." ; + rdfs:isDefinedBy ; + rdfs:label "Vorticity"@en ; + skos:broader quantitykind:AngularVelocity ; +. +quantitykind:WarmReceptorThreshold + a qudt:QuantityKind ; + dcterms:description "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_w}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending." ; + rdfs:isDefinedBy ; + rdfs:label "Warm Receptor Threshold"@en ; +. +quantitykind:WarpingConstant + a qudt:QuantityKind ; + dcterms:description "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶."^^rdf:HTML ; + qudt:applicableUnit unit:M6 ; + qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingconstantmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶." ; + rdfs:isDefinedBy ; + rdfs:label "Warping Constant"@en ; +. +quantitykind:WarpingMoment + a qudt:QuantityKind ; + dcterms:description "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²."^^rdf:HTML ; + qudt:applicableUnit unit:KiloN-M2 ; + qudt:applicableUnit unit:N-M2 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingmomentmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²." ; + rdfs:isDefinedBy ; + rdfs:label "Warping Moment"@en ; +. +quantitykind:WaterHorsepower + a qudt:QuantityKind ; + dcterms:description "No pump can convert all of its mechanical power into water power. Mechanical power is lost in the pumping process due to friction losses and other physical losses. It is because of these losses that the horsepower going into the pump has to be greater than the water horsepower leaving the pump. The efficiency of any given pump is defined as the ratio of the water horsepower out of the pump compared to the mechanical horsepower into the pump."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC ; + qudt:applicableUnit unit:BAR-M3-PER-SEC ; + qudt:applicableUnit unit:BTU_IT-PER-HR ; + qudt:applicableUnit unit:BTU_IT-PER-SEC ; + qudt:applicableUnit unit:ERG-PER-SEC ; + qudt:applicableUnit unit:FT-LB_F-PER-HR ; + qudt:applicableUnit unit:FT-LB_F-PER-MIN ; + qudt:applicableUnit unit:FT-LB_F-PER-SEC ; + qudt:applicableUnit unit:GigaJ-PER-HR ; + qudt:applicableUnit unit:GigaW ; + qudt:applicableUnit unit:HP ; + qudt:applicableUnit unit:HP_Boiler ; + qudt:applicableUnit unit:HP_Brake ; + qudt:applicableUnit unit:HP_Electric ; + qudt:applicableUnit unit:HP_Metric ; + qudt:applicableUnit unit:J-PER-HR ; + qudt:applicableUnit unit:J-PER-SEC ; + qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; + qudt:applicableUnit unit:KiloCAL-PER-MIN ; + qudt:applicableUnit unit:KiloCAL-PER-SEC ; + qudt:applicableUnit unit:KiloW ; + qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-HR ; + qudt:applicableUnit unit:MegaJ-PER-SEC ; + qudt:applicableUnit unit:MegaPA-L-PER-SEC ; + qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; + qudt:applicableUnit unit:MegaW ; + qudt:applicableUnit unit:MicroW ; + qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; + qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; + qudt:applicableUnit unit:MilliW ; + qudt:applicableUnit unit:NanoW ; + qudt:applicableUnit unit:PA-L-PER-SEC ; + qudt:applicableUnit unit:PA-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-IN3-PER-SEC ; + qudt:applicableUnit unit:PSI-M3-PER-SEC ; + qudt:applicableUnit unit:PSI-YD3-PER-SEC ; + qudt:applicableUnit unit:PicoW ; + qudt:applicableUnit unit:PlanckPower ; + qudt:applicableUnit unit:THM_US-PER-HR ; + qudt:applicableUnit unit:TON_FG ; + qudt:applicableUnit unit:TeraW ; + qudt:applicableUnit unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "https://www.uaex.edu/environment-nature/water/docs/IrrigSmart-3241-A-Understanding-water-horsepower.pdf"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Water Horsepower"@en ; + skos:broader quantitykind:Power ; +. +quantitykind:Wavelength + a qudt:QuantityKind ; + dcterms:description "For a monochromatic wave, \"wavelength\" is the distance between two successive points in a direction perpendicular to the wavefront where at a given instant the phase differs by \\(2\\pi\\). The wavelength of a sinusoidal wave is the spatial period of the wave—the distance over which the wave's shape repeats. The SI unit of wavelength is the meter."^^qudt:LatexString ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavelength"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\frac{c}{\\nu}\\), where \\(\\lambda\\) is the wave length, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; + qudt:symbol "λ" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + rdfs:label "Jarak gelombang"@ms ; + rdfs:label "Vlnové délka"@cs ; + rdfs:label "Wellenlänge"@de ; + rdfs:label "comprimento de onda"@pt ; + rdfs:label "dalga boyu"@tr ; + rdfs:label "longitud de onda"@es ; + rdfs:label "longueur d'onde"@fr ; + rdfs:label "lunghezza d'onda"@it ; + rdfs:label "wavelength"@en ; + rdfs:label "длина волны"@ru ; + rdfs:label "طول موج"@fa ; + rdfs:label "波长"@zh ; + skos:broader quantitykind:Length ; +. +quantitykind:Wavenumber + a qudt:QuantityKind ; + dcterms:description "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M."^^rdf:HTML ; + qudt:applicableUnit unit:DPI ; + qudt:applicableUnit unit:KY ; + qudt:applicableUnit unit:MESH ; + qudt:applicableUnit unit:NUM-PER-M ; + qudt:applicableUnit unit:PER-ANGSTROM ; + qudt:applicableUnit unit:PER-CentiM ; + qudt:applicableUnit unit:PER-KiloM ; + qudt:applicableUnit unit:PER-M ; + qudt:applicableUnit unit:PER-MicroM ; + qudt:applicableUnit unit:PER-MilliM ; + qudt:applicableUnit unit:PER-NanoM ; + qudt:applicableUnit unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; + qudt:latexDefinition """\\(\\sigma = \\frac{\\nu}{c}\\), where \\(\\sigma\\) is the wave number, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium. + +Or: + +\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M." ; + rdfs:isDefinedBy ; + rdfs:label "Bilangan gelombang"@ms ; + rdfs:label "Liczba falowa"@pl ; + rdfs:label "Repetenz"@de ; + rdfs:label "Vlnové číslo"@cs ; + rdfs:label "Wellenzahl"@de ; + rdfs:label "dalga sayısı"@tr ; + rdfs:label "nombre d'onde"@fr ; + rdfs:label "numero d'onda"@it ; + rdfs:label "número de ola"@es ; + rdfs:label "número de onda"@pt ; + rdfs:label "valovno število"@sl ; + rdfs:label "wavenumber"@en ; + rdfs:label "Волновое число"@ru ; + rdfs:label "عدد الموجة"@ar ; + rdfs:label "عدد موج"@fa ; + rdfs:label "波数"@ja ; + rdfs:label "波数"@zh ; + rdfs:seeAlso quantitykind:AngularWavenumber ; + skos:broader quantitykind:InverseLength ; +. +quantitykind:WebTime + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR ; + qudt:applicableUnit unit:DAY ; + qudt:applicableUnit unit:DAY_Sidereal ; + qudt:applicableUnit unit:H-PER-KiloOHM ; + qudt:applicableUnit unit:H-PER-OHM ; + qudt:applicableUnit unit:HR ; + qudt:applicableUnit unit:HR_Sidereal ; + qudt:applicableUnit unit:KiloSEC ; + qudt:applicableUnit unit:KiloYR ; + qudt:applicableUnit unit:MIN ; + qudt:applicableUnit unit:MIN_Sidereal ; + qudt:applicableUnit unit:MO ; + qudt:applicableUnit unit:MO_MeanGREGORIAN ; + qudt:applicableUnit unit:MO_MeanJulian ; + qudt:applicableUnit unit:MO_Synodic ; + qudt:applicableUnit unit:MegaYR ; + qudt:applicableUnit unit:MicroH-PER-KiloOHM ; + qudt:applicableUnit unit:MicroH-PER-OHM ; + qudt:applicableUnit unit:MicroSEC ; + qudt:applicableUnit unit:MilliH-PER-KiloOHM ; + qudt:applicableUnit unit:MilliH-PER-OHM ; + qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; + qudt:applicableUnit unit:MilliSEC ; + qudt:applicableUnit unit:NanoSEC ; + qudt:applicableUnit unit:PA-SEC-PER-BAR ; + qudt:applicableUnit unit:POISE-PER-BAR ; + qudt:applicableUnit unit:PicoSEC ; + qudt:applicableUnit unit:PlanckTime ; + qudt:applicableUnit unit:SEC ; + qudt:applicableUnit unit:SH ; + qudt:applicableUnit unit:WK ; + qudt:applicableUnit unit:YR ; + qudt:applicableUnit unit:YR_Common ; + qudt:applicableUnit unit:YR_Sidereal ; + qudt:applicableUnit unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Web Time" ; + rdfs:isDefinedBy ; + rdfs:label "Web Time"@en ; + skos:broader quantitykind:Time ; +. +quantitykind:WebTimeAveragePressure + a qudt:QuantityKind ; + qudt:applicableUnit unit:ATM ; + qudt:applicableUnit unit:ATM_T ; + qudt:applicableUnit unit:BAR ; + qudt:applicableUnit unit:BARAD ; + qudt:applicableUnit unit:BARYE ; + qudt:applicableUnit unit:CentiBAR ; + qudt:applicableUnit unit:CentiM_H2O ; + qudt:applicableUnit unit:CentiM_HG ; + qudt:applicableUnit unit:DYN-PER-CentiM2 ; + qudt:applicableUnit unit:DecaPA ; + qudt:applicableUnit unit:DeciBAR ; + qudt:applicableUnit unit:FT_H2O ; + qudt:applicableUnit unit:FT_HG ; + qudt:applicableUnit unit:GM_F-PER-CentiM2 ; + qudt:applicableUnit unit:GigaPA ; + qudt:applicableUnit unit:HectoBAR ; + qudt:applicableUnit unit:HectoPA ; + qudt:applicableUnit unit:IN_H2O ; + qudt:applicableUnit unit:IN_HG ; + qudt:applicableUnit unit:KIP_F-PER-IN2 ; + qudt:applicableUnit unit:KiloBAR ; + qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; + qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; + qudt:applicableUnit unit:KiloGM_F-PER-M2 ; + qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; + qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; + qudt:applicableUnit unit:KiloPA ; + qudt:applicableUnit unit:KiloPA_A ; + qudt:applicableUnit unit:LB_F-PER-FT2 ; + qudt:applicableUnit unit:LB_F-PER-IN2 ; + qudt:applicableUnit unit:MegaBAR ; + qudt:applicableUnit unit:MegaPA ; + qudt:applicableUnit unit:MegaPSI ; + qudt:applicableUnit unit:MicroATM ; + qudt:applicableUnit unit:MicroBAR ; + qudt:applicableUnit unit:MicroPA ; + qudt:applicableUnit unit:MicroTORR ; + qudt:applicableUnit unit:MilliBAR ; + qudt:applicableUnit unit:MilliM_H2O ; + qudt:applicableUnit unit:MilliM_HG ; + qudt:applicableUnit unit:MilliM_HGA ; + qudt:applicableUnit unit:MilliPA ; + qudt:applicableUnit unit:MilliTORR ; + qudt:applicableUnit unit:N-PER-CentiM2 ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:applicableUnit unit:N-PER-MilliM2 ; + qudt:applicableUnit unit:PA ; + qudt:applicableUnit unit:PDL-PER-FT2 ; + qudt:applicableUnit unit:PSI ; + qudt:applicableUnit unit:PicoPA ; + qudt:applicableUnit unit:PlanckPressure ; + qudt:applicableUnit unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + rdfs:label "Web Time Average Pressure"@en ; + skos:broader quantitykind:Pressure ; +. +quantitykind:WebTimeAverageThrust + a qudt:QuantityKind ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:comment "Web Time Avg Thrust (Mlbf)" ; + rdfs:isDefinedBy ; + rdfs:label "Web Time Average Thrust"@en ; + skos:broader quantitykind:Thrust ; +. +quantitykind:Weight + a qudt:QuantityKind ; + dcterms:description "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN ; + qudt:applicableUnit unit:DYN ; + qudt:applicableUnit unit:DeciN ; + qudt:applicableUnit unit:GM_F ; + qudt:applicableUnit unit:KIP_F ; + qudt:applicableUnit unit:KiloGM_F ; + qudt:applicableUnit unit:KiloLB_F ; + qudt:applicableUnit unit:KiloN ; + qudt:applicableUnit unit:KiloP ; + qudt:applicableUnit unit:KiloPOND ; + qudt:applicableUnit unit:LB_F ; + qudt:applicableUnit unit:MegaLB_F ; + qudt:applicableUnit unit:MegaN ; + qudt:applicableUnit unit:MicroN ; + qudt:applicableUnit unit:MilliN ; + qudt:applicableUnit unit:N ; + qudt:applicableUnit unit:OZ_F ; + qudt:applicableUnit unit:PDL ; + qudt:applicableUnit unit:PlanckForce ; + qudt:applicableUnit unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weight"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Weight"^^xsd:anyURI ; + qudt:plainTextDescription "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity." ; + qudt:symbol "bold letter W" ; + rdfs:isDefinedBy ; + rdfs:label "Ağırlık"@tr ; + rdfs:label "Berat"@ms ; + rdfs:label "Gewicht"@de ; + rdfs:label "Siła ciężkości"@pl ; + rdfs:label "forza peso"@it ; + rdfs:label "greutate"@ro ; + rdfs:label "peso"@es ; + rdfs:label "peso"@pt ; + rdfs:label "poids"@fr ; + rdfs:label "tíha"@cs ; + rdfs:label "weight"@en ; + rdfs:label "Вес"@ru ; + rdfs:label "وزن"@ar ; + rdfs:label "وزن"@fa ; + rdfs:label "重さ"@ja ; + rdfs:label "重量"@zh ; + skos:broader quantitykind:Force ; +. +quantitykind:Width + a qudt:QuantityKind ; + dcterms:description "\"Width\" is the middle of three dimensions: length, width, thickness."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM ; + qudt:applicableUnit unit:AU ; + qudt:applicableUnit unit:BTU_IT-PER-LB_F ; + qudt:applicableUnit unit:CH ; + qudt:applicableUnit unit:CentiM ; + qudt:applicableUnit unit:DecaM ; + qudt:applicableUnit unit:DeciM ; + qudt:applicableUnit unit:FATH ; + qudt:applicableUnit unit:FM ; + qudt:applicableUnit unit:FT ; + qudt:applicableUnit unit:FT_US ; + qudt:applicableUnit unit:FUR ; + qudt:applicableUnit unit:FUR_Long ; + qudt:applicableUnit unit:FemtoM ; + qudt:applicableUnit unit:GAUGE_FR ; + qudt:applicableUnit unit:HectoM ; + qudt:applicableUnit unit:IN ; + qudt:applicableUnit unit:KiloM ; + qudt:applicableUnit unit:LY ; + qudt:applicableUnit unit:M ; + qudt:applicableUnit unit:MI ; + qudt:applicableUnit unit:MI_N ; + qudt:applicableUnit unit:MI_US ; + qudt:applicableUnit unit:MicroIN ; + qudt:applicableUnit unit:MicroM ; + qudt:applicableUnit unit:MilLength ; + qudt:applicableUnit unit:MilliIN ; + qudt:applicableUnit unit:MilliM ; + qudt:applicableUnit unit:NanoM ; + qudt:applicableUnit unit:PARSEC ; + qudt:applicableUnit unit:PCA ; + qudt:applicableUnit unit:PT ; + qudt:applicableUnit unit:PicoM ; + qudt:applicableUnit unit:PlanckLength ; + qudt:applicableUnit unit:ROD ; + qudt:applicableUnit unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"Width\" is the middle of three dimensions: length, width, thickness." ; + rdfs:isDefinedBy ; + rdfs:label "Width"@en ; + skos:broader quantitykind:Length ; +. +quantitykind:Work + a qudt:QuantityKind ; + dcterms:description "The net work is equal to the change in kinetic energy. This relationship is called the work-energy theorem: \\(Wnet = K. E._f − K. E._o \\), where \\(K. E._f\\) is the final kinetic energy and \\(K. E._o\\) is the original kinetic energy. Potential energy, also referred to as stored energy, is the ability of a system to do work due to its position or internal structure. Change in potential energy is equal to work. The potential energy equations can also be derived from the integral form of work, \\(\\Delta P. E. = W = \\int F \\cdot dx\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Work_(physics)"^^xsd:anyURI ; + qudt:informativeReference "http://www.cliffsnotes.com/study_guide/Work-and-Energy.topicArticleId-10453,articleId-10418.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = \\int Pdt\\), where \\(P\\) is power and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "A force is said to do Work when it acts on a body so that there is a displacement of the point of application, however small, in the direction of the force. The concepts of work and energy are closely tied to the concept of force because an applied force can do work on an object and cause a change in energy. Energy is defined as the ability to do work. Work is done on an object when an applied force moves it through a distance. Kinetic energy is the energy of an object in motion. The net work is equal to the change in kinetic energy." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:label "Arbeit"@de ; + rdfs:label "delo"@sl ; + rdfs:label "iş"@tr ; + rdfs:label "kerja"@ms ; + rdfs:label "lavoro"@it ; + rdfs:label "lucru mecanic"@ro ; + rdfs:label "praca"@pl ; + rdfs:label "práce"@cs ; + rdfs:label "trabajo"@es ; + rdfs:label "trabalho"@pt ; + rdfs:label "travail"@fr ; + rdfs:label "work"@en ; + rdfs:label "کار"@fa ; + rdfs:label "कार्य"@hi ; + rdfs:label "仕事量"@ja ; + rdfs:label "功"@zh ; + skos:broader quantitykind:Energy ; +. +quantitykind:WorkFunction + a qudt:QuantityKind ; + dcterms:description "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ ; + qudt:applicableUnit unit:BTU_IT ; + qudt:applicableUnit unit:BTU_TH ; + qudt:applicableUnit unit:CAL_IT ; + qudt:applicableUnit unit:CAL_TH ; + qudt:applicableUnit unit:ERG ; + qudt:applicableUnit unit:EV ; + qudt:applicableUnit unit:E_h ; + qudt:applicableUnit unit:ExaJ ; + qudt:applicableUnit unit:FT-LB_F ; + qudt:applicableUnit unit:FT-PDL ; + qudt:applicableUnit unit:FemtoJ ; + qudt:applicableUnit unit:GigaEV ; + qudt:applicableUnit unit:GigaJ ; + qudt:applicableUnit unit:GigaW-HR ; + qudt:applicableUnit unit:J ; + qudt:applicableUnit unit:KiloBTU_IT ; + qudt:applicableUnit unit:KiloBTU_TH ; + qudt:applicableUnit unit:KiloCAL ; + qudt:applicableUnit unit:KiloEV ; + qudt:applicableUnit unit:KiloJ ; + qudt:applicableUnit unit:KiloV-A-HR ; + qudt:applicableUnit unit:KiloV-A_Reactive-HR ; + qudt:applicableUnit unit:KiloW-HR ; + qudt:applicableUnit unit:MegaEV ; + qudt:applicableUnit unit:MegaJ ; + qudt:applicableUnit unit:MegaTOE ; + qudt:applicableUnit unit:MegaV-A-HR ; + qudt:applicableUnit unit:MegaV-A_Reactive-HR ; + qudt:applicableUnit unit:MegaW-HR ; + qudt:applicableUnit unit:MicroJ ; + qudt:applicableUnit unit:MilliJ ; + qudt:applicableUnit unit:PetaJ ; + qudt:applicableUnit unit:PlanckEnergy ; + qudt:applicableUnit unit:QUAD ; + qudt:applicableUnit unit:THM_EEC ; + qudt:applicableUnit unit:THM_US ; + qudt:applicableUnit unit:TOE ; + qudt:applicableUnit unit:TeraJ ; + qudt:applicableUnit unit:TeraW-HR ; + qudt:applicableUnit unit:TonEnergy ; + qudt:applicableUnit unit:V-A-HR ; + qudt:applicableUnit unit:V-A_Reactive-HR ; + qudt:applicableUnit unit:W-HR ; + qudt:applicableUnit unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Work_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)." ; + rdfs:isDefinedBy ; + rdfs:label "Work Function"@en ; + skos:broader quantitykind:Energy ; +. + + a vaem:CatalogEntry ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Quantity Kinds Vocabulary Catalog Entry v1.2" ; +. +vaem:GMD_QUDT-QUANTITY-KINDS-ALL + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2019-08-01T16:25:54.850+00:00"^^xsd:dateTime ; + dcterms:creator "Ralph Hodgson" ; + dcterms:creator "Steve Ray" ; + dcterms:description "Provides the set of all quantity kinds."^^rdf:HTML ; + dcterms:modified "2023-10-19T11:59:30.760-04:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "QUANTITY-KINDS-ALL" ; + dcterms:title "QUDT Quantity Kinds Version 2.1 Vocabulary" ; + vaem:applicableDiscipline "All disciplines" ; + vaem:applicableDomain "Science, Medicine and Engineering" ; + vaem:dateCreated "2019-08-01T21:26:38"^^xsd:dateTime ; + vaem:graphTitle "QUDT Quantity Kinds Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:intent "Provides a vocabulary of all quantity kinds." ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-QUANTITY-KINDS-ALL-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png" ; + vaem:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + vaem:namespacePrefix "quantitykind" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-QUANTITY-KINDS-ALL-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:specificity 1 ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/quantitykind"^^xsd:anyURI ; + vaem:usesNonImportedResource dc:contributor ; + vaem:usesNonImportedResource dc:creator ; + vaem:usesNonImportedResource dc:description ; + vaem:usesNonImportedResource dc:rights ; + vaem:usesNonImportedResource dc:subject ; + vaem:usesNonImportedResource dc:title ; + vaem:usesNonImportedResource dcterms:contributor ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:description ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:rights ; + vaem:usesNonImportedResource dcterms:subject ; + vaem:usesNonImportedResource dcterms:title ; + vaem:usesNonImportedResource voag:QUDT-Attribution ; + vaem:usesNonImportedResource ; + vaem:usesNonImportedResource ; + vaem:usesNonImportedResource skos:closeMatch ; + vaem:usesNonImportedResource skos:exactMatch ; + vaem:withAttributionTo voag:QUDT-Attribution ; + vaem:withAttributionTo ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Quantity Kind Vocabulary Metadata Version 2.1.32" ; +. diff --git a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl new file mode 100644 index 000000000..eed42953e --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl @@ -0,0 +1,805 @@ +# baseURI: http://qudt.org/2.1/vocab/soqk +# imports: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/vocab/quantitykind +# imports: http://qudt.org/2.1/vocab/sou + +@prefix dc: . +@prefix dcterms: . +@prefix owl: . +@prefix prov: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix soqk: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-SOQK ; + rdfs:label "QUDT VOCAB Systems of Quantity Kinds Release 2.1.33" ; + owl:imports ; + owl:imports ; + owl:imports ; + owl:versionInfo "Created with TopBraid Composer" ; +. +soqk:CGS + a qudt:SystemOfQuantityKinds ; + qudt:hasBaseQuantityKind quantitykind:Dimensionless ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasUnitSystem sou:CGS ; + qudt:systemDerivedQuantityKind quantitykind:AngularAcceleration ; + qudt:systemDerivedQuantityKind quantitykind:AngularMomentum ; + qudt:systemDerivedQuantityKind quantitykind:AngularVelocity ; + qudt:systemDerivedQuantityKind quantitykind:Area ; + qudt:systemDerivedQuantityKind quantitykind:AreaAngle ; + qudt:systemDerivedQuantityKind quantitykind:AreaTime ; + qudt:systemDerivedQuantityKind quantitykind:Curvature ; + qudt:systemDerivedQuantityKind quantitykind:Density ; + qudt:systemDerivedQuantityKind quantitykind:DynamicViscosity ; + qudt:systemDerivedQuantityKind quantitykind:Energy ; + qudt:systemDerivedQuantityKind quantitykind:EnergyDensity ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerArea ; + qudt:systemDerivedQuantityKind quantitykind:Force ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerArea ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerLength ; + qudt:systemDerivedQuantityKind quantitykind:Frequency ; + qudt:systemDerivedQuantityKind quantitykind:LengthMass ; + qudt:systemDerivedQuantityKind quantitykind:LinearAcceleration ; + qudt:systemDerivedQuantityKind quantitykind:LinearMomentum ; + qudt:systemDerivedQuantityKind quantitykind:LinearVelocity ; + qudt:systemDerivedQuantityKind quantitykind:MassPerArea ; + qudt:systemDerivedQuantityKind quantitykind:MassPerLength ; + qudt:systemDerivedQuantityKind quantitykind:MassPerTime ; + qudt:systemDerivedQuantityKind quantitykind:MomentOfInertia ; + qudt:systemDerivedQuantityKind quantitykind:Power ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerArea ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaAngle ; + qudt:systemDerivedQuantityKind quantitykind:Pressure ; + qudt:systemDerivedQuantityKind quantitykind:RadiantIntensity ; + qudt:systemDerivedQuantityKind quantitykind:SpecificEnergy ; + qudt:systemDerivedQuantityKind quantitykind:Stress ; + qudt:systemDerivedQuantityKind quantitykind:TimeSquared ; + qudt:systemDerivedQuantityKind quantitykind:Torque ; + qudt:systemDerivedQuantityKind quantitykind:Volume ; + qudt:systemDerivedQuantityKind quantitykind:VolumePerUnitTime ; + rdfs:isDefinedBy ; + rdfs:label "CGS System of Quantity Kinds" ; +. +soqk:CGS-EMU + a qudt:SystemOfQuantityKinds ; + dcterms:description "The electromagnetic system of units is used to measure electrical quantities of electric charge, current, and voltage, within the centimeter gram second (or \"CGS\") metric system of units. In electromagnetic units, electric current is derived the CGS base units length, mass, and time by solving Ampere's Law (expressing the force between two parallel conducting wires) for current and setting the constant of proportionality (k_m) equal to unity. Thus, in the CGS-EMU system, electric current is derived from length, mass, and time."^^rdf:HTML ; + qudt:hasBaseQuantityKind quantitykind:Dimensionless ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasUnitSystem sou:CGS-EMU ; + qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; + qudt:systemDerivedQuantityKind quantitykind:Capacitance ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:ElectricConductivity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; + qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; + qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:Inductance ; + qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:MagneticField ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; + qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:Permeability ; + qudt:systemDerivedQuantityKind quantitykind:Permittivity ; + qudt:systemDerivedQuantityKind quantitykind:Resistance ; + rdfs:isDefinedBy ; + rdfs:label "CGS-EMU System of Quantity Kinds" ; +. +soqk:CGS-ESU + a qudt:SystemOfQuantityKinds ; + dcterms:description "The electrostatic system of units is used to measure electrical quantities of electric charge, current, and voltage within the centimeter gram second (or \"CGS\") metric system of units. In electrostatic units, electric charge is derived from Coulomb's Law (expressing the force exerted between two charged particles separated by a distance) by solving for electric charge and setting the constant of proportionality (k_s) equal to unity. Thus, in electrostatic units, the dimensionality of electric charge is derived from the base CGS quantities of length, mass, and time."^^rdf:HTML ; + qudt:hasBaseQuantityKind quantitykind:Dimensionless ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasUnitSystem sou:CGS-ESU ; + qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; + qudt:systemDerivedQuantityKind quantitykind:Capacitance ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; + qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; + qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:Inductance ; + qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:MagneticField ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; + qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:Permeability ; + qudt:systemDerivedQuantityKind quantitykind:Permittivity ; + qudt:systemDerivedQuantityKind quantitykind:Resistance ; + rdfs:isDefinedBy ; + rdfs:label "CGS-ESU System of Quantity Kinds" ; +. +soqk:CGS-Gauss + a qudt:SystemOfQuantityKinds ; + qudt:hasBaseQuantityKind quantitykind:Dimensionless ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasUnitSystem sou:CGS-GAUSS ; + qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; + qudt:systemDerivedQuantityKind quantitykind:Capacitance ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricField ; + qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; + qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; + qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:Inductance ; + qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:MagneticField ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; + qudt:systemDerivedQuantityKind quantitykind:Permeability ; + qudt:systemDerivedQuantityKind quantitykind:Permittivity ; + qudt:systemDerivedQuantityKind quantitykind:Resistance ; + rdfs:isDefinedBy ; + rdfs:label "CGS-Gauss System of Quantity Kinds" ; +. +soqk:IMPERIAL + a qudt:SystemOfQuantityKinds ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + rdfs:isDefinedBy ; + rdfs:label "Imperial System of Quantity Kinds" ; +. +soqk:ISQ + a qudt:SystemOfQuantityKinds ; + dcterms:description "The ISO 80000 standards were prepared by Technical Committee ISO/TC 12, Quantities and units in co-operation with IEC/TC 25, Quantities and units."^^rdf:HTML ; + qudt:hasBaseQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasBaseQuantityKind quantitykind:ElectricCurrent ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:LuminousIntensity ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Absorptance ; + qudt:hasQuantityKind quantitykind:AcousticImpedance ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:ActivityThresholds ; + qudt:hasQuantityKind quantitykind:Adaptation ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:AngularFrequency ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularWavenumber ; + qudt:hasQuantityKind quantitykind:ApparentPower ; + qudt:hasQuantityKind quantitykind:AuditoryThresholds ; + qudt:hasQuantityKind quantitykind:BendingMomentOfForce ; + qudt:hasQuantityKind quantitykind:Breadth ; + qudt:hasQuantityKind quantitykind:BulkModulus ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:hasQuantityKind quantitykind:CartesianCoordinates ; + qudt:hasQuantityKind quantitykind:CartesianVolume ; + qudt:hasQuantityKind quantitykind:CelsiusTemperature ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:hasQuantityKind quantitykind:Coercivity ; + qudt:hasQuantityKind quantitykind:ColdReceptorThreshold ; + qudt:hasQuantityKind quantitykind:CombinedNonEvaporativeHeatTransferCoefficient ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:hasQuantityKind quantitykind:CompressibilityFactor ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:hasQuantityKind quantitykind:ConductionSpeed ; + qudt:hasQuantityKind quantitykind:ConductiveHeatTransferRate ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:hasQuantityKind quantitykind:ConvectiveHeatTransfer ; + qudt:hasQuantityKind quantitykind:CouplingFactor ; + qudt:hasQuantityKind quantitykind:CubicExpansionCoefficient ; + qudt:hasQuantityKind quantitykind:CurrentLinkage ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:DewPointTemperature ; + qudt:hasQuantityKind quantitykind:Diameter ; + qudt:hasQuantityKind quantitykind:Displacement ; + qudt:hasQuantityKind quantitykind:DisplacementCurrent ; + qudt:hasQuantityKind quantitykind:DisplacementCurrentDensity ; + qudt:hasQuantityKind quantitykind:Distance ; + qudt:hasQuantityKind quantitykind:DynamicFriction ; + qudt:hasQuantityKind quantitykind:Efficiency ; + qudt:hasQuantityKind quantitykind:EinsteinTransitionProbability ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:hasQuantityKind quantitykind:ElectricChargeLinearDensity ; + qudt:hasQuantityKind quantitykind:ElectricChargeSurfaceDensity ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPhasor ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:hasQuantityKind quantitykind:ElectricDisplacement ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:hasQuantityKind quantitykind:ElectricFlux ; + qudt:hasQuantityKind quantitykind:ElectricFluxDensity ; + qudt:hasQuantityKind quantitykind:ElectricPolarization ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:ElectricSusceptibility ; + qudt:hasQuantityKind quantitykind:ElectromagneticEnergyDensity ; + qudt:hasQuantityKind quantitykind:ElectromagneticWavePhaseSpeed ; + qudt:hasQuantityKind quantitykind:Emissivity ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:hasQuantityKind quantitykind:Entropy ; + qudt:hasQuantityKind quantitykind:EvaporativeHeatTransfer ; + qudt:hasQuantityKind quantitykind:EvaporativeHeatTransferCoefficient ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:hasQuantityKind quantitykind:Friction ; + qudt:hasQuantityKind quantitykind:GeneralizedCoordinate ; + qudt:hasQuantityKind quantitykind:GeneralizedForce ; + qudt:hasQuantityKind quantitykind:GeneralizedMomentum ; + qudt:hasQuantityKind quantitykind:GeneralizedVelocity ; + qudt:hasQuantityKind quantitykind:GibbsEnergy ; + qudt:hasQuantityKind quantitykind:GravitationalAttraction ; + qudt:hasQuantityKind quantitykind:GustatoryThreshold ; + qudt:hasQuantityKind quantitykind:HamiltonFunction ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:hasQuantityKind quantitykind:HeatCapacityRatio ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:HeatFlowRatePerUnitArea ; + qudt:hasQuantityKind quantitykind:HelmholtzEnergy ; + qudt:hasQuantityKind quantitykind:Impedance ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:hasQuantityKind quantitykind:InstantaneousPower ; + qudt:hasQuantityKind quantitykind:InverseEnergy ; + qudt:hasQuantityKind quantitykind:InverseSquareEnergy ; + qudt:hasQuantityKind quantitykind:IsentropicCompressibility ; + qudt:hasQuantityKind quantitykind:IsentropicExponent ; + qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; + qudt:hasQuantityKind quantitykind:LagrangeFunction ; + qudt:hasQuantityKind quantitykind:LeakageFactor ; + qudt:hasQuantityKind quantitykind:LengthByForce ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:LinearExpansionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:LinearStrain ; + qudt:hasQuantityKind quantitykind:LogarithmicFrequencyInterval ; + qudt:hasQuantityKind quantitykind:LossFactor ; + qudt:hasQuantityKind quantitykind:LuminousEmittance ; + qudt:hasQuantityKind quantitykind:LuminousIntensity ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:hasQuantityKind quantitykind:MagneticMoment ; + qudt:hasQuantityKind quantitykind:MagneticPolarization ; + qudt:hasQuantityKind quantitykind:MagneticSusceptability ; + qudt:hasQuantityKind quantitykind:MagneticTension ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:hasQuantityKind quantitykind:Magnetization ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:hasQuantityKind quantitykind:MassAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:MassConcentrationOfWater ; + qudt:hasQuantityKind quantitykind:MassConcentrationOfWaterVapour ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassFractionOfDryMatter ; + qudt:hasQuantityKind quantitykind:MassFractionOfWater ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:hasQuantityKind quantitykind:MassRatioOfWaterToDryMatter ; + qudt:hasQuantityKind quantitykind:MassRatioOfWaterVapourToDryGas ; + qudt:hasQuantityKind quantitykind:MassicActivity ; + qudt:hasQuantityKind quantitykind:MassieuFunction ; + qudt:hasQuantityKind quantitykind:MechanicalEnergy ; + qudt:hasQuantityKind quantitykind:MechanicalSurfaceImpedance ; + qudt:hasQuantityKind quantitykind:ModulusOfAdmittance ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ModulusOfImpedance ; + qudt:hasQuantityKind quantitykind:MolarAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:hasQuantityKind quantitykind:MutualInductance ; + qudt:hasQuantityKind quantitykind:NapierianAbsorbance ; + qudt:hasQuantityKind quantitykind:NonActivePower ; + qudt:hasQuantityKind quantitykind:NormalStress ; + qudt:hasQuantityKind quantitykind:OlfactoryThreshold ; + qudt:hasQuantityKind quantitykind:PathLength ; + qudt:hasQuantityKind quantitykind:Permeability ; + qudt:hasQuantityKind quantitykind:Permeance ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:hasQuantityKind quantitykind:PermittivityRatio ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PhaseDifference ; + qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; + qudt:hasQuantityKind quantitykind:PhotoThresholdOfAwarenessFunction ; + qudt:hasQuantityKind quantitykind:PlanckFunction ; + qudt:hasQuantityKind quantitykind:PoissonRatio ; + qudt:hasQuantityKind quantitykind:PolarMomentOfInertia ; + qudt:hasQuantityKind quantitykind:PositionVector ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:hasQuantityKind quantitykind:PowerFactor ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:hasQuantityKind quantitykind:PowerPerAreaAngle ; + qudt:hasQuantityKind quantitykind:PoyntingVector ; + qudt:hasQuantityKind quantitykind:Pressure ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:hasQuantityKind quantitykind:QualityFactor ; + qudt:hasQuantityKind quantitykind:RadialDistance ; + qudt:hasQuantityKind quantitykind:Radiance ; + qudt:hasQuantityKind quantitykind:RadianceFactor ; + qudt:hasQuantityKind quantitykind:RadiantEnergyDensity ; + qudt:hasQuantityKind quantitykind:RadiantFluence ; + qudt:hasQuantityKind quantitykind:RadiantFlux ; + qudt:hasQuantityKind quantitykind:RadiantIntensity ; + qudt:hasQuantityKind quantitykind:RadiativeHeatTransfer ; + qudt:hasQuantityKind quantitykind:Radiosity ; + qudt:hasQuantityKind quantitykind:Radius ; + qudt:hasQuantityKind quantitykind:RadiusOfCurvature ; + qudt:hasQuantityKind quantitykind:RatioOfSpecificHeatCapacities ; + qudt:hasQuantityKind quantitykind:Reactance ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:hasQuantityKind quantitykind:Reflectance ; + qudt:hasQuantityKind quantitykind:ReflectanceFactor ; + qudt:hasQuantityKind quantitykind:RefractiveIndex ; + qudt:hasQuantityKind quantitykind:RelativeHumidity ; + qudt:hasQuantityKind quantitykind:RelativeMassConcentrationOfVapour ; + qudt:hasQuantityKind quantitykind:RelativeMassRatioOfVapour ; + qudt:hasQuantityKind quantitykind:RelativePartialPressure ; + qudt:hasQuantityKind quantitykind:RelativePressureCoefficient ; + qudt:hasQuantityKind quantitykind:Reluctance ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:hasQuantityKind quantitykind:Resistivity ; + qudt:hasQuantityKind quantitykind:ScalarMagneticPotential ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; + qudt:hasQuantityKind quantitykind:SectionModulus ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:ShearStrain ; + qudt:hasQuantityKind quantitykind:ShearStress ; + qudt:hasQuantityKind quantitykind:SoundEnergyDensity ; + qudt:hasQuantityKind quantitykind:SoundExposure ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel ; + qudt:hasQuantityKind quantitykind:SoundParticleAcceleration ; + qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; + qudt:hasQuantityKind quantitykind:SoundPower ; + qudt:hasQuantityKind quantitykind:SoundPowerLevel ; + qudt:hasQuantityKind quantitykind:SoundPressureLevel ; + qudt:hasQuantityKind quantitykind:SoundReductionIndex ; + qudt:hasQuantityKind quantitykind:SoundVolumeVelocity ; + qudt:hasQuantityKind quantitykind:SourceVoltage ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:hasQuantityKind quantitykind:SpecificEnthalpy ; + qudt:hasQuantityKind quantitykind:SpecificEntropy ; + qudt:hasQuantityKind quantitykind:SpecificGibbsEnergy ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; + qudt:hasQuantityKind quantitykind:SpecificHelmholtzEnergy ; + qudt:hasQuantityKind quantitykind:SpecificImpulseByMass ; + qudt:hasQuantityKind quantitykind:SpecificImpulseByWeight ; + qudt:hasQuantityKind quantitykind:SpecificInternalEnergy ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:hasQuantityKind quantitykind:SpectralLuminousEfficiency ; + qudt:hasQuantityKind quantitykind:SpeedOfLight ; + qudt:hasQuantityKind quantitykind:SpeedOfSound ; + qudt:hasQuantityKind quantitykind:SphericalIlluminance ; + qudt:hasQuantityKind quantitykind:SquareEnergy ; + qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:hasQuantityKind quantitykind:StaticFriction ; + qudt:hasQuantityKind quantitykind:Susceptance ; + qudt:hasQuantityKind quantitykind:TemporalSummationFunction ; + qudt:hasQuantityKind quantitykind:ThermalConductance ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:hasQuantityKind quantitykind:ThermodynamicEnergy ; + qudt:hasQuantityKind quantitykind:Thickness ; + qudt:hasQuantityKind quantitykind:Thrust ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:hasQuantityKind quantitykind:TotalCurrent ; + qudt:hasQuantityKind quantitykind:TotalCurrentDensity ; + qudt:hasQuantityKind quantitykind:TouchThresholds ; + qudt:hasQuantityKind quantitykind:Transmittance ; + qudt:hasQuantityKind quantitykind:TransmittanceDensity ; + qudt:hasQuantityKind quantitykind:Turns ; + qudt:hasQuantityKind quantitykind:VisionThresholds ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasQuantityKind quantitykind:VoltagePhasor ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumeStrain ; + qudt:hasQuantityKind quantitykind:VolumicElectromagneticEnergy ; + qudt:hasQuantityKind quantitykind:WarmReceptorThreshold ; + qudt:hasQuantityKind quantitykind:Weight ; + qudt:hasQuantityKind quantitykind:Work ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=112-02-01"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_tc_browse.htm?commid=46202"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "ISO System of Quantity Kinds (ISQ)" ; +. +soqk:Planck + a qudt:SystemOfQuantityKinds ; + qudt:hasQuantityKind quantitykind:Length ; + rdfs:isDefinedBy ; + rdfs:label "Planck System of Quantities" ; +. +soqk:SI + a qudt:SystemOfQuantityKinds ; + qudt:dbpediaMatch "http://dbpedia.org/resource/International_System_of_UnitsX"^^xsd:anyURI ; + qudt:hasBaseQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasBaseQuantityKind quantitykind:Dimensionless ; + qudt:hasBaseQuantityKind quantitykind:ElectricCurrent ; + qudt:hasBaseQuantityKind quantitykind:Length ; + qudt:hasBaseQuantityKind quantitykind:LuminousIntensity ; + qudt:hasBaseQuantityKind quantitykind:Mass ; + qudt:hasBaseQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:hasBaseQuantityKind quantitykind:Time ; + qudt:systemDerivedQuantityKind quantitykind:AbsorbedDose ; + qudt:systemDerivedQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:systemDerivedQuantityKind quantitykind:Activity ; + qudt:systemDerivedQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:systemDerivedQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:systemDerivedQuantityKind quantitykind:AngularAcceleration ; + qudt:systemDerivedQuantityKind quantitykind:AngularMomentum ; + qudt:systemDerivedQuantityKind quantitykind:AngularVelocity ; + qudt:systemDerivedQuantityKind quantitykind:Area ; + qudt:systemDerivedQuantityKind quantitykind:AreaAngle ; + qudt:systemDerivedQuantityKind quantitykind:AreaPerTime ; + qudt:systemDerivedQuantityKind quantitykind:AreaTemperature ; + qudt:systemDerivedQuantityKind quantitykind:AreaThermalExpansion ; + qudt:systemDerivedQuantityKind quantitykind:AreaTime ; + qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; + qudt:systemDerivedQuantityKind quantitykind:Capacitance ; + qudt:systemDerivedQuantityKind quantitykind:CatalyticActivity ; + qudt:systemDerivedQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:systemDerivedQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; + qudt:systemDerivedQuantityKind quantitykind:Density ; + qudt:systemDerivedQuantityKind quantitykind:DoseEquivalent ; + qudt:systemDerivedQuantityKind quantitykind:DynamicViscosity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:ElectricChargeLineDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerArea ; + qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerMass ; + qudt:systemDerivedQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricConductivity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerAngle ; + qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacement ; + qudt:systemDerivedQuantityKind quantitykind:ElectricFieldStrength ; + qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; + qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; + qudt:systemDerivedQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:Energy ; + qudt:systemDerivedQuantityKind quantitykind:EnergyDensity ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerArea ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; + qudt:systemDerivedQuantityKind quantitykind:Exposure ; + qudt:systemDerivedQuantityKind quantitykind:Force ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerArea ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerAreaTime ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:ForcePerLength ; + qudt:systemDerivedQuantityKind quantitykind:Frequency ; + qudt:systemDerivedQuantityKind quantitykind:GravitationalAttraction ; + qudt:systemDerivedQuantityKind quantitykind:HeatCapacity ; + qudt:systemDerivedQuantityKind quantitykind:HeatFlowRate ; + qudt:systemDerivedQuantityKind quantitykind:HeatFlowRatePerUnitArea ; + qudt:systemDerivedQuantityKind quantitykind:Illuminance ; + qudt:systemDerivedQuantityKind quantitykind:Inductance ; + qudt:systemDerivedQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:systemDerivedQuantityKind quantitykind:InverseEnergy ; + qudt:systemDerivedQuantityKind quantitykind:InverseLength ; + qudt:systemDerivedQuantityKind quantitykind:InverseLengthTemperature ; + qudt:systemDerivedQuantityKind quantitykind:InverseMagneticFlux ; + qudt:systemDerivedQuantityKind quantitykind:InversePermittivity ; + qudt:systemDerivedQuantityKind quantitykind:InverseSquareEnergy ; + qudt:systemDerivedQuantityKind quantitykind:InverseTimeTemperature ; + qudt:systemDerivedQuantityKind quantitykind:InverseVolume ; + qudt:systemDerivedQuantityKind quantitykind:KinematicViscosity ; + qudt:systemDerivedQuantityKind quantitykind:LengthEnergy ; + qudt:systemDerivedQuantityKind quantitykind:LengthMass ; + qudt:systemDerivedQuantityKind quantitykind:LengthMolarEnergy ; + qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:LengthTemperature ; + qudt:systemDerivedQuantityKind quantitykind:LinearAcceleration ; + qudt:systemDerivedQuantityKind quantitykind:LinearElectricCurrent ; + qudt:systemDerivedQuantityKind quantitykind:LinearMomentum ; + qudt:systemDerivedQuantityKind quantitykind:LinearThermalExpansion ; + qudt:systemDerivedQuantityKind quantitykind:LinearVelocity ; + qudt:systemDerivedQuantityKind quantitykind:Luminance ; + qudt:systemDerivedQuantityKind quantitykind:LuminousEfficacy ; + qudt:systemDerivedQuantityKind quantitykind:LuminousEnergy ; + qudt:systemDerivedQuantityKind quantitykind:LuminousFlux ; + qudt:systemDerivedQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFluxDensity ; + qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:systemDerivedQuantityKind quantitykind:MagneticReluctivity ; + qudt:systemDerivedQuantityKind quantitykind:Magnetization ; + qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; + qudt:systemDerivedQuantityKind quantitykind:MassPerArea ; + qudt:systemDerivedQuantityKind quantitykind:MassPerAreaTime ; + qudt:systemDerivedQuantityKind quantitykind:MassPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:MassPerLength ; + qudt:systemDerivedQuantityKind quantitykind:MassPerTime ; + qudt:systemDerivedQuantityKind quantitykind:MassTemperature ; + qudt:systemDerivedQuantityKind quantitykind:MolarAngularMomentum ; + qudt:systemDerivedQuantityKind quantitykind:MolarEnergy ; + qudt:systemDerivedQuantityKind quantitykind:MolarHeatCapacity ; + qudt:systemDerivedQuantityKind quantitykind:MolarMass ; + qudt:systemDerivedQuantityKind quantitykind:MolarVolume ; + qudt:systemDerivedQuantityKind quantitykind:MomentOfInertia ; + qudt:systemDerivedQuantityKind quantitykind:Permeability ; + qudt:systemDerivedQuantityKind quantitykind:Permittivity ; + qudt:systemDerivedQuantityKind quantitykind:PlaneAngle ; + qudt:systemDerivedQuantityKind quantitykind:Polarizability ; + qudt:systemDerivedQuantityKind quantitykind:PolarizationField ; + qudt:systemDerivedQuantityKind quantitykind:Power ; + qudt:systemDerivedQuantityKind quantitykind:PowerArea ; + qudt:systemDerivedQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerArea ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaAngle ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:systemDerivedQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:systemDerivedQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; + qudt:systemDerivedQuantityKind quantitykind:RadiantIntensity ; + qudt:systemDerivedQuantityKind quantitykind:Resistance ; + qudt:systemDerivedQuantityKind quantitykind:SolidAngle ; + qudt:systemDerivedQuantityKind quantitykind:SpecificEnergy ; + qudt:systemDerivedQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:systemDerivedQuantityKind quantitykind:SpecificHeatPressure ; + qudt:systemDerivedQuantityKind quantitykind:SpecificHeatVolume ; + qudt:systemDerivedQuantityKind quantitykind:SpecificImpulseByMass ; + qudt:systemDerivedQuantityKind quantitykind:SpecificVolume ; + qudt:systemDerivedQuantityKind quantitykind:SquareEnergy ; + qudt:systemDerivedQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:systemDerivedQuantityKind quantitykind:Stress ; + qudt:systemDerivedQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:systemDerivedQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:systemDerivedQuantityKind quantitykind:TemperaturePerTime ; + qudt:systemDerivedQuantityKind quantitykind:ThermalConductivity ; + qudt:systemDerivedQuantityKind quantitykind:ThermalDiffusivity ; + qudt:systemDerivedQuantityKind quantitykind:ThermalInsulance ; + qudt:systemDerivedQuantityKind quantitykind:ThermalResistance ; + qudt:systemDerivedQuantityKind quantitykind:ThermalResistivity ; + qudt:systemDerivedQuantityKind quantitykind:ThrustToMassRatio ; + qudt:systemDerivedQuantityKind quantitykind:TimeSquared ; + qudt:systemDerivedQuantityKind quantitykind:TimeTemperature ; + qudt:systemDerivedQuantityKind quantitykind:Torque ; + qudt:systemDerivedQuantityKind quantitykind:Volume ; + qudt:systemDerivedQuantityKind quantitykind:VolumePerUnitTime ; + qudt:systemDerivedQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:systemDerivedQuantityKind quantitykind:VolumetricHeatCapacity ; + rdfs:isDefinedBy ; + rdfs:label "International System of Quantity Kinds" ; +. +soqk:SOQK_CGS + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "CGS System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:CGS ; +. +soqk:SOQK_CGS-EMU + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "CGS-EMU System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:CGS-EMU ; +. +soqk:SOQK_CGS-ESU + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "CGS-ESU System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:CGS-ESU ; +. +soqk:SOQK_CGS-Gauss + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "CGS-Gauss System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:CGS-Gauss ; +. +soqk:SOQK_IMPERIAL + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "Imperial System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:IMPERIAL ; +. +soqk:SOQK_ISQ + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "ISQ System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:ISQ ; +. +soqk:SOQK_Planck + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "Planck System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:Planck ; +. +soqk:SOQK_SI + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "SI System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:SI ; +. +soqk:SOQK_USCS + a qudt:SystemOfQuantityKinds ; + qudt:deprecated true ; + rdfs:label "US Customary System of Quantity Kinds (deprecated URI)" ; + rdfs:seeAlso soqk:USCS ; +. +soqk:USCS + a qudt:SystemOfQuantityKinds ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + rdfs:isDefinedBy ; + rdfs:label "US Customary System of Quantity Kinds" ; +. +vaem:GMD_QUDT-SOQK + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2016-07-04"^^xsd:date ; + dcterms:creator "Ralph Hodgson" ; + dcterms:description "QUDT Systems of Quantity Kinds Vocabulary Version 2.1.33"^^rdf:HTML ; + dcterms:modified "2023-11-15T11:47:57.216-05:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Systems of Quantity Kinds" ; + dcterms:title "QUDT Systems of Quantity Kinds Version 2.1 Vocabulary" ; + vaem:graphTitle "QUDT Systems of Quantity Kinds Version 2.1.33" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner vaem:QUDT ; + vaem:hasSteward vaem:QUDT ; + vaem:intent "The intent of this graph is the specification of all Systems of Quantity Kinds" ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/11/DOC_VOCAB-SYSTEMS-OF-QUANTITY-KINDS-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:name "soqk" ; + vaem:namespace "http://qudt.org/vocab/soqk/"^^xsd:anyURI ; + vaem:namespacePrefix "soqk" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-SYSTEMS-OF-QUANTITY-KINDS-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/soqk"^^xsd:anyURI ; + vaem:usesNonImportedResource prov:wasInfluencedBy ; + vaem:usesNonImportedResource prov:wasInformedBy ; + rdfs:isDefinedBy ; + rdfs:label "QUDT System of Quantity Kinds Vocabulary Version 2.1.33 Metadata" ; + owl:versionIRI ; +. diff --git a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl new file mode 100644 index 000000000..e380a3857 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl @@ -0,0 +1,262 @@ +# baseURI: http://qudt.org/2.1/vocab/sou +# imports: http://qudt.org/2.1/schema/facade/qudt + +@prefix dc: . +@prefix dcterms: . +@prefix owl: . +@prefix prefix: . +@prefix prov: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-SOU ; + rdfs:label "QUDT VOCAB Systems of Units Release 2.1.32" ; + owl:imports ; + owl:versionInfo "Created with TopBraid Composer" ; +. +sou:ASU + a qudt:SystemOfUnits ; + dcterms:description "The astronomical system of units, formally called the IAU (1976) System of Astronomical Constants, is a system of measurement developed for use in astronomy. It was adopted by the International Astronomical Union (IAU) in 1976, and has been slightly updated since then. The system was developed because of the difficulties in measuring and expressing astronomical data in International System of Units (SI units). In particular, there is a huge quantity of very precise data relating to the positions of objects within the solar system which cannot conveniently be expressed or processed in SI units. Through a number of modifications, the astronomical system of units now explicitly recognizes the consequences of general relativity, which is a necessary addition to the International System of Units in order to accurately treat astronomical data. The astronomical system of units is a tridimensional system, in that it defines units of length, mass and time. The associated astronomical constants also fix the different frames of reference that are needed to report observations. The system is a conventional system, in that neither the unit of length nor the unit of mass are true physical constants, and there are at least three different measures of time."^^rdf:HTML ; + qudt:informativeReference "http://www.iau.org/public/themes/measuring/"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Astronomic System Of Units"@en ; +. +sou:CGS + a qudt:SystemOfUnits ; + dcterms:description "

The centimetre-gram-second system (abbreviated CGS or cgs) is a variant of the metric system of physical units based on centimetre as the unit of length, gram as a unit of mass, and second as a unit of time. All CGS mechanical units are unambiguously derived from these three base units, but there are several different ways of extending the CGS system to cover electromagnetism. The CGS system has been largely supplanted by the MKS system, based on metre, kilogram, and second. Note that the term cgs is ambiguous, since there are several variants with conflicting definitions of electromagnetic quantities and units. The unqualified term is generally associated with the Gaussian system of units, so this more precise URI is preferred.

"^^rdf:HTML ; + qudt:abbreviation "CGS" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_gram_second_system_of_units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:CentiM ; + qudt:hasBaseUnit unit:GM ; + qudt:hasBaseUnit unit:SEC ; + qudt:hasBaseUnit unit:UNITLESS ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre–gram–second_system_of_units"^^xsd:anyURI ; + qudt:informativeReference "http://scienceworld.wolfram.com/physics/cgs.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.tf.uni-kiel.de/matwis/amat/mw1_ge/kap_2/basics/b2_1_14.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "CGS System of Units"@en ; + rdfs:seeAlso sou:CGS-EMU ; + rdfs:seeAlso sou:CGS-ESU ; + rdfs:seeAlso sou:CGS-GAUSS ; +. +sou:CGS-EMU + a qudt:SystemOfUnits ; + dcterms:description "The units in this system are formed in a manner similar to that of the cgs electrostatic system of units: the unit of electric current was defined using the law that describes the force between current-carrying wires. To do this, the permeability of free space (the magnetic constant, relating the magnetic flux density in a vacuum to the strength of the external magnetic field), was set at 1. To distinguish cgs electromagnetic units from units in the international system, they were often given the prefix “ab-”. However, most are often referred to purely descriptively as the 'e.m. unit of capacitance', etc. "^^rdf:HTML ; + qudt:abbreviation "CGS-EMU" ; + qudt:hasBaseUnit unit:BIOT ; + qudt:hasBaseUnit unit:CentiM ; + qudt:hasBaseUnit unit:GM ; + qudt:hasBaseUnit unit:SEC ; + qudt:hasBaseUnit unit:UNITLESS ; + qudt:informativeReference "http://www.sizes.com/units/sys_cgs_em.htm"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "CGS System of Units - EMU"@en ; +. +sou:CGS-ESU + a qudt:SystemOfUnits ; + dcterms:description "The electrostatic system of units is a system of units used to measure electrical quantities of electric charge, current, and voltage, within the centimeter gram second (or \"CGS\") metric system of units. In electrostatic units, electrical charge is defined via the force it exerts on other charges. The various units of the e.s.u. system have specific names obtained by prefixing more familiar names with $stat$, but are often referred to purely descriptively as the 'e.s. unit of capacitance', etc. "^^rdf:HTML ; + qudt:abbreviation "CGS-ESU" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrostatic_units"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-399#"^^xsd:anyURI ; + qudt:informativeReference "http://www.sizes.com/units/sys_cgs_stat.htm"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "CGS System of Units ESU"@en ; +. +sou:CGS-GAUSS + a qudt:SystemOfUnits ; + dcterms:description "Gaussian units constitute a metric system of physical units. This system is the most common of the several electromagnetic unit systems based on cgs (centimetre–gram–second) units. It is also called the Gaussian unit system, Gaussian-cgs units, or often just cgs units. The term \"cgs units\" is ambiguous and therefore to be avoided if possible: there are several variants of cgs with conflicting definitions of electromagnetic quantities and units. [Wikipedia]"^^rdf:HTML ; + qudt:abbreviation "CGS-GAUSS" ; + qudt:hasBaseUnit unit:CentiM ; + qudt:hasBaseUnit unit:GM ; + qudt:hasBaseUnit unit:SEC ; + qudt:hasBaseUnit unit:UNITLESS ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gaussian_units"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "CGS System of Units - Gaussian"@en ; + rdfs:seeAlso sou:CGS ; +. +sou:IMPERIAL + a qudt:SystemOfUnits ; + dcterms:description "A system of units formerly widely used in the UK and the rest of the English-speaking world. It includes the pound (lb), quarter (qt), hundredweight (cwt), and ton (ton); the foot (ft), yard (yd), and mile (mi); and the gallon (gal), British thermal unit (btu), etc. These units have been largely replaced by metric units, although Imperial units persist in some contexts. In January 2000 an EU regulation outlawing the sale of goods in Imperial measures was adopted into British law; an exception was made for the sale of beer and milk in pints. "^^rdf:HTML ; + qudt:abbreviation "Imperial" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Imperial_units"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199234899.001.0001/acref-9780199234899-e-3147"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Imperial System of Units"@en ; +. +sou:PLANCK + a qudt:SystemOfUnits ; + dcterms:description """In physics, Planck units are physical units of measurement defined exclusively in terms of five universal physical constants listed below, in such a manner that these five physical constants take on the numerical value of 1 when expressed in terms of these units. Planck units elegantly simplify particular algebraic expressions appearing in physical law. +Originally proposed in 1899 by German physicist Max Planck, these units are also known as natural units because the origin of their definition comes only from properties of nature and not from any human construct. Planck units are unique among systems of natural units, because they are not defined in terms of properties of any prototype, physical object, or even elementary particle. +Unlike the meter and second, which exist as fundamental units in the SI system for (human) historical reasons, the Planck length and Planck time are conceptually linked at a fundamental physical level. Natural units help physicists to reframe questions."""^^rdf:HTML ; + qudt:abbreviation "PLANCK" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:PlanckCharge ; + qudt:hasBaseUnit unit:PlanckLength ; + qudt:hasBaseUnit unit:PlanckMass ; + qudt:hasBaseUnit unit:PlanckTemperature ; + qudt:hasBaseUnit unit:PlanckTime ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_units?oldid=495407713"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Planck System of Units"@en ; +. +sou:SI + a qudt:SystemOfUnits ; + dcterms:description "The International System of Units (abbreviated \\(SI\\) from French: Système international d'unités) is the modern form of the metric system and is generally a system of units of measurement devised around seven base units and the convenience of the number ten. The older metric system included several groups of units. The SI was established in 1960, based on the metre-kilogram-second system, rather than the centimetre-gram-second system, which, in turn, had a few variants."^^rdf:HTML ; + qudt:abbreviation "SI" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/International_System_of_Units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:A ; + qudt:hasBaseUnit unit:CD ; + qudt:hasBaseUnit unit:K ; + qudt:hasBaseUnit unit:KiloGM ; + qudt:hasBaseUnit unit:M ; + qudt:hasBaseUnit unit:MOL ; + qudt:hasBaseUnit unit:SEC ; + qudt:hasBaseUnit unit:UNITLESS ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html"^^xsd:anyURI ; + qudt:informativeReference "http://physics.info/system-international/"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811"^^xsd:anyURI ; + qudt:informativeReference "http://www.nist.gov/pml/pubs/sp811/index.cfm"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1292"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-appendix-0003"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-2791"^^xsd:anyURI ; + qudt:informativeReference "https://www.govinfo.gov/content/pkg/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4/pdf/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4.pdf"^^xsd:anyURI ; + qudt:prefix prefix:Atto ; + qudt:prefix prefix:Centi ; + qudt:prefix prefix:Deca ; + qudt:prefix prefix:Deci ; + qudt:prefix prefix:Deka ; + qudt:prefix prefix:Exa ; + qudt:prefix prefix:Femto ; + qudt:prefix prefix:Giga ; + qudt:prefix prefix:Hecto ; + qudt:prefix prefix:Kilo ; + qudt:prefix prefix:Mega ; + qudt:prefix prefix:Micro ; + qudt:prefix prefix:Milli ; + qudt:prefix prefix:Nano ; + qudt:prefix prefix:Peta ; + qudt:prefix prefix:Pico ; + qudt:prefix prefix:Quecto ; + qudt:prefix prefix:Quetta ; + qudt:prefix prefix:Ronna ; + qudt:prefix prefix:Ronto ; + qudt:prefix prefix:Tera ; + qudt:prefix prefix:Yocto ; + qudt:prefix prefix:Yotta ; + qudt:prefix prefix:Zepto ; + qudt:prefix prefix:Zetta ; + rdfs:isDefinedBy ; + rdfs:label "International System of Units"@en ; +. +sou:SOU_ASU + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "Astronomical System of Units (deprecated URI)" ; + rdfs:seeAlso sou:ASU ; +. +sou:SOU_CGS + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "CGS System of Units (deprecated URI)" ; + rdfs:seeAlso sou:CGS ; +. +sou:SOU_CGS-EMU + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "CGS-EMU System of Units (deprecated URI)" ; + rdfs:seeAlso sou:CGS-EMU ; +. +sou:SOU_CGS-ESU + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "CGS-ESU System of Units (deprecated URI)" ; + rdfs:seeAlso sou:CGS-ESU ; +. +sou:SOU_CGS-GAUSS + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "CGS-Gauss System of Units (deprecated URI)" ; + rdfs:seeAlso sou:CGS-GAUSS ; +. +sou:SOU_IMPERIAL + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "Imperial System of Units (deprecated URI)" ; + rdfs:seeAlso sou:IMPERIAL ; +. +sou:SOU_PLANCK + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "Planck System of Units (deprecated URI)" ; + rdfs:seeAlso sou:PLANCK ; +. +sou:SOU_SI + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "SI System of Units (deprecated URI)" ; + rdfs:seeAlso sou:SI ; +. +sou:SOU_USCS + a qudt:SystemOfUnits ; + qudt:deprecated true ; + rdfs:label "US Customary System of Units (deprecated URI)" ; + rdfs:seeAlso sou:USCS ; +. +sou:UNSTATED + a qudt:SystemOfUnits ; + dcterms:description "This placeholder system of units is for all units that do not fit will into any other system of units as modeled here."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:label "Unstated System Of Units"@en ; +. +sou:USCS + a qudt:SystemOfUnits ; + dcterms:description "United States customary units are a system of measurements commonly used in the United States. Many U.S. units are virtually identical to their imperial counterparts, but the U.S. customary system developed from English units used in the British Empire before the system of imperial units was standardized in 1824. Several numerical differences from the imperial system are present. The vast majority of U.S. customary units have been defined in terms of the meter and the kilogram since the Mendenhall Order of 1893 (and, in practice, for many years before that date). These definitions were refined in 1959. The United States is the only industrialized nation that does not mainly use the metric system in its commercial and standards activities, although the International System of Units (SI, often referred to as \"metric\") is commonly used in the U.S. Armed Forces, in fields relating to science, and increasingly in medicine, aviation, and government as well as various sectors of industry. [Wikipedia]"^^rdf:HTML ; + qudt:abbreviation "US Customary" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/United_States_customary_units"^^xsd:anyURI ; + vaem:url "http://en.wikipedia.org/wiki/US_customary_units"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "US Customary Unit System"@en ; +. +vaem:GMD_QUDT-SOU + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2016-07-04"^^xsd:date ; + dcterms:creator "Ralph Hodgson" ; + dcterms:description "QUDT Systems of Units Vocabulary Version 2.1.32"^^rdf:HTML ; + dcterms:modified "2023-10-19T12:30:31.152-04:00"^^xsd:dateTime ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Systems of Units" ; + dcterms:title "QUDT Systems of Units Version 2.1 Vocabulary" ; + vaem:graphTitle "QUDT Systems of Units Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner vaem:QUDT ; + vaem:hasSteward vaem:QUDT ; + vaem:intent "The intent of this graph is the specification of all Systems of Units" ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-SYSTEMS-OF-UNITS-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:name "sou" ; + vaem:namespace "http://qudt.org/vocab/sou/"^^xsd:anyURI ; + vaem:namespacePrefix "sou" ; + vaem:owner "qudt.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-SYSTEMS-OF-UNITS-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/sou"^^xsd:anyURI ; + vaem:usesNonImportedResource prov:wasInfluencedBy ; + vaem:usesNonImportedResource prov:wasInformedBy ; + rdfs:isDefinedBy ; + rdfs:label "QUDT System of Units Vocabulary Metadata Version v2.1.32" ; + owl:versionIRI ; +. diff --git a/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl new file mode 100644 index 000000000..0b3e33047 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl @@ -0,0 +1,30702 @@ +# baseURI: http://qudt.org/2.1/vocab/unit +# imports: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/vocab/prefix +# imports: http://qudt.org/2.1/vocab/quantitykind +# imports: http://qudt.org/2.1/vocab/sou + +@prefix dc: . +@prefix dcterms: . +@prefix owl: . +@prefix prefix: . +@prefix prov: . +@prefix qkdv: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-UNITS-ALL ; + rdfs:isDefinedBy ; + rdfs:label "QUDT VOCAB Units of Measure Release 2.1.32" ; + owl:imports ; + owl:imports ; + owl:imports ; + owl:imports ; + owl:versionIRI ; +. +unit:A + a qudt:Unit ; + dcterms:description """The \\(\\textit{ampere}\\), often shortened to \\(\\textit{amp}\\), is the SI unit of electric current and is one of the seven SI base units. +\\(\\text{A}\\ \\equiv\\ \\text{amp (or ampere)}\\ \\equiv\\ \\frac{\\text{C}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{coulomb}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{J}}{\\text{Wb}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{weber}}\\) +Note that SI supports only the use of symbols and deprecates the use of any abbreviations for units."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ampere"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:CurrentLinkage ; + qudt:hasQuantityKind quantitykind:DisplacementCurrent ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPhasor ; + qudt:hasQuantityKind quantitykind:MagneticTension ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:hasQuantityKind quantitykind:TotalCurrent ; + qudt:iec61360Code "0112/2///62720#UAA101" ; + qudt:iec61360Code "0112/2///62720#UAD717" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere?oldid=494026699"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "A" ; + qudt:ucumCode "A"^^qudt:UCUMcs ; + qudt:udunitsCode "A" ; + qudt:uneceCommonCode "AMP" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere"@de ; + rdfs:label "amper"@hu ; + rdfs:label "amper"@pl ; + rdfs:label "amper"@ro ; + rdfs:label "amper"@sl ; + rdfs:label "amper"@tr ; + rdfs:label "ampere"@en ; + rdfs:label "ampere"@it ; + rdfs:label "ampere"@ms ; + rdfs:label "ampere"@pt ; + rdfs:label "amperio"@es ; + rdfs:label "amperium"@la ; + rdfs:label "ampère"@fr ; + rdfs:label "ampér"@cs ; + rdfs:label "αμπέρ"@el ; + rdfs:label "ампер"@bg ; + rdfs:label "ампер"@ru ; + rdfs:label "אמפר"@he ; + rdfs:label "آمپر"@fa ; + rdfs:label "أمبير"@ar ; + rdfs:label "एम्पीयर"@hi ; + rdfs:label "アンペア"@ja ; + rdfs:label "安培"@zh ; + skos:altLabel "amp" ; +. +unit:A-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Ampere hour}\\) is a practical unit of electric charge equal to the charge flowing in one hour through a conductor passing one ampere. An ampere-hour or amp-hour (symbol \\(Ah,\\,AHr,\\, A \\cdot h, A h\\)) is a unit of electric charge, with sub-units milliampere-hour (\\(mAh\\)) and milliampere second (\\(mAs\\)). One ampere-hour is equal to 3600 coulombs (ampere-seconds), the electric charge transferred by a steady current of one ampere for one hour. The ampere-hour is frequently used in measurements of electrochemical systems such as electroplating and electrical batteries. The commonly seen milliampere-hour (\\(mAh\\) or \\(mA \\cdot h\\)) is one-thousandth of an ampere-hour (\\(3.6 \\,coulombs\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA102" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere-hour"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-86"^^xsd:anyURI ; + qudt:symbol "A⋅hr" ; + qudt:ucumCode "A.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AMH" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Hour"@en ; +. +unit:A-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of electromagnetic moment."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(A-M^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; + qudt:hasQuantityKind quantitykind:MagneticMoment ; + qudt:iec61360Code "0112/2///62720#UAA106" ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+meter+squared"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "A⋅m²" ; + qudt:ucumCode "A.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A5" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Square Meter"@en-us ; + rdfs:label "Ampere Square Metre"@en ; +. +unit:A-M2-PER-J-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of gyromagnetic ratio."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(A-m^2/J-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+square+meter+per+joule+second"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "A⋅m²/(J⋅s)" ; + qudt:ucumCode "A.m2.J-1.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "A.m2/(J.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A10" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Square Meter Per Joule Second"@en-us ; + rdfs:label "Ampere Square Metre Per Joule Second"@en ; +. +unit:A-PER-CentiM + a qudt:Unit ; + dcterms:description "SI base unit ampere divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB073" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "A/cm" ; + qudt:ucumCode "A.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A2" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Per Centimeter"@en-us ; + rdfs:label "Ampere Per Centimetre"@en ; +. +unit:A-PER-CentiM2 + a qudt:Unit ; + dcterms:description "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e04 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAB052" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "A/cm²" ; + qudt:ucumCode "A.cm-2"^^qudt:UCUMcs ; + qudt:ucumCode "A/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A4" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Per Square Centimeter"@en-us ; + rdfs:label "Ampere Per Square Centimetre"@en ; +. +unit:A-PER-DEG_C + a qudt:Unit ; + dcterms:description "A measure used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 57.2957795 ; + qudt:expression "\\(A/degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; + qudt:informativeReference "http://books.google.com/books?id=zkErAAAAYAAJ&pg=PA60&lpg=PA60&dq=ampere+per+degree"^^xsd:anyURI ; + qudt:informativeReference "http://web.mit.edu/course/21/21.guide/use-tab.htm"^^xsd:anyURI ; + qudt:symbol "A/°C" ; + qudt:ucumCode "A.Cel-1"^^qudt:UCUMcs ; + qudt:ucumCode "A/Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Ampere per Degree Celsius"@en ; +. +unit:A-PER-GM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Ampere per gram}\\) is a practical unit to describe an (applied) current relative to the involved amount of material. This unit is often found in electrochemistry to standardize test conditions and compare various scales of investigated materials."^^qudt:LatexString ; + qudt:conversionMultiplier 1000.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificElectricCurrent ; + qudt:symbol "A⋅/g" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere per Gram"@en ; +. +unit:A-PER-J + a qudt:Unit ; + dcterms:description "The inverse measure of \\(joule-per-ampere\\) or \\(weber\\). The measure for the reciprical of magnetic flux."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/J\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:symbol "A/J" ; + qudt:ucumCode "A.J-1"^^qudt:UCUMcs ; + qudt:ucumCode "A/J"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Ampere per Joule"@en ; +. +unit:A-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description " is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (\\(12.566\\, 371\\,millioersteds\\)) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001\\,emu\\,per\\,cubic\\,centimeter\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Coercivity ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA104" ; + qudt:symbol "A/m" ; + qudt:ucumCode "A.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "A/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AE" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere je Meter"@de ; + rdfs:label "Ampere per Meter"@en-us ; + rdfs:label "amper bölü metre"@tr ; + rdfs:label "amper na meter"@sl ; + rdfs:label "amper na metr"@pl ; + rdfs:label "ampere al metro"@it ; + rdfs:label "ampere pe metru"@ro ; + rdfs:label "ampere per meter"@ms ; + rdfs:label "ampere per metre"@en ; + rdfs:label "ampere por metro"@pt ; + rdfs:label "amperio por metro"@es ; + rdfs:label "ampère par mètre"@fr ; + rdfs:label "ampérů na metr"@cs ; + rdfs:label "ампер на метр"@ru ; + rdfs:label "آمپر بر متر"@fa ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "प्रति मीटर एम्पीयर"@hi ; + rdfs:label "アンペア毎メートル"@ja ; + rdfs:label "安培每米"@zh ; +. +unit:A-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Ampere Per Square Meter}\\) is a unit in the category of electric current density. This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DisplacementCurrentDensity ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:TotalCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA105" ; + qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA105"^^xsd:anyURI ; + qudt:symbol "A/m²" ; + qudt:ucumCode "A.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "A/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A41" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere je Quadratmeter"@de ; + rdfs:label "Ampere per Square Meter"@en-us ; + rdfs:label "amper bölü metre kare"@tr ; + rdfs:label "amper na kvadratni meter"@sl ; + rdfs:label "amper na metr kwadratowy"@pl ; + rdfs:label "ampere al metro quadrato"@it ; + rdfs:label "ampere pe metru pătrat"@ro ; + rdfs:label "ampere per meter persegi"@ms ; + rdfs:label "ampere per square metre"@en ; + rdfs:label "ampere por metro quadrado"@pt ; + rdfs:label "amperio por metro cuadrado"@es ; + rdfs:label "ampère par mètre carré"@fr ; + rdfs:label "ampér na metr čtvereční"@cs ; + rdfs:label "ампер на квадратный метр"@ru ; + rdfs:label "آمپر بر مترمربع"@fa ; + rdfs:label "أمبير في المتر المربع"@ar ; + rdfs:label "एम्पीयर प्रति वर्ग मीटर"@hi ; + rdfs:label "アンペア毎平方メートル"@ja ; + rdfs:label "安培每平方米"@zh ; +. +unit:A-PER-M2-K2 + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(a/m^2-k^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; + qudt:hasQuantityKind quantitykind:RichardsonConstant ; + qudt:iec61360Code "0112/2///62720#UAB353" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "A/m²⋅k²" ; + qudt:ucumCode "A.m-2.K-2"^^qudt:UCUMcs ; + qudt:ucumCode "A/(m2.K2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A6" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere per Square Meter Square Kelvin"@en-us ; + rdfs:label "Ampere per Square Metre Square Kelvin"@en ; +. +unit:A-PER-MilliM + a qudt:Unit ; + dcterms:description "SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB072" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "A/mm" ; + qudt:ucumCode "A.mm-1"^^qudt:UCUMcs ; + qudt:ucumCode "A/mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A3" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Per Millimeter"@en-us ; + rdfs:label "Ampere Per Millimetre"@en ; +. +unit:A-PER-MilliM2 + a qudt:Unit ; + dcterms:description "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAB051" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "A/mm²" ; + qudt:ucumCode "A.mm-2"^^qudt:UCUMcs ; + qudt:ucumCode "A/mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A7" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Per Square Millimeter"@en-us ; + rdfs:label "Ampere Per Square Millimetre"@en ; +. +unit:A-PER-RAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Ampere per Radian}\\) is a derived unit for measuring the amount of current per unit measure of angle, expressed in ampere per radian."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(a-per-rad\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerAngle ; + qudt:symbol "A/rad" ; + qudt:ucumCode "A.rad-1"^^qudt:UCUMcs ; + qudt:ucumCode "A/rad"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Ampere per Radian"@en ; +. +unit:A-SEC + a qudt:Unit ; + dcterms:description "product out of the SI base unit ampere and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA107" ; + qudt:plainTextDescription "product out of the SI base unit ampere and the SI base unit second" ; + qudt:symbol "A⋅s" ; + qudt:ucumCode "A.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A8" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Second"@en ; +. +unit:AC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The acre is a unit of area in a number of different systems, including the imperial and U.S. customary systems. Its international symbol is ac. The most commonly used acres today are the international acre and, in the United States, the survey acre. The most common use of the acre is to measure tracts of land. One international acre is equal to 4046.8564224 square metres."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4046.8564224 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAA320" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acre?oldid=495387342"^^xsd:anyURI ; + qudt:symbol "acre" ; + qudt:ucumCode "[acr_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ACR" ; + rdfs:isDefinedBy ; + rdfs:label "Acre"@en ; + skos:altLabel "acre" ; +. +unit:AC-FT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "An acre-foot is a unit of volume commonly used in the United States in reference to large-scale water resources, such as reservoirs, aqueducts, canals, sewer flow capacity, and river flows. It is defined by the volume of one acre of surface area to a depth of one foot. Since the acre is defined as a chain by a furlong (\\(66 ft \\times 660 ft\\)) the acre-foot is exactly \\(43,560 cubic feet\\). For irrigation water, the volume of \\(1 ft \\times 1 \\; ac = 43,560 \\; ft^{3} (1,233.482 \\; m^{3}, 325,851 \\; US gal)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1233.4818375475202 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acre-foot"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-35"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ac⋅ft" ; + qudt:ucumCode "[acr_br].[ft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Acre Foot"@en ; +. +unit:AMU + a qudt:Unit ; + dcterms:description "The \\(\\textit{Unified Atomic Mass Unit}\\) (symbol: \\(\\mu\\)) or \\(\\textit{dalton}\\) (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \\(\\textit{\"non-SI unit whose values in SI units must be obtained experimentally\"}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1.66053878283e-27 ; + qudt:exactMatch unit:Da ; + qudt:exactMatch unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; + qudt:symbol "amu" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:udunitsCode "u" ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy ; + rdfs:label "Atomic mass unit"@en ; +. +unit:ANGSTROM + a qudt:Unit ; + dcterms:description "The \\(Angstr\\ddot{o}m\\) is an internationally recognized unit of length equal to \\(0.1 \\,nanometre\\) or \\(1 \\times 10^{-10}\\,metres\\). Although accepted for use, it is not formally defined within the International System of Units(SI). The angstrom is often used in the natural sciences to express the sizes of atoms, lengths of chemical bonds and the wavelengths of electromagnetic radiation, and in technology for the dimensions of parts of integrated circuits. It is also commonly used in structural biology."^^qudt:LatexString ; + qudt:conversionMultiplier 1.0e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/%C3%85ngstr%C3%B6m"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA023" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ångström?oldid=436192495"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\AA\\)"^^qudt:LatexString ; + qudt:symbol "Å" ; + qudt:ucumCode "Ao"^^qudt:UCUMcs ; + qudt:udunitsCode "Å" ; + qudt:udunitsCode "Å" ; + qudt:uneceCommonCode "A11" ; + rdfs:isDefinedBy ; + rdfs:label "Angstrom"@en ; +. +unit:ANGSTROM3 + a qudt:Unit ; + dcterms:description "A unit that is a non-SI unit, specifically a CGS unit, of polarizability known informally as polarizability volume. The SI defined units for polarizability are C*m^2/V and can be converted to \\(Angstr\\ddot{o}m\\)^3 by multiplying the SI value by 4 times pi times the vacuum permittivity and then converting the resulting m^3 to \\(Angstr\\ddot{o}m\\)^3 through the SI base 10 conversion (multiplying by 10^-30)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-40 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "ų" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Angstrom"@en ; + rdfs:label "Cubic Angstrom"@en-us ; +. +unit:ARCMIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. "^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.90888209e-04 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:MIN_Angle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA097" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; + qudt:siUnitsExpression "1" ; + qudt:symbol "'" ; + qudt:ucumCode "'"^^qudt:UCUMcs ; + qudt:udunitsCode "′" ; + qudt:uneceCommonCode "D61" ; + rdfs:isDefinedBy ; + rdfs:label "ArcMinute"@en ; +. +unit:ARCSEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Arc Second\" is a unit of angular measure, also called the \\(\\textit{second of arc}\\), equal to \\(1/60 \\; arcminute\\). One arcsecond is a very small angle: there are 1,296,000 in a circle. The SI recommends \\(\\textit{double prime}\\) (\\(''\\)) as the symbol for the arcsecond. The symbol has become common in astronomy, where very small angles are stated in milliarcseconds (\\(mas\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.84813681e-06 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA096" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc#Symbols.2C_abbreviations_and_subdivisions"^^xsd:anyURI ; + qudt:symbol "\"" ; + qudt:ucumCode "''"^^qudt:UCUMcs ; + qudt:udunitsCode "″" ; + qudt:uneceCommonCode "D62" ; + rdfs:isDefinedBy ; + rdfs:label "ArcSecond"@en ; +. +unit:ARE + a qudt:Unit ; + dcterms:description "An 'are' is a unit of area equal to 0.02471 acre and 100 centare."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB048" ; + qudt:informativeReference "http://www.anidatech.com/units.html"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "a" ; + qudt:ucumCode "ar"^^qudt:UCUMcs ; + qudt:udunitsCode "a" ; + qudt:uneceCommonCode "ARE" ; + rdfs:isDefinedBy ; + rdfs:label "are"@en ; +. +unit:AT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \\(\\textit{ampere-turn}\\) was the MKS unit of magnetomotive force (MMF), represented by a direct current of one ampere flowing in a single-turn loop in a vacuum. \"Turns\" refers to the winding number of an electrical conductor comprising an inductor. The ampere-turn was replaced by the SI unit, \\(ampere\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:symbol "AT" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Turn"@en ; +. +unit:AT-PER-IN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \\(\\textit{Ampere Turn per Inch}\\) is a measure of magnetic field intensity and is equal to 12.5664 Oersted."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 39.3700787 ; + qudt:expression "\\(At/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:symbol "At/in" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Turn per Inch"@en ; +. +unit:AT-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \\(\\textit{Ampere Turn per Metre}\\) is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (12.566 371 millioersteds) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001 emu per cubic centimeter\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(At/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:symbol "At/m" ; + rdfs:isDefinedBy ; + rdfs:label "Ampere Turn per Meter"@en-us ; + rdfs:label "Ampere Turn per Metre"@en ; +. +unit:ATM + a qudt:Unit ; + dcterms:description "The standard atmosphere (symbol: atm) is an international reference pressure defined as \\(101.325 \\,kPa\\) and formerly used as unit of pressure. For practical purposes it has been replaced by the bar which is \\(100 kPa\\). The difference of about 1% is not significant for many applications, and is within the error range of common pressure gauges."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.01325e05 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA322" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atmosphere_(unit)"^^xsd:anyURI ; + qudt:symbol "atm" ; + qudt:ucumCode "atm"^^qudt:UCUMcs ; + qudt:udunitsCode "atm" ; + qudt:uneceCommonCode "ATM" ; + rdfs:isDefinedBy ; + rdfs:label "Standard Atmosphere"@en ; +. +unit:ATM-M3-PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit that consists of the power of the SI base unit metre with the exponent 3 multiplied by the unit atmosphere divided by the SI base unit mol."^^qudt:LatexString ; + qudt:conversionMultiplier 1.01325e05 ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:HenrysLawVolatilityConstant ; + qudt:symbol "atm⋅m³/mol" ; + rdfs:isDefinedBy ; + rdfs:label "Atmosphere Cubic Meter per Mole"@en ; + rdfs:label "Atmosphere Cubic Meter per Mole"@en-us ; +. +unit:ATM_T + a qudt:Unit ; + dcterms:description "A technical atmosphere (symbol: at) is a non-SI unit of pressure equal to one kilogram-force per square centimeter. The symbol 'at' clashes with that of the katal (symbol: 'kat'), the SI unit of catalytic activity; a kilotechnical atmosphere would have the symbol 'kat', indistinguishable from the symbol for the katal. It also clashes with that of the non-SI unit, the attotonne, but that unit would be more likely be rendered as the equivalent SI unit. Assay ton (abbreviation 'AT') is not a unit of measurement, but a standard quantity used in assaying ores of precious metals; it is \\(29 1D6 \\,grams\\) (short assay ton) or \\(32 2D3 \\,grams\\) (long assay ton), the amount which bears the same ratio to a milligram as a short or long ton bears to a troy ounce. In other words, the number of milligrams of a particular metal found in a sample of this size gives the number of troy ounces contained in a short or long ton of ore."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 9.80665e04 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA321" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Technical_atmosphere"^^xsd:anyURI ; + qudt:latexDefinition "\\(1 at = 98.0665 kPa \\approx 0.96784 standard atmospheres\\)"^^qudt:LatexString ; + qudt:symbol "at" ; + qudt:ucumCode "att"^^qudt:UCUMcs ; + qudt:udunitsCode "at" ; + qudt:uneceCommonCode "ATT" ; + rdfs:isDefinedBy ; + rdfs:label "Technical Atmosphere"@en ; +. +unit:AU + a qudt:Unit ; + dcterms:description "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to \\(149,597,870,700 metres\\) (\\(92,955,807.273 mi\\)) or approximately the mean Earth Sun distance."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.495978706916e11 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Astronomical_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB066" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Astronomical_unit"^^xsd:anyURI ; + qudt:plainTextDescription "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to 149,597,870,700 metres (92,955,807.273 mi) or approximately the mean Earth Sun distance. The symbol ua is recommended by the International Bureau of Weights and Measures, and the international standard ISO 80000, while au is recommended by the International Astronomical Union, and is more common in Anglosphere countries. In general, the International System of Units only uses capital letters for the symbols of units which are named after individual scientists, while au or a.u. can also mean atomic unit or even arbitrary unit. However, the use of AU to refer to the astronomical unit is widespread. The astronomical constant whose value is one astronomical unit is referred to as unit distance and is given the symbol A. [Wikipedia]" ; + qudt:symbol "AU" ; + qudt:ucumCode "AU"^^qudt:UCUMcs ; + qudt:udunitsCode "au" ; + qudt:udunitsCode "ua" ; + qudt:uneceCommonCode "A12" ; + rdfs:isDefinedBy ; + rdfs:label "astronomical-unit"@en ; +. +unit:A_Ab + a qudt:Unit ; + dcterms:description "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abampere"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:BIOT ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abampere?oldid=489318583"^^xsd:anyURI ; + qudt:informativeReference "http://wordinfo.info/results/abampere"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13?rskey=i2kRRz"^^xsd:anyURI ; + qudt:latexDefinition "\\(1\\,abA = 10\\,A\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:plainTextDescription "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors." ; + qudt:symbol "abA" ; + qudt:ucumCode "Bi"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abampere"@en ; + skos:altLabel "biot" ; +. +unit:A_Ab-CentiM2 + a qudt:Unit ; + dcterms:description "\"Abampere Square centimeter\" is the unit of magnetic moment in the electromagnetic centimeter-gram-second system."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e09 ; + qudt:expression "\\(aAcm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; + qudt:symbol "abA⋅cm²" ; + qudt:ucumCode "Bi.cm2"^^qudt:UCUMcs ; + vaem:todo "Determine type for magnetic moment" ; + rdfs:isDefinedBy ; + rdfs:label "Abampere Square centimeter"@en-us ; + rdfs:label "Abampere Square centimetre"@en ; +. +unit:A_Ab-PER-CentiM2 + a qudt:Unit ; + dcterms:description "Abampere Per Square Centimeter (\\(aA/cm^2\\)) is a unit in the category of Electric current density. It is also known as abamperes per square centimeter, abampere/square centimeter, abampere/square centimetre, abamperes per square centimetre, abampere per square centimetre. This unit is commonly used in the cgs unit system. Abampere Per Square Centimeter (\\(aA/cm^2\\)) has a dimension of \\(L^{-2}I\\) where L is length, and I is electric current. It can be converted to the corresponding standard SI unit \\(A/m^{2}\\) by multiplying its value by a factor of 100000."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e05 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(aba-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:informativeReference "http://wordinfo.info/results/abampere"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_current_density--abampere_per_square_centimeter.cfm"^^xsd:anyURI ; + qudt:symbol "abA/cm²" ; + qudt:ucumCode "Bi.cm-2"^^qudt:UCUMcs ; + qudt:ucumCode "Bi/cm2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abampere per Square Centimeter"@en-us ; + rdfs:label "Abampere per Square Centimetre"@en ; +. +unit:A_Stat + a qudt:Unit ; + dcterms:description "\"Statampere\" (statA) is a unit in the category of Electric current. It is also known as statamperes. This unit is commonly used in the cgs unit system. Statampere (statA) has a dimension of I where I is electric current. It can be converted to the corresponding standard SI unit A by multiplying its value by a factor of 3.355641E-010."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 3.335641e-10 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_current--statampere.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statA" ; + rdfs:isDefinedBy ; + rdfs:label "Statampere"@en ; +. +unit:A_Stat-PER-CentiM2 + a qudt:Unit ; + dcterms:description "The Statampere per Square Centimeter is a unit of electric current density in the c.g.s. system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 3.335641e-06 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(statA / cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:symbol "statA/cm²" ; + rdfs:isDefinedBy ; + rdfs:label "Statampere per Square Centimeter"@en-us ; + rdfs:label "Statampere per Square Centimetre"@en ; +. +unit:AttoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "An AttoColomb is \\(10^{-18} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Atto ; + qudt:symbol "aC" ; + qudt:ucumCode "aC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "AttoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:AttoFARAD + a qudt:Unit ; + dcterms:description "0,000 000 000 000 000 001-fold of the SI derived unit farad"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA319" ; + qudt:plainTextDescription "0.000000000000000001-fold of the SI derived unit farad" ; + qudt:prefix prefix:Atto ; + qudt:symbol "aF" ; + qudt:ucumCode "aF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H48" ; + rdfs:isDefinedBy ; + rdfs:label "Attofarad"@en ; +. +unit:AttoJ + a qudt:Unit ; + dcterms:description "0,000 000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB125" ; + qudt:plainTextDescription "0.000000000000000001-fold of the derived SI unit joule" ; + qudt:prefix prefix:Atto ; + qudt:symbol "aJ" ; + qudt:ucumCode "aJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A13" ; + rdfs:isDefinedBy ; + rdfs:label "Attojoule"@en ; +. +unit:AttoJ-SEC + a qudt:Unit ; + dcterms:description "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:iec61360Code "0112/2///62720#UAB151" ; + qudt:plainTextDescription "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second" ; + qudt:symbol "aJ⋅s" ; + qudt:ucumCode "aJ.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B18" ; + rdfs:isDefinedBy ; + rdfs:label "Attojoule Second"@en ; +. +unit:B + a qudt:DimensionlessUnit ; + a qudt:LogarithmicUnit ; + a qudt:Unit ; + dcterms:description "A logarithmic unit of sound pressure equal to 10 decibels (dB), It is defined as: \\(1 B = (1/2) \\log_{10}(Np)\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel ; + qudt:hasQuantityKind quantitykind:SoundPowerLevel ; + qudt:hasQuantityKind quantitykind:SoundPressureLevel ; + qudt:hasQuantityKind quantitykind:SoundReductionIndex ; + qudt:iec61360Code "0112/2///62720#UAB351" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_unit"^^xsd:anyURI ; + qudt:symbol "B" ; + qudt:ucumCode "B"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M72" ; + rdfs:isDefinedBy ; + rdfs:label "Bel"@de ; + rdfs:label "bel"@cs ; + rdfs:label "bel"@en ; + rdfs:label "bel"@fr ; + rdfs:label "bel"@hu ; + rdfs:label "bel"@it ; + rdfs:label "bel"@ms ; + rdfs:label "bel"@pl ; + rdfs:label "bel"@pt ; + rdfs:label "bel"@ro ; + rdfs:label "bel"@sl ; + rdfs:label "bel"@tr ; + rdfs:label "belio"@es ; + rdfs:label "μπέλ"@el ; + rdfs:label "бел"@bg ; + rdfs:label "бел"@ru ; + rdfs:label "בל"@he ; + rdfs:label "بل"@ar ; + rdfs:label "بل"@fa ; + rdfs:label "बेल"@hi ; + rdfs:label "ベル"@ja ; + rdfs:label "贝"@zh ; +. +unit:BAN + a qudt:Unit ; + dcterms:description "A ban is a logarithmic unit which measures information or entropy, based on base 10 logarithms and powers of 10, rather than the powers of 2 and base 2 logarithms which define the bit. One ban is approximately \\(3.32 (log_2 10) bits\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.30258509 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ban"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban?oldid=472969907"^^xsd:anyURI ; + qudt:symbol "ban" ; + qudt:uneceCommonCode "Q15" ; + rdfs:isDefinedBy ; + rdfs:label "Ban"@en ; +. +unit:BAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to \\(100,000\\,Pa\\). It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 \\,bar \\approx 750.0616827\\, Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA323" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar?oldid=493875987"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "bar" ; + qudt:ucumCode "bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BAR" ; + rdfs:isDefinedBy ; + rdfs:label "Bar"@en ; +. +unit:BAR-L-PER-SEC + a qudt:Unit ; + dcterms:description "product of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA326" ; + qudt:plainTextDescription "product of the unit bar and the unit litre divided by the SI base unit second" ; + qudt:symbol "bar⋅L/s" ; + qudt:ucumCode "bar.L.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "bar.L/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F91" ; + rdfs:isDefinedBy ; + rdfs:label "Bar Liter Per Second"@en-us ; + rdfs:label "Bar Litre Per Second"@en ; +. +unit:BAR-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA814" ; + qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "bar⋅m³/s" ; + qudt:ucumCode "bar.m3.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "bar.m3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F92" ; + rdfs:isDefinedBy ; + rdfs:label "Bar Cubic Meter Per Second"@en-us ; + rdfs:label "Bar Cubic Metre Per Second"@en ; +. +unit:BAR-PER-BAR + a qudt:Unit ; + dcterms:description "pressure relation consisting of the unit bar divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA325" ; + qudt:plainTextDescription "pressure relation consisting of the unit bar divided by the unit bar" ; + qudt:symbol "bar/bar" ; + qudt:ucumCode "bar.bar-1"^^qudt:UCUMcs ; + qudt:ucumCode "bar/bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J56" ; + rdfs:isDefinedBy ; + rdfs:label "Bar Per Bar"@en ; +. +unit:BAR-PER-K + a qudt:Unit ; + dcterms:description "unit with the name bar divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:conversionMultiplier 1.0e05 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA324" ; + qudt:plainTextDescription "unit with the name bar divided by the SI base unit kelvin" ; + qudt:symbol "bar/K" ; + qudt:ucumCode "bar.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "bar/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F81" ; + rdfs:isDefinedBy ; + rdfs:label "Bar Per Kelvin"@en ; +. +unit:BARAD + a qudt:Unit ; + dcterms:description "A barad is a dyne per square centimetre (\\(dyn \\cdot cm^{-2}\\)), and is equal to \\(0.1 Pa \\) (\\(1 \\, micro \\, bar\\), \\(0.000014504 \\, p.s.i.\\)). Note that this is precisely the microbar, the confusable bar being related in size to the normal atmospheric pressure, at \\(100\\,dyn \\cdot cm^{-2}\\). Accordingly barad was not abbreviated, so occurs prefixed as in \\(cbarad = centibarad\\). Despite being the coherent unit for pressure in c.g.s., barad was probably much less common than the non-coherent bar. Barad is sometimes called \\(barye\\), a name also used for \\(bar\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:BARYE ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "Ba" ; + rdfs:isDefinedBy ; + rdfs:label "Barad"@en ; +. +unit:BARN + a qudt:Unit ; + dcterms:description "A barn (symbol b) is a unit of area. Originally used in nuclear physics for expressing the cross sectional area of nuclei and nuclear reactions, today it is used in all fields of high energy physics to express the cross sections of any scattering process, and is best understood as a measure of the probability of interaction between small particles. A barn is defined as \\(10^{-28} m^2 (100 fm^2)\\) and is approximately the cross sectional area of a uranium nucleus. The barn is also the unit of area used in nuclear quadrupole resonance and nuclear magnetic resonance to quantify the interaction of a nucleus with an electric field gradient. While the barn is not an SI unit, it is accepted for use with the SI due to its continued use in particle physics."^^qudt:LatexString ; + qudt:conversionMultiplier 1.0e-28 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barn"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB297" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barn?oldid=492907677"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barn_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "b" ; + qudt:ucumCode "b"^^qudt:UCUMcs ; + qudt:udunitsCode "b" ; + qudt:uneceCommonCode "A14" ; + rdfs:isDefinedBy ; + rdfs:label "Barn"@en ; +. +unit:BARYE + a qudt:Unit ; + dcterms:description "

The barye, or sometimes barad, barrie, bary, baryd, baryed, or barie, is the centimetre-gram-second (CGS) unit of pressure. It is equal to 1 dyne per square centimetre.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barye"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:exactMatch unit:BARAD ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barye?oldid=478631158"^^xsd:anyURI ; + qudt:latexDefinition "\\(g/(cm\\cdot s{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "Ba" ; + rdfs:isDefinedBy ; + rdfs:label "Barye"@en ; + skos:altLabel "barad" ; + skos:altLabel "barie" ; + skos:altLabel "bary" ; + skos:altLabel "baryd" ; + skos:altLabel "baryed" ; +. +unit:BBL + a qudt:Unit ; + dcterms:description "A barrel is one of several units of volume, with dry barrels, fluid barrels (UK beer barrel, U.S. beer barrel), oil barrel, etc. The volume of some barrel units is double others, with various volumes in the range of about 100-200 litres (22-44 imp gal; 26-53 US gal)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barrel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA334" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barrel?oldid=494614619"^^xsd:anyURI ; + qudt:symbol "bbl" ; + qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BLL" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel"@en ; +. +unit:BBL_UK_PET + a qudt:Unit ; + dcterms:description "unit of the volume for crude oil according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.1591132 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA329" ; + qudt:plainTextDescription "unit of the volume for crude oil according to the Imperial system of units" ; + qudt:symbol "bbl{UK petroleum}" ; + qudt:uneceCommonCode "J57" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (UK Petroleum)"@en ; +. +unit:BBL_UK_PET-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.841587e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA331" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day" ; + qudt:symbol "bbl{UK petroleum}/day" ; + qudt:uneceCommonCode "J59" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (UK Petroleum) Per Day"@en ; +. +unit:BBL_UK_PET-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 4.41981e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA332" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "bbl{UK petroleum}/hr" ; + qudt:uneceCommonCode "J60" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (UK Petroleum) Per Hour"@en ; +. +unit:BBL_UK_PET-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.002651886 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA330" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "bbl{UK petroleum}/min" ; + qudt:uneceCommonCode "J58" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (UK Petroleum) Per Minute"@en ; +. +unit:BBL_UK_PET-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.1591132 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA333" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "bbl{UK petroleum}" ; + qudt:uneceCommonCode "J61" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (UK Petroleum) Per Second"@en ; +. +unit:BBL_US + a qudt:Unit ; + dcterms:description "unit of the volume for crude oil according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1589873 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA334" ; + qudt:plainTextDescription "unit of the volume for crude oil according to the Anglo-American system of units" ; + qudt:symbol "bbl{US petroleum}" ; + qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "bbl" ; + qudt:uneceCommonCode "BLL" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (US)"@en ; +. +unit:BBL_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.84e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA335" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day" ; + qudt:symbol "bsh{US petroleum}/day" ; + qudt:ucumCode "[bbl_us].d-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bbl_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B1" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (US) Per Day"@en ; +. +unit:BBL_US-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0026498 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA337" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute" ; + qudt:symbol "bbl{US petroleum}/min" ; + qudt:ucumCode "[bbl_us].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bbl_us]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "5A" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (US) Per Minute"@en ; +. +unit:BBL_US_DRY + a qudt:Unit ; + dcterms:description "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1156281989625 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAB117" ; + qudt:plainTextDescription "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre" ; + qudt:symbol "bbl{US dry}" ; + qudt:uneceCommonCode "BLD" ; + rdfs:isDefinedBy ; + rdfs:label "Dry Barrel (US)"@en ; +. +unit:BBL_US_PET-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.4163e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA336" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour" ; + qudt:symbol "bbl{UK petroleum}/hr" ; + qudt:ucumCode "[bbl_us].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bbl_us]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J62" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (US Petroleum) Per Hour"@en ; +. +unit:BBL_US_PET-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1589873 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA338" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "bbl{UK petroleum}/s" ; + qudt:ucumCode "[bbl_us].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bbl_us]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J62" ; + rdfs:isDefinedBy ; + rdfs:label "Barrel (US Petroleum) Per Second"@en ; +. +unit:BEAT-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Heart Beat per Minute\" is a unit for 'Heart Rate' expressed as \\(BPM\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:HeartRate ; + qudt:symbol "BPM" ; + qudt:ucumCode "/min{H.B.}"^^qudt:UCUMcs ; + qudt:ucumCode "min-1{H.B.}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Heart Beats per Minute"@en ; +. +unit:BFT + a qudt:Unit ; + dcterms:description "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA110" ; + qudt:plainTextDescription "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds" ; + qudt:symbol "Beufort" ; + qudt:uneceCommonCode "M19" ; + rdfs:isDefinedBy ; + rdfs:label "Beaufort"@en ; +. +unit:BIOT + a qudt:Unit ; + dcterms:description "\"Biot\" is another name for the abampere (aA), which is the basic electromagnetic unit of electric current in the emu-cgs (centimeter-gram-second) system of units. It is called after a French physicist, astronomer, and mathematician Jean-Baptiste Biot. One abampere is equal to ten amperes in the SI system of units. One abampere is the current, which produces a force of 2 dyne/cm between two infinitively long parallel wires that are 1 cm apart."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Biot"^^xsd:anyURI ; + qudt:exactMatch unit:A_Ab ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAB210" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Biot?oldid=443318821"^^xsd:anyURI ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/current/10-4/"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Bi" ; + qudt:ucumCode "Bi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N96" ; + rdfs:isDefinedBy ; + rdfs:label "Biot"@en ; +. +unit:BIT + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "In information theory, a bit is the amount of information that, on average, can be stored in a discrete bit. It is thus the amount of information carried by a choice between two equally likely outcomes. One bit corresponds to about 0.693 nats (ln(2)), or 0.301 hartleys (log10(2))."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA339" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bit?oldid=495288173"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "b" ; + qudt:ucumCode "bit"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J63" ; + rdfs:isDefinedBy ; + rdfs:label "Bit"@en ; +. +unit:BIT-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A bit per second (B/s) is a unit of data transfer rate equal to 1 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; + qudt:symbol "b/s" ; + qudt:ucumCode "Bd"^^qudt:UCUMcs ; + qudt:ucumCode "bit.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "bit/s"^^qudt:UCUMcs ; + qudt:udunitsCode "Bd" ; + qudt:udunitsCode "bps" ; + qudt:uneceCommonCode "B10" ; + rdfs:isDefinedBy ; + rdfs:label "Bit per Second"@en ; +. +unit:BQ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI derived unit of activity, usually meaning radioactivity. \"Radioactivity\" is caused when atoms disintegrate, ejecting energetic particles. One becquerel is the radiation caused by one disintegration per second; this is equivalent to about 27.0270 picocuries (pCi). The unit is named for a French physicist, Antoine-Henri Becquerel (1852-1908), the discoverer of radioactivity. Note: both the becquerel and the hertz are basically defined as one event per second, yet they measure different things. The hertz is used to measure the rates of events that happen periodically in a fixed and definite cycle. The becquerel is used to measure the rates of events that happen sporadically and unpredictably, not in a definite cycle."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Becquerel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA111" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Becquerel?oldid=493710036"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Bq" ; + qudt:ucumCode "Bq"^^qudt:UCUMcs ; + qudt:udunitsCode "Bq" ; + qudt:uneceCommonCode "BQL" ; + rdfs:isDefinedBy ; + rdfs:label "Becquerel"@de ; + rdfs:label "becquerel"@cs ; + rdfs:label "becquerel"@en ; + rdfs:label "becquerel"@es ; + rdfs:label "becquerel"@fr ; + rdfs:label "becquerel"@hu ; + rdfs:label "becquerel"@it ; + rdfs:label "becquerel"@ms ; + rdfs:label "becquerel"@pt ; + rdfs:label "becquerel"@ro ; + rdfs:label "becquerel"@sl ; + rdfs:label "becquerelium"@la ; + rdfs:label "bekerel"@pl ; + rdfs:label "bekerel"@tr ; + rdfs:label "μπεκερέλ"@el ; + rdfs:label "бекерел"@bg ; + rdfs:label "беккерель"@ru ; + rdfs:label "בקרל"@he ; + rdfs:label "بيكريل"@ar ; + rdfs:label "بکرل"@fa ; + rdfs:label "बैक्वेरल"@hi ; + rdfs:label "ベクレル"@ja ; + rdfs:label "贝克勒尔"@zh ; +. +unit:BQ-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The only unit in the category of Specific radioactivity. It is also known as becquerels per kilogram, becquerel/kilogram. This unit is commonly used in the SI unit system. Becquerel Per Kilogram (Bq/kg) has a dimension of \\(M{-1}T{-1}\\) where \\(M\\) is mass, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/kg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassicActivity ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:iec61360Code "0112/2///62720#UAA112" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_radioactivity--becquerel_per_kilogram.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Becquerel per Kilogram\" is used to describe radioactivity, which is often expressed in becquerels per unit of volume or weight, to express how much radioactive material is contained in a sample." ; + qudt:symbol "Bq/kg" ; + qudt:ucumCode "Bq.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "Bq/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A18" ; + rdfs:isDefinedBy ; + rdfs:label "Becquerel per Kilogram"@en ; +. +unit:BQ-PER-L + a qudt:Unit ; + dcterms:description "One radioactive disintegration per second from a one part in 10**3 of the SI unit of volume (cubic metre)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "Bq/L" ; + qudt:ucumCode "Bq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Becquerels per litre"@en ; +. +unit:BQ-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SurfaceActivityDensity ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "Bq/m²" ; + qudt:ucumCode "Bq.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "Bq/m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Becquerel per Square Meter"@en-us ; + rdfs:label "Becquerel per Square Metre"@en ; +. +unit:BQ-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Becquerel Per Cubic Meter (\\(Bq/m3\\)) is a unit in the category of Radioactivity concentration. It is also known as becquerels per cubic meter, becquerel per cubic metre, becquerels per cubic metre, becquerel/cubic inch. This unit is commonly used in the SI unit system. Becquerel Per Cubic Meter (Bq/m3) has a dimension of \\(L{-3}T{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/s\\cdot m{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:iec61360Code "0112/2///62720#UAB126" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--radioactivity_concentration--becquerel_per_cubic_meter.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The SI derived unit of unit in the category of Radioactivity concentration." ; + qudt:symbol "Bq/m³" ; + qudt:ucumCode "Bq.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "Bq/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A19" ; + rdfs:isDefinedBy ; + rdfs:label "Becquerel per Cubic Meter"@en-us ; + rdfs:label "Becquerel per Cubic Metre"@en ; +. +unit:BQ-SEC-PER-M3 + a qudt:Unit ; + dcterms:description "TBD"@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AbsoluteActivity ; + qudt:symbol "Bq⋅s/m³" ; + qudt:ucumCode "Bq.s.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Becquerels second per cubic metre"@en ; +. +unit:BREATH-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of respiratory rate."^^rdf:HTML ; + qudt:expression "\\(breaths/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:RespiratoryRate ; + qudt:symbol "breath/min" ; + qudt:ucumCode "/min{breath}"^^qudt:UCUMcs ; + qudt:ucumCode "min-1{breath}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Breath per Minute"@en ; +. +unit:BTU_IT + a qudt:Unit ; + dcterms:description "\\(\\textit{British Thermal Unit}\\) (BTU or Btu) is a traditional unit of energy equal to about \\(1.0550558526 \\textit{ kilojoule}\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) to \\(40 \\,^{\\circ}{\\rm F}\\) . The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\), though it may be used as a measure of agricultural energy production (BTU/kg). It is still used unofficially in metric English-speaking countries (such as Canada), and remains the standard unit of classification for air conditioning units manufactured and sold in many non-English-speaking metric countries."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI ; + qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; + qudt:symbol "Btu{IT}" ; + qudt:ucumCode "[Btu_IT]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BTU" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (International Definition)"@en ; +. +unit:BTU_IT-FT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU_{IT} \\, Foot}\\) is an Imperial unit for \\(\\textit{Thermal Energy Length}\\) expressed as \\(Btu-ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 321.581024 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu-ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:symbol "Btu⋅ft" ; + qudt:ucumCode "[Btu_IT].[ft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU Foot"@en ; +. +unit:BTU_IT-FT-PER-FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(BTU_{IT}\\), Foot per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.730734666 ; + qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA115" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "British thermal unit (international table) foot per hour Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; + qudt:symbol "Btu{IT}⋅ft/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT].[ft_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J40" ; + vaem:comment "qudt:exactMatch: unit:BTU_IT-FT-PER-HR-FT2-DEG_F" ; + rdfs:isDefinedBy ; + rdfs:label "BTU (IT) Foot per Square Foot Hour Degree Fahrenheit"@en ; +. +unit:BTU_IT-IN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, Inch}\\) is an Imperial unit for 'Thermal Energy Length' expressed as \\(Btu-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 26.7984187 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:symbol "Btu⋅in" ; + qudt:ucumCode "[Btu_IT].[in_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU Inch"@en ; +. +unit:BTU_IT-IN-PER-FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(BTU_{th}\\) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(hr-ft^{2}-degF)\\). An International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.144227889 ; + qudt:exactMatch unit:BTU_IT-IN-PER-HR-FT2-DEG_F ; + qudt:expression "\\(Btu(it)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA117" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:latexSymbol "\\(Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; + qudt:plainTextDescription "BTU (th) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity', an International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units." ; + qudt:symbol "Btu{IT}⋅in/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J41" ; + vaem:comment "qudt:exactMatch: unit:BTU_IT-IN-PER-HR-FT2-DEG_F" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot Degree Fahrenheit"@en ; +. +unit:BTU_IT-IN-PER-FT2-SEC-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(BTU_{IT}\\), Inch per Square Foot Second Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 519.220399911 ; + qudt:exactMatch unit:BTU_IT-IN-PER-SEC-FT2-DEG_F ; + qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA118" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "British thermal unit (international table) inch per second Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; + qudt:symbol "Btu{IT}⋅in/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J42" ; + rdfs:isDefinedBy ; + rdfs:label "BTU (IT) Inch per Square Foot Second Degree Fahrenheit"@en ; +. +unit:BTU_IT-IN-PER-HR-FT2-DEG_F + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1442279 ; + qudt:exactMatch unit:BTU_IT-IN-PER-FT2-HR-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA117" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}⋅in/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT].[in_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J41" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot degree Fahrenheit"@en ; +. +unit:BTU_IT-IN-PER-SEC-FT2-DEG_F + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 519.2204 ; + qudt:exactMatch unit:BTU_IT-IN-PER-FT2-SEC-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA118" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}⋅in/(s⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].s-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT].[in_i]/(s.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J42" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Inch Per Second Square Foot degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "British Thermal Unit (IT) Per Fahrenheit Degree (\\(Btu (IT)/^\\circ F\\)) is a measure of heat capacity. It can be converted to the corresponding standard SI unit J/K by multiplying its value by a factor of 1899.10534."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1899.100535 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/degF\\)"^^qudt:LatexString ; + qudt:expression "\\(btu-per-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "Btu{IT}/°F" ; + qudt:ucumCode "[Btu_IT].[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[degF]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N60" ; + rdfs:isDefinedBy ; + rdfs:label "BTU (IT) per Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-DEG_R + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Degree \\, Rankine}\\) is an Imperial unit for 'Heat Capacity' expressed as \\(Btu/degR\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1899.100535 ; + qudt:expression "\\(btu-per-degR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "Btu{IT}/°R" ; + qudt:ucumCode "[Btu_IT].[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[degR]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N62" ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Degree Rankine"@en ; +. +unit:BTU_IT-PER-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{BTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(Btu/ft^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 11356.5267 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "Btu{IT}/ft²" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Square Foot"@en ; +. +unit:BTU_IT-PER-FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(hr-ft^{2}-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(hr-ft^{2}-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:symbol "Btu{IT}/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Square Foot Hour Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-FT2-SEC-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Second \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(ft^{2}-s-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:symbol "Btu{IT}/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N76" ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Square Foot Second Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-FT3 + a qudt:Unit ; + dcterms:description "\\(\\textit{British Thermal Unit (IT) Per Cubic Foot}\\) (\\(Btu (IT)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37258.94579."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 37258.94579 ; + qudt:expression "\\(Btu(IT)-per-ft3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/ft³" ; + qudt:ucumCode "[Btu_IT].[ft_i]-3"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N58" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (IT) Per Cubic Foot"@en ; +. +unit:BTU_IT-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The British thermal unit (BTU or Btu) is a traditional unit of energy equal to about 1 055.05585 joules. It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(3.9 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the joule, though it may be used as a measure of agricultural energy production (BTU/kg)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.29307107 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/hr" ; + qudt:ucumCode "[Btu_IT].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2I" ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Hour"@en ; +. +unit:BTU_IT-PER-HR-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{BTU per Hour Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(hr-ft^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.15459075 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(hr-ft^{2})\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "Btu{IT}/(hr⋅ft²)" ; + qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(h.[ft_i]2)"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Hour Square Foot"@en ; +. +unit:BTU_IT-PER-HR-FT2-DEG_R + a qudt:Unit ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB099" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(hr⋅ft²⋅°R)" ; + qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(h.[ft_i]2.[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A23" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Hour Square Foot degree Rankine"@en ; +. +unit:BTU_IT-PER-LB + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The amount of energy generated by a pound of substance is measured in British thermal units (IT) per pound of mass. 1 \\(Btu_{IT}/lb\\) is equivalent to \\(2.326 \\times 10^3\\) joule per kilogram (J/kg)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2326.0 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(Btu/lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/lb" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[lb_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AZ" ; + rdfs:isDefinedBy ; + rdfs:label "BTU-IT-PER-lb"@en ; +. +unit:BTU_IT-PER-LB-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb- degF) is a unit in the category of Specific heat. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb-degF) has a dimension of \\(L2T^{-2}Q^{-1}\\) where \\(L\\) is length, \\(T\\) is time, and \\(Q\\) is temperature. It can be converted to the corresponding standard SI unit \\(J/kg-K\\) by multiplying its value by a factor of 4183.99895."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(lb-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅°F)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([lb_av].[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Pound Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-LB-DEG_R + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Degree \\, Rankine}\\) is a unit for 'Specific Heat Capacity' expressed as \\(Btu/(lb-degR)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(lb-degR)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅°R)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([lb_av].[degR])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Pound Degree Rankine"@en ; +. +unit:BTU_IT-PER-LB-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\,Mole}\\) is an Imperial unit for 'Energy And Work Per Mass Amount Of Substance' expressed as \\(Btu/(lb-mol)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(Btu/(lb-mol)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerMassAmountOfSubstance ; + qudt:symbol "Btu{IT}/(lb⋅mol)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([lb_av].mol)"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Pound Mole"@en ; +. +unit:BTU_IT-PER-LB_F + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 237.18597062376833 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB150" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units" ; + qudt:symbol "Btu{IT}/lbf" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/[lbf_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Pound of Force"@en ; +. +unit:BTU_IT-PER-LB_F-DEG_F + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA119" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit" ; + qudt:symbol "Btu{IT}/(lbf⋅°F)" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([lbf_av].[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J43" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Pound Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-LB_F-DEG_R + a qudt:Unit ; + dcterms:description "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 426.9 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAB141" ; + qudt:plainTextDescription "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units" ; + qudt:symbol "Btu{IT}/(lbf⋅°R)" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([lbf_av].[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A21" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Pound Degree Rankine"@en ; +. +unit:BTU_IT-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 17.58 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA120" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "Btu{IT}/min" ; + qudt:ucumCode "[Btu_IT].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J44" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Minute"@en ; +. +unit:BTU_IT-PER-MOL-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Mole \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Molar Heat Capacity' expressed as \\(Btu/(lb-mol-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(Btu/(lb-mol-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅mol⋅°F)" ; + qudt:ucumCode "[Btu_IT].mol-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(mol.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Pound Mole Degree Fahrenheit"@en ; +. +unit:BTU_IT-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU \\, per \\, Second}\\) is an Imperial unit for 'Heat Flow Rate' expressed as \\(Btu/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/s" ; + qudt:ucumCode "[Btu_IT].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J45" ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Second"@en ; +. +unit:BTU_IT-PER-SEC-FT-DEG_R + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 178.66 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB107" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(s⋅ft⋅°R)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-1.[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(s.[ft_i].[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A22" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Second Foot Degree Rankine"@en ; +. +unit:BTU_IT-PER-SEC-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{BTU per Second Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(s\\cdot ft^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 11356.5267 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(s-ft^{2})\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "Btu{IT}/(s⋅ft²)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(s.[ft_i]2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N53" ; + rdfs:isDefinedBy ; + rdfs:label "BTU per Second Square Foot"@en ; +. +unit:BTU_IT-PER-SEC-FT2-DEG_R + a qudt:Unit ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 14.89 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB098" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(s⋅ft²⋅°R)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/(s.[ft_i]2.[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A20" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (international Table) Per Second Square Foot degree Rankine"@en ; +. +unit:BTU_MEAN + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA113" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units" ; + qudt:symbol "BTU{mean}" ; + qudt:ucumCode "[Btu_m]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J39" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (mean)"@en ; +. +unit:BTU_TH + a qudt:Unit ; + dcterms:description "(\\{\\bf (BTU_{th}}\\), British Thermal Unit (thermochemical definition), is a traditional unit of energy equal to about \\(1.0543502645 kilojoule\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(39 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1054.3502645 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI ; + qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; + qudt:symbol "Btu{th}" ; + qudt:ucumCode "[Btu_th]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (Thermochemical Definition)"@en ; +. +unit:BTU_TH-FT-PER-FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({ \\bf BTU_{TH} \\, Foot \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.729577206 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:symbol "Btu{th}⋅ft/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU (TH) Foot per Square Foot Hour Degree Fahrenheit"@en ; +. +unit:BTU_TH-FT-PER-HR-FT2-DEG_F + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.73 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA123" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅ft/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_th].[ft_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th].[ft_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J46" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (thermochemical) Foot Per Hour Square Foot degree Fahrenheit"@en ; +. +unit:BTU_TH-IN-PER-FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\({\\bf BTU_{th}}\\), Inch per Square Foot Hour Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu-in/(hr-ft^{2}-degF)\\). A thermochemical British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.144131434 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu(th)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA125" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:latexSymbol "\\(Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅in/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J48" ; + rdfs:isDefinedBy ; + rdfs:label "BTU (TH) Inch per Square Foot Hour Degree Fahrenheit"@en ; +. +unit:BTU_TH-IN-PER-FT2-SEC-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(BTU_{TH}\\) Inch per Square Foot Second Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot in/(ft^{2} \\cdot s \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 518.8732 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA126" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅in/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "BTU (TH) Inch per Square Foot Second Degree Fahrenheit"@en ; +. +unit:BTU_TH-PER-FT3 + a qudt:Unit ; + dcterms:description "British Thermal Unit (TH) Per Cubic Foot (\\(Btu (TH)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37234.03."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 37234.03 ; + qudt:expression "\\(Btu(th)-per-ft3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; + qudt:symbol "Btu{th}/ft³" ; + qudt:ucumCode "[Btu_th].[ft_i]-3"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N59" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (TH) Per Cubic Foot"@en ; +. +unit:BTU_TH-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.2929 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA124" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "Btu{th}/hr" ; + qudt:ucumCode "[Btu_th].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J47" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (thermochemical) Per Hour"@en ; +. +unit:BTU_TH-PER-LB + a qudt:Unit ; + dcterms:description "\\({\\bf Btu_{th} / lbm}\\), British Thermal Unit (therm.) Per Pound Mass, is a unit in the category of Thermal heat capacity. It is also known as Btu per pound, Btu/pound, Btu/lb. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Mass (Btu (therm.)/lbm) has a dimension of \\(L^2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit J/kg by multiplying its value by a factor of 2324.443861."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2324.443861 ; + qudt:expression "\\(btu_th-per-lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:symbol "btu{th}/lb" ; + qudt:ucumCode "[Btu_th].[lb_av]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/[lb_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (TH) Per Pound"@en ; +. +unit:BTU_TH-PER-LB-DEG_F + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 426.654 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA127" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit" ; + qudt:symbol "Btu{th}/(lb⋅°F)" ; + qudt:ucumCode "[Btu_th].[lb_av]-1.[degF]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/([lb_av].[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J50" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (thermochemical) Per Pound Degree Fahrenheit"@en ; +. +unit:BTU_TH-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 17.573 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA128" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "Btu{th}/min" ; + qudt:ucumCode "[Btu_th].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J51" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (thermochemical) Per Minute"@en ; +. +unit:BTU_TH-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1054.35 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA129" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "Btu{th}/s" ; + qudt:ucumCode "[Btu_th].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[Btu_th]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J52" ; + rdfs:isDefinedBy ; + rdfs:label "British Thermal Unit (thermochemical) Per Second"@en ; +. +unit:BU_UK + a qudt:Unit ; + dcterms:description "A bushel is an imperial unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03636872 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAA344" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; + qudt:symbol "bsh{UK}" ; + qudt:ucumCode "[bu_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BUI" ; + rdfs:isDefinedBy ; + rdfs:label "bushel (UK)"@en ; +. +unit:BU_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.209343e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA345" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "bsh{UK}/day" ; + qudt:ucumCode "[bu_br].d-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_br]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J64" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (UK) Per Day"@en ; +. +unit:BU_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.010242e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA346" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "bsh{UK}/hr" ; + qudt:uneceCommonCode "J65" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (UK) Per Hour"@en ; +. +unit:BU_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0006061453 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA347" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "bsh{UK}/min" ; + qudt:ucumCode "[bu_br].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_br]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J66" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (UK) Per Minute"@en ; +. +unit:BU_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03636872 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA348" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "bsh{UK}/s" ; + qudt:ucumCode "[bu_br].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_br]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J67" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (UK) Per Second"@en ; +. +unit:BU_US + a qudt:Unit ; + dcterms:description "A bushel is an imperial and U.S. customary unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03523907 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAA353" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "bsh{US}" ; + qudt:ucumCode "[bu_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "bu" ; + qudt:uneceCommonCode "BUA" ; + rdfs:isDefinedBy ; + rdfs:label "bushel (US)"@en ; +. +unit:BU_US_DRY-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.0786e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA349" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "bsh{US}/day" ; + qudt:ucumCode "[bu_us].d-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J68" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (US Dry) Per Day"@en ; +. +unit:BU_US_DRY-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 9.789e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA350" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "bsh{US}/hr" ; + qudt:ucumCode "[bu_us].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_us]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J69" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (US Dry) Per Hour"@en ; +. +unit:BU_US_DRY-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00058732 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA351" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "bsh{US}/min" ; + qudt:ucumCode "[bu_us].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_us]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J70" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (US Dry) Per Minute"@en ; +. +unit:BU_US_DRY-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03523907 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA352" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "bsh{US}/s" ; + qudt:ucumCode "[bu_us].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[bu_us]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J71" ; + rdfs:isDefinedBy ; + rdfs:label "Bushel (US Dry) Per Second"@en ; +. +unit:BYTE + a qudt:CountingUnit ; + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The byte is a unit of digital information in computing and telecommunications that most commonly consists of eight bits."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.5451774444795624753378569716654 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA354" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "B" ; + qudt:ucumCode "By"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AD" ; + rdfs:isDefinedBy ; + rdfs:label "Byte"@en ; +. +unit:C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of electric charge. One coulomb is the amount of charge accumulated in one second by a current of one ampere. Electricity is actually a flow of charged particles, such as electrons, protons, or ions. The charge on one of these particles is a whole-number multiple of the charge e on a single electron, and one coulomb represents a charge of approximately 6.241 506 x 1018 e. The coulomb is named for a French physicist, Charles-Augustin de Coulomb (1736-1806), who was the first to measure accurately the forces exerted between electric charges."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Coulomb"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA130" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Coulomb?oldid=491815163"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "C" ; + qudt:ucumCode "C"^^qudt:UCUMcs ; + qudt:udunitsCode "C" ; + qudt:uneceCommonCode "COU" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb"@de ; + rdfs:label "coulomb"@cs ; + rdfs:label "coulomb"@en ; + rdfs:label "coulomb"@fr ; + rdfs:label "coulomb"@hu ; + rdfs:label "coulomb"@it ; + rdfs:label "coulomb"@ms ; + rdfs:label "coulomb"@pt ; + rdfs:label "coulomb"@ro ; + rdfs:label "coulomb"@sl ; + rdfs:label "coulomb"@tr ; + rdfs:label "coulombium"@la ; + rdfs:label "culombio"@es ; + rdfs:label "kulomb"@pl ; + rdfs:label "κουλόμπ"@el ; + rdfs:label "кулон"@bg ; + rdfs:label "кулон"@ru ; + rdfs:label "קולון"@he ; + rdfs:label "كولوم"@ar ; + rdfs:label "کولمب/کولن"@fa ; + rdfs:label "कूलम्ब"@hi ; + rdfs:label "クーロン"@ja ; + rdfs:label "库伦"@zh ; +. +unit:C-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Coulomb Meter (C-m) is a unit in the category of Electric dipole moment. It is also known as atomic unit, u.a., au, ua. This unit is commonly used in the SI unit system. Coulomb Meter (C-m) has a dimension of LTI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:iec61360Code "0112/2///62720#UAA133" ; + qudt:symbol "C⋅m" ; + qudt:ucumCode "C.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A26" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Meter"@en-us ; + rdfs:label "Coulombmeter"@de ; + rdfs:label "coulomb meter"@ms ; + rdfs:label "coulomb metr"@cs ; + rdfs:label "coulomb metre"@en ; + rdfs:label "coulomb metre"@tr ; + rdfs:label "coulomb per metro"@it ; + rdfs:label "coulomb-metro"@pt ; + rdfs:label "coulomb-metru"@ro ; + rdfs:label "coulomb-mètre"@fr ; + rdfs:label "culombio metro"@es ; + rdfs:label "кулон-метр"@ru ; + rdfs:label "كولوم متر"@ar ; + rdfs:label "نیوتون متر"@fa ; + rdfs:label "कूलम्ब मीटर"@hi ; + rdfs:label "クーロンメートル"@ja ; + rdfs:label "库伦米"@zh ; +. +unit:C-M2 + a qudt:Unit ; + dcterms:description "Coulomb Square Meter (C-m2) is a unit in the category of Electric quadrupole moment. This unit is commonly used in the SI unit system. Coulomb Square Meter (C-m2) has a dimension of L2TI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:symbol "C⋅m²" ; + qudt:ucumCode "C.m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Square Meter"@en-us ; + rdfs:label "Coulomb mal Quadratmeter"@de ; + rdfs:label "coulomb meter persegi"@ms ; + rdfs:label "coulomb per metro quadrato"@it ; + rdfs:label "coulomb square metre"@en ; + rdfs:label "کولن متر مربع"@fa ; + rdfs:label "库仑平方米"@zh ; +. +unit:C-M2-PER-V + a qudt:Unit ; + dcterms:description "Coulomb Square Meter (C-m2-per-volt) is a unit in the category of Electric polarizability."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(C m^{2} v^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:iec61360Code "0112/2///62720#UAB486" ; + qudt:symbol "C⋅m²/V" ; + qudt:ucumCode "C.m2.V-1"^^qudt:UCUMcs ; + qudt:ucumCode "C.m2/V"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A27" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Square Meter Per Volt"@en-us ; + rdfs:label "Coulomb mal Quadratmeter je Volt"@de ; + rdfs:label "coulomb per metro quadrato al volt"@it ; + rdfs:label "coulomb square metre per volt"@en ; + rdfs:label "کولن متر مربع بر ولت"@fa ; + rdfs:label "库伦平方米每伏特"@zh ; +. +unit:C-PER-CentiM2 + a qudt:Unit ; + dcterms:description "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAB101" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "C/cm²" ; + qudt:ucumCode "C.cm-2"^^qudt:UCUMcs ; + qudt:ucumCode "C/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A33" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Per Square Centimeter"@en-us ; + rdfs:label "Coulomb Per Square Centimetre"@en ; +. +unit:C-PER-CentiM3 + a qudt:Unit ; + dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAB120" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3" ; + qudt:symbol "C/cm³" ; + qudt:ucumCode "C.cm-3"^^qudt:UCUMcs ; + qudt:ucumCode "C/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A28" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Per Cubic Centimeter"@en-us ; + rdfs:label "Coulomb Per Cubic Centimetre"@en ; +. +unit:C-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Coulomb Per Kilogram (C/kg)}\\) is the unit in the category of Exposure. It is also known as coulombs per kilogram, coulomb/kilogram. This unit is commonly used in the SI unit system. Coulomb Per Kilogram (C/kg) has a dimension of \\(M^{-1}TI\\) where \\(M\\) is mass, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA131" ; + qudt:symbol "C/kg" ; + qudt:ucumCode "C.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "C/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CKG" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb per Kilogram"@en ; +. +unit:C-PER-KiloGM-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of exposure rate"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(C/kg-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:ExposureRate ; + qudt:iec61360Code "0112/2///62720#UAA132" ; + qudt:informativeReference "http://en.wikibooks.org/wiki/Basic_Physics_of_Nuclear_Medicine/Units_of_Radiation_Measurement"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "C/kg⋅s" ; + qudt:ucumCode "C.kg-1.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "C/(kg.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A31" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Per Kilogram Second"@en ; +. +unit:C-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Coulomb per Meter\" is a unit for 'Electric Charge Line Density' expressed as \\(C/m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeLineDensity ; + qudt:hasQuantityKind quantitykind:ElectricChargeLinearDensity ; + qudt:iec61360Code "0112/2///62720#UAB337" ; + qudt:symbol "C/m" ; + qudt:ucumCode "C.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "C/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P10" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb per Meter"@en-us ; + rdfs:label "Coulomb per Metre"@en ; +. +unit:C-PER-M2 + a qudt:Unit ; + dcterms:description "Coulomb Per Square Meter (\\(C/m^2\\)) is a unit in the category of Electric charge surface density. It is also known as coulombs per square meter, coulomb per square metre, coulombs per square metre, coulomb/square meter, coulomb/square metre. This unit is commonly used in the SI unit system. Coulomb Per Square Meter (C/m2) has a dimension of \\(L^{-2}TI\\) where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:hasQuantityKind quantitykind:ElectricChargeSurfaceDensity ; + qudt:hasQuantityKind quantitykind:ElectricPolarization ; + qudt:iec61360Code "0112/2///62720#UAA134" ; + qudt:symbol "C/m²" ; + qudt:ucumCode "C.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "C/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A34" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb je Quadratmeter"@de ; + rdfs:label "Coulomb per Square Meter"@en-us ; + rdfs:label "coulomb al metro quadrato"@it ; + rdfs:label "coulomb bölü metre kare"@tr ; + rdfs:label "coulomb na metr čtvereční"@cs ; + rdfs:label "coulomb par mètre carré"@fr ; + rdfs:label "coulomb pe metru pătrat"@ro ; + rdfs:label "coulomb per meter persegi"@ms ; + rdfs:label "coulomb per square metre"@en ; + rdfs:label "coulomb por metro quadrado"@pt ; + rdfs:label "culombio por metro cuadrado"@es ; + rdfs:label "kulomb na metr kwadratowy"@pl ; + rdfs:label "кулон на квадратный метр"@ru ; + rdfs:label "كولوم في المتر المربع"@ar ; + rdfs:label "کولمب/کولن بر مترمربع"@fa ; + rdfs:label "कूलम्ब प्रति वर्ग मीटर"@hi ; + rdfs:label "クーロン毎平方メートル"@ja ; + rdfs:label "库伦每平方米"@zh ; +. +unit:C-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Coulomb Per Cubic Meter (\\(C/m^{3}\\)) is a unit in the category of Electric charge density. It is also known as coulomb per cubic metre, coulombs per cubic meter, coulombs per cubic metre, coulomb/cubic meter, coulomb/cubic metre. This unit is commonly used in the SI unit system. Coulomb Per Cubic Meter has a dimension of \\(L^{-3}TI\\) where \\(L\\) is length, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA135" ; + qudt:symbol "C/m³" ; + qudt:ucumCode "C.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "C/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A29" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb per Cubic Meter"@en-us ; + rdfs:label "Coulomb per Cubic Metre"@en ; +. +unit:C-PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description " (\\(C/mol\\)) is a unit in the category of Molar electric charge. It is also known as \\(coulombs/mol\\). Coulomb Per Mol has a dimension of \\(TN{-1}I\\) where \\(T\\) is time, \\(N\\) is amount of substance, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(c-per-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB142" ; + qudt:symbol "c/mol" ; + qudt:ucumCode "C.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "C/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A32" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb per Mole"@en ; +. +unit:C-PER-MilliM2 + a qudt:Unit ; + dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAB100" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "C/mm²" ; + qudt:ucumCode "C.mm-2"^^qudt:UCUMcs ; + qudt:ucumCode "C/mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A35" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Per Square Millimeter"@en-us ; + rdfs:label "Coulomb Per Square Millimetre"@en ; +. +unit:C-PER-MilliM3 + a qudt:Unit ; + dcterms:description "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAB119" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3" ; + qudt:symbol "C/mm³" ; + qudt:ucumCode "C.mm-3"^^qudt:UCUMcs ; + qudt:ucumCode "C/mm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A30" ; + rdfs:isDefinedBy ; + rdfs:label "Coulomb Per Cubic Millimeter"@en-us ; + rdfs:label "Coulomb Per Cubic Millimetre"@en ; +. +unit:C2-M2-PER-J + a qudt:Unit ; + dcterms:description "\"Square Coulomb Square Meter per Joule\" is a unit for 'Polarizability' expressed as \\(C^{2} m^{2} J^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^{2} m^{2} J^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:symbol "C²⋅m²/J" ; + qudt:ucumCode "C2.m2.J-1"^^qudt:UCUMcs ; + qudt:ucumCode "C2.m2/J"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Coulomb Square Meter per Joule"@en-us ; + rdfs:label "Square Coulomb Square Metre per Joule"@en ; +. +unit:C3-M-PER-J2 + a qudt:Unit ; + dcterms:description "\"Cubic Coulomb Meter per Square Joule\" is a unit for 'Cubic Electric Dipole Moment Per Square Energy' expressed as \\(C^{3} m^{3} J^{-2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^{3} m J^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; + qudt:symbol "C³⋅m/J²" ; + qudt:ucumCode "C3.m.J-2"^^qudt:UCUMcs ; + qudt:ucumCode "C3.m/J2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Coulomb Meter per Square Joule"@en-us ; + rdfs:label "Cubic Coulomb Metre per Square Joule"@en ; +. +unit:C4-M4-PER-J3 + a qudt:Unit ; + dcterms:description "\"Quartic Coulomb Meter per Cubic Energy\" is a unit for 'Quartic Electric Dipole Moment Per Cubic Energy' expressed as \\(C^{4} m^{4} J^{-3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^4m^4/J^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; + qudt:symbol "C⁴m⁴/J³" ; + qudt:ucumCode "C4.m4.J-3"^^qudt:UCUMcs ; + qudt:ucumCode "C4.m4/J3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Coulomb Meter per Cubic Energy"@en-us ; + rdfs:label "Quartic Coulomb Metre per Cubic Energy"@en ; +. +unit:CAL_15_DEG_C + a qudt:Unit ; + dcterms:description "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1855 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAB139" ; + qudt:plainTextDescription "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius" ; + qudt:symbol "cal{15 °C}" ; + qudt:ucumCode "cal_[15]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A1" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (15 Degrees C)"@en ; +. +unit:CAL_IT + a qudt:Unit ; + dcterms:description "International Table calorie."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1868 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:symbol "cal{IT}" ; + qudt:ucumCode "cal_IT"^^qudt:UCUMcs ; + qudt:udunitsCode "cal" ; + qudt:uneceCommonCode "D70" ; + rdfs:isDefinedBy ; + rdfs:label "International Table calorie"@en ; +. +unit:CAL_IT-PER-GM + a qudt:Unit ; + dcterms:description "Calories produced per gram of substance."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:expression "\\(cal_{it}-per-gm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB176" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:plainTextDescription "unit calorie according to the international steam table divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "cal{IT}/g" ; + qudt:ucumCode "cal_IT.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_IT/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D75" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (international Table) Per Gram"@en ; +. +unit:CAL_IT-PER-GM-DEG_C + a qudt:Unit ; + dcterms:description "unit calorieIT divided by the products of the units gram and degree Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA362" ; + qudt:plainTextDescription "unit calorieIT divided by the products of the units gram and degree Celsius" ; + qudt:symbol "cal{IT}/(g⋅°C)" ; + qudt:ucumCode "cal_IT.g-1.Cel-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_IT/(g.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J76" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (international Table) Per Gram Degree Celsius"@en ; +. +unit:CAL_IT-PER-GM-K + a qudt:Unit ; + dcterms:description "unit calorieIT divided by the product of the SI base unit gram and Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA363" ; + qudt:plainTextDescription "unit calorieIT divided by the product of the SI base unit gram and Kelvin" ; + qudt:symbol "cal{IT}/(g⋅K)" ; + qudt:ucumCode "cal_IT.g-1.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_IT/(g.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D76" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (international Table) Per Gram Kelvin"@en ; +. +unit:CAL_IT-PER-SEC-CentiM-K + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 418.68 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB108" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{IT}/(s⋅cm⋅K)" ; + qudt:ucumCode "cal_IT.s-1.cm-1.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_IT/(s.cm.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D71" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (international Table) Per Second Centimeter Kelvin"@en-us ; + rdfs:label "Calorie (international Table) Per Second Centimetre Kelvin"@en ; +. +unit:CAL_IT-PER-SEC-CentiM2-K + a qudt:Unit ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 41868.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB096" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "cal{IT}/(s⋅cm²⋅K)" ; + qudt:ucumCode "cal_IT.s-1.cm-2.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_IT/(s.cm2.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D72" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (international Table) Per Second Square Centimeter kelvin"@en-us ; + rdfs:label "Calorie (international Table) Per Second Square Centimetre kelvin"@en ; +. +unit:CAL_MEAN + a qudt:Unit ; + dcterms:description "unit used particularly for calorific values of foods"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.19 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA360" ; + qudt:plainTextDescription "unit used particularly for calorific values of foods" ; + qudt:symbol "cal{mean}" ; + qudt:ucumCode "cal_m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J75" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (mean)"@en ; +. +unit:CAL_TH + a qudt:Unit ; + dcterms:description "The energy needed to increase the temperature of a given mass of water by \\(1 ^\\circ C\\) at atmospheric pressure depends on the starting temperature and is difficult to measure precisely. Accordingly, there have been several definitions of the calorie. The two perhaps most popular definitions used in older literature are the \\(15 ^\\circ C\\) calorie and the thermochemical calorie."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.184 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie"^^xsd:anyURI ; + qudt:latexDefinition """\\(1 \\; cal_{th} = 4.184 J\\) + +\\(\\approx 0.003964 BTU\\) + +\\(\\approx 1.163 \\times 10^{-6} kWh\\) + +\\(\\approx 2.611 \\times 10^{19} eV\\)"""^^qudt:LatexString ; + qudt:symbol "cal" ; + qudt:ucumCode "cal_th"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D35" ; + rdfs:isDefinedBy ; + rdfs:label "Thermochemical Calorie"@en ; +. +unit:CAL_TH-PER-CentiM-SEC-DEG_C + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 418.4 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA365" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{th}/(cm⋅s⋅°C)" ; + qudt:ucumCode "cal_th.cm-1.s-1.Cel-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/(cm.s.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J78" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Centimeter Second Degree Celsius"@en-us ; + rdfs:label "Calorie (thermochemical) Per Centimetre Second Degree Celsius"@en ; +. +unit:CAL_TH-PER-G + a qudt:Unit ; + dcterms:description "\\(Thermochemical Calorie. Calories produced per gram of substance.\\)"^^qudt:LatexString ; + dcterms:isReplacedBy unit:CAL_TH-PER-GM ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:deprecated true ; + qudt:expression "\\(cal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:symbol "calTH/g" ; + qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "calorie (thermochemical) per gram (calTH/g)"@en ; + skos:changeNote "2020-10-30 - incorrect local-name - G is for Gravity, GM is for gram - the correct named individual was already present, so this one deprecated. " ; +. +unit:CAL_TH-PER-GM + a qudt:Unit ; + dcterms:description "Thermochemical Calorie. Calories produced per gram of substance."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:expression "\\(cal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB153" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:plainTextDescription "unit thermochemical calorie divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "cal{th}/g" ; + qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B36" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Gram"@en ; +. +unit:CAL_TH-PER-GM-DEG_C + a qudt:Unit ; + dcterms:description "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA366" ; + qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius" ; + qudt:symbol "cal{th}/(g⋅°C)" ; + qudt:ucumCode "cal_th.g-1.Cel-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/(g.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J79" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Gram Degree Celsius"@en ; +. +unit:CAL_TH-PER-GM-K + a qudt:Unit ; + dcterms:description "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA367" ; + qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin" ; + qudt:symbol "cal{th}/(g⋅K)" ; + qudt:ucumCode "cal_th.g-1.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/(g.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D37" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Gram Kelvin"@en ; +. +unit:CAL_TH-PER-MIN + a qudt:Unit ; + dcterms:description "unit calorie divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.06973 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA368" ; + qudt:plainTextDescription "unit calorie divided by the unit minute" ; + qudt:symbol "cal{th}/min" ; + qudt:ucumCode "cal_th.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J81" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Minute"@en ; +. +unit:CAL_TH-PER-SEC + a qudt:Unit ; + dcterms:description "unit calorie divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.184 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA369" ; + qudt:plainTextDescription "unit calorie divided by the SI base unit second" ; + qudt:symbol "cal{th}/s" ; + qudt:ucumCode "cal_th.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J82" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Second"@en ; +. +unit:CAL_TH-PER-SEC-CentiM-K + a qudt:Unit ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 418.4 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB109" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{th}/(s⋅cm⋅K)" ; + qudt:ucumCode "cal_th.s-1.cm-1.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/(s.cm.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D38" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Second Centimeter Kelvin"@en-us ; + rdfs:label "Calorie (thermochemical) Per Second Centimetre Kelvin"@en ; +. +unit:CAL_TH-PER-SEC-CentiM2-K + a qudt:Unit ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 41840.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB097" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "cal{th}/(s⋅cm²⋅K)" ; + qudt:ucumCode "cal_th.s-1.cm-2.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cal_th/(s.cm2.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D39" ; + rdfs:isDefinedBy ; + rdfs:label "Calorie (thermochemical) Per Second Square Centimeter kelvin"@en-us ; + rdfs:label "Calorie (thermochemical) Per Second Square Centimetre kelvin"@en ; +. +unit:CARAT + a qudt:Unit ; + dcterms:description "The carat is a unit of mass equal to 200 mg and is used for measuring gemstones and pearls. The current definition, sometimes known as the metric carat, was adopted in 1907 at the Fourth General Conference on Weights and Measures, and soon afterward in many countries around the world. The carat is divisible into one hundred points of two milligrams each. Other subdivisions, and slightly different mass values, have been used in the past in different locations. In terms of diamonds, a paragon is a flawless stone of at least 100 carats (20 g). The ANSI X.12 EDI standard abbreviation for the carat is \\(CD\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.0002 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Carat"^^xsd:anyURI ; + qudt:expression "\\(Nm/ct\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB166" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Carat?oldid=477129057"^^xsd:anyURI ; + qudt:symbol "ct" ; + qudt:ucumCode "[car_m]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CTM" ; + rdfs:isDefinedBy ; + rdfs:label "Carat"@en ; + skos:altLabel "metric carat" ; +. +unit:CASES-PER-1000I-YR + a qudt:Unit ; + dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:CASES-PER-KiloINDIV-YR ; + qudt:conversionMultiplier 0.001 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Incidence ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; + qudt:symbol "Cases/1000 individuals/year" ; + rdfs:isDefinedBy ; + rdfs:label "Cases per 1000 individuals per year"@en ; +. +unit:CASES-PER-KiloINDIV-YR + a qudt:Unit ; + dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Incidence ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; + qudt:symbol "Cases/1000 individuals/year" ; + rdfs:isDefinedBy ; + rdfs:label "Cases per 1000 individuals per year"@en ; +. +unit:CD + a qudt:Unit ; + dcterms:description "\\(\\textit{Candela}\\) is a unit for 'Luminous Intensity' expressed as \\(cd\\). The candela is the SI base unit of luminous intensity; that is, power emitted by a light source in a particular direction, weighted by the luminosity function (a standardized model of the sensitivity of the human eye to different wavelengths, also known as the luminous efficiency function). A common candle emits light with a luminous intensity of roughly one candela."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Candela"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousIntensity ; + qudt:iec61360Code "0112/2///62720#UAA370" ; + qudt:iec61360Code "0112/2///62720#UAD719" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Candela?oldid=484253082"^^xsd:anyURI ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "cd" ; + qudt:ucumCode "cd"^^qudt:UCUMcs ; + qudt:udunitsCode "cd" ; + qudt:uneceCommonCode "CDL" ; + rdfs:isDefinedBy ; + rdfs:label "Candela"@de ; + rdfs:label "candela"@en ; + rdfs:label "candela"@es ; + rdfs:label "candela"@fr ; + rdfs:label "candela"@it ; + rdfs:label "candela"@la ; + rdfs:label "candela"@pt ; + rdfs:label "candela"@tr ; + rdfs:label "candelă"@ro ; + rdfs:label "kandela"@cs ; + rdfs:label "kandela"@hu ; + rdfs:label "kandela"@ms ; + rdfs:label "kandela"@pl ; + rdfs:label "kandela"@sl ; + rdfs:label "καντέλα"@el ; + rdfs:label "кандела"@bg ; + rdfs:label "кандела"@ru ; + rdfs:label "קנדלה"@he ; + rdfs:label "قنديلة"@ar ; + rdfs:label "کاندلا"@fa ; + rdfs:label "कॅन्डेला"@hi ; + rdfs:label "カンデラ"@ja ; + rdfs:label "坎德拉"@zh ; +. +unit:CD-PER-IN2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Candela per Square Inch\" is a unit for 'Luminance' expressed as \\(cd/in^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1550.0031000062002 ; + qudt:expression "\\(cd/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB257" ; + qudt:symbol "cd/in²" ; + qudt:ucumCode "cd.[in_i]-2"^^qudt:UCUMcs ; + qudt:ucumCode "cd/[in_i]2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P28" ; + rdfs:isDefinedBy ; + rdfs:label "Candela per Square Inch"@en ; +. +unit:CD-PER-LM + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:LuminousIntensityDistribution ; + qudt:symbol "cd/lm" ; + rdfs:isDefinedBy ; + rdfs:label "Candela per Lumen" ; +. +unit:CD-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The candela per square metre (\\(cd/m^2\\)) is the derived SI unit of luminance. The unit is based on the candela, the SI unit of luminous intensity, and the square metre, the SI unit of area. Nit (nt) is a deprecated non-SI name also used for this unit (\\(1 nit = 1 cd/m^2\\)). As a measure of light emitted per unit area, this unit is frequently used to specify the brightness of a display device. Most consumer desktop liquid crystal displays have luminances of 200 to 300 \\(cd/m^2\\); the sRGB spec for monitors targets 80 cd/m2. HDTVs range from 450 to about 1000 cd/m2. Typically, calibrated monitors should have a brightness of \\(120 cd/m^2\\). \\(Nit\\) is believed to come from the Latin word nitere, to shine."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(cd/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAA371" ; + qudt:symbol "cd/m²" ; + qudt:ucumCode "cd.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "cd/m2"^^qudt:UCUMcs ; + qudt:udunitsCode "nt" ; + qudt:uneceCommonCode "A24" ; + rdfs:isDefinedBy ; + rdfs:label "candela per square meter"@en-us ; + rdfs:label "candela per square metre"@en ; +. +unit:CFU + a qudt:Unit ; + dcterms:description "\"Colony Forming Unit\" is a unit for 'Microbial Formation' expressed as \\(CFU\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Colony-forming_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MicrobialFormation ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Colony-forming_unit?oldid=473146689"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "CFU" ; + qudt:ucumCode "[CFU]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Colony Forming Unit"@en ; +. +unit:CH + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A chain is a unit of length. It measures 66 feet, or 22 yards, or 100 links, or 4 rods. There are 10 chains in a furlong, and 80 chains in one statute mile. An acre is the area of 10 square chains (that is, an area of one chain by one furlong). The chain has been used for several centuries in Britain and in some other countries influenced by British practice."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 20.1168 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Chain"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB203" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chain?oldid=494116185"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ch" ; + qudt:ucumCode "[ch_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "X1" ; + rdfs:isDefinedBy ; + rdfs:label "chain"@en ; + skos:altLabel "Gunter's chain" ; +. +unit:CLO + a qudt:Unit ; + dcterms:description "A C.G.S System unit for \\(\\textit{Thermal Insulance}\\) expressed as \"clo\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.155 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA374" ; + qudt:symbol "clo" ; + qudt:uneceCommonCode "J83" ; + rdfs:isDefinedBy ; + rdfs:label "Clo"@en ; +. +unit:CM_H2O + a qudt:Unit ; + dcterms:isReplacedBy unit:CentiM_H2O ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 98.0665 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "cmH₂0" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter of Water"@en-us ; + rdfs:label "Centimetre of Water"@en ; +. +unit:CORD + a qudt:Unit ; + dcterms:description "The cord is a unit of measure of dry volume used in Canada and the United States to measure firewood and pulpwood. A cord is the amount of wood that, when 'ranked and well stowed' (arranged so pieces are aligned, parallel, touching and compact), occupies a volume of 128 cubic feet (3.62 cubic metres). This corresponds to a well stacked woodpile 4 feet (122 cm) wide, 4 feet (122 cm) high, and 8 feet (244 cm) long; or any other arrangement of linear measurements that yields the same volume. The name cord probably comes from the use of a cord or string to measure it. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.62 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cord"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cord?oldid=490232340"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "cord" ; + qudt:ucumCode "[crd_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WCD" ; + rdfs:isDefinedBy ; + rdfs:label "Cord"@en ; +. +unit:CP + a qudt:Unit ; + dcterms:description "\"Candlepower\" (abbreviated as cp) is a now-obsolete unit which was used to express levels of light intensity in terms of the light emitted by a candle of specific size and constituents. In modern usage Candlepower equates directly to the unit known as the candela."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Candlepower"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousIntensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Candlepower?oldid=491140098"^^xsd:anyURI ; + qudt:symbol "cp" ; + rdfs:isDefinedBy ; + rdfs:label "Candlepower"@en ; +. +unit:CUP + a qudt:Unit ; + dcterms:description "\"US Liquid Cup\" is a unit for 'Liquid Volume' expressed as \\(cup\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00023658825 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "cup" ; + qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G21" ; + rdfs:isDefinedBy ; + rdfs:label "US Liquid Cup"@en ; +. +unit:CUP_US + a qudt:Unit ; + dcterms:description "unit of the volume according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0002365882 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA404" ; + qudt:plainTextDescription "unit of the volume according to the Anglo-American system of units" ; + qudt:symbol "cup{US}" ; + qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G21" ; + rdfs:isDefinedBy ; + rdfs:label "Cup (US)"@en ; +. +unit:CWT_LONG + a qudt:Unit ; + dcterms:description "\"Hundred Weight - Long\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 50.80235 ; + qudt:exactMatch unit:Hundredweight_UK ; + qudt:expression "\\(cwt long\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "cwt{long}" ; + qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWI" ; + rdfs:isDefinedBy ; + rdfs:label "Long Hundred Weight"@en ; + skos:altLabel "British hundredweight" ; +. +unit:CWT_SHORT + a qudt:Unit ; + dcterms:description "\"Hundred Weight - Short\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 45.359237 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:Hundredweight_US ; + qudt:expression "\\(cwt\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "cwt{short}" ; + qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hundred Weight - Short"@en ; + skos:altLabel "U.S. hundredweight" ; +. +unit:C_Ab + a qudt:Unit ; + dcterms:description "\"abcoulomb\" (abC or aC) or electromagnetic unit of charge (emu of charge) is the basic physical unit of electric charge in the cgs-emu system of units. One abcoulomb is equal to ten coulombs (\\(1\\,abC\\,=\\,10\\,C\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abcoulomb"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abcoulomb?oldid=477198635"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-9?rskey=KHjyOu"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abC" ; + qudt:ucumCode "10.C"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abcoulomb"@en ; +. +unit:C_Ab-PER-CentiM2 + a qudt:Unit ; + dcterms:description """Abcoulomb Per Square Centimeter is a unit in the category of Electric charge surface density. It is also known as abcoulombs per square centimeter, abcoulomb per square centimetre, abcoulombs per square centimetre, abcoulomb/square centimeter,abcoulomb/square centimetre. This unit is commonly used in the cgs unit system. +Abcoulomb Per Square Centimeter (abcoulomb/cm2) has a dimension of \\(L_2TI\\). where L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit \\(C/m^2\\) by multiplying its value by a factor of 100,000."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e05 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abc-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_charge_surface_density--abcoulomb_per_square_centimeter.cfm"^^xsd:anyURI ; + qudt:latexDefinition "\\(abcoulomb/cm^2\\)"^^qudt:LatexString ; + qudt:symbol "abC/cm²" ; + qudt:ucumCode "10.C.cm-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abcoulomb per Square Centimeter"@en-us ; + rdfs:label "Abcoulomb per Square Centimetre"@en ; +. +unit:C_Stat + a qudt:Unit ; + dcterms:description "The statcoulomb (\\(statC\\)) or franklin (\\(Fr\\)) or electrostatic unit of charge (\\(esu\\)) is the physical unit for electrical charge used in the centimetre-gram-second system of units (cgs) and Gaussian units. It is a derived unit given by \\(1\\ statC = 1\\ g\\ cm\\ s = 1\\ erg\\ cm\\). The SI system of units uses the coulomb (C) instead. The conversion between C and statC is different in different contexts. The number 2997924580 is 10 times the value of the speed of light expressed in meters/second, and the conversions are exact except where indicated. The coulomb is an extremely large charge rarely encountered in electrostatics, while the statcoulomb is closer to everyday charges."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 3.3356409519815204957557671447492e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Statcoulomb"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:exactMatch unit:FR ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statcoulomb?oldid=492664360"^^xsd:anyURI ; + qudt:latexDefinition "\\(1 C \\leftrightarrow 2997924580 statC \\approx 3.00 \\times 10^9 statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.3pc} \\approx 3.34 \\times 10^{-10} C\\) for electric charge."^^qudt:LatexString ; + qudt:latexDefinition "\\(1 C \\leftrightarrow 4 \\pi \\times 2997924580 statC \\approx 3.77 \\times 10^{10} statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.2pc} \\approx 2.6 \\times 10^{-11} C\\) for electric flux \\(\\Phi_D\\)"^^qudt:LatexString ; + qudt:latexDefinition "\\(1 C/m \\leftrightarrow 4 \\pi \\times 2997924580 \\times 10^{-4} statC/cm \\approx 3.77 \\times 10^6 statC/cm,\\ 1 \\hspace{0.3pc} statC/cm \\leftrightarrow \\hspace{0.3pc} \\approx 2.65 \\times 10^{-7} C/m\\) for electric displacement field \\(D\\)."^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "statC" ; + rdfs:isDefinedBy ; + rdfs:label "Statcoulomb"@en ; +. +unit:C_Stat-PER-CentiM2 + a qudt:Unit ; + dcterms:description "\\(\\textbf{Statcoulomb per Square Centimeter}\\) is a unit of measure for electric flux density and electric polarization. One Statcoulomb per Square Centimeter is \\(2.15\\times 10^9 \\, coulomb\\,per\\,square\\,inch\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 3.33564e-06 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(statc-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:symbol "statC/cm²" ; + rdfs:isDefinedBy ; + rdfs:label "Statcoulomb per Square Centimeter"@en-us ; + rdfs:label "Statcoulomb per Square Centimetre"@en ; +. +unit:C_Stat-PER-MOL + a qudt:Unit ; + dcterms:description "\"Statcoulomb per Mole\" is a unit of measure for the electical charge associated with one mole of a substance. The mole is a unit of measurement used in chemistry to express amounts of a chemical substance, defined as an amount of a substance that contains as many elementary entities (e.g., atoms, molecules, ions, electrons) as there are atoms in 12 grams of pure carbon-12 (12C), the isotope of carbon with atomic weight 12."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.33564e-10 ; + qudt:expression "\\(statC/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:symbol "statC/mol" ; + rdfs:isDefinedBy ; + rdfs:label "Statcoulomb per Mole"@en ; +. +unit:CentiBAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix:Centi ; + qudt:symbol "cbar" ; + qudt:ucumCode "cbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centibar"@en ; +. +unit:CentiC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A CentiCoulomb is \\(10^{-2} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Centi ; + qudt:symbol "cC" ; + qudt:ucumCode "cC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "CentiCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:CentiGM + a qudt:Unit ; + dcterms:description "0,000 01-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB077" ; + qudt:plainTextDescription "0,000 01-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Centi ; + qudt:symbol "cg" ; + qudt:ucumCode "cg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CGM" ; + rdfs:isDefinedBy ; + rdfs:label "Centigram"@en ; +. +unit:CentiL + a qudt:Unit ; + dcterms:description "0,01-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA373" ; + qudt:plainTextDescription "0,01-fold of the unit litre" ; + qudt:symbol "cL" ; + qudt:ucumCode "cL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CLT" ; + rdfs:isDefinedBy ; + rdfs:label "Centilitre"@en ; + rdfs:label "Centilitre"@en-us ; +. +unit:CentiM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A centimetre is a unit of length in the metric system, equal to one hundredth of a metre, which is the SI base unit of length. Centi is the SI prefix for a factor of \\(10^{-2}\\). The centimetre is the base unit of length in the now deprecated centimetre-gram-second (CGS) system of units."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA375" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre?oldid=494931891"^^xsd:anyURI ; + qudt:prefix prefix:Centi ; + qudt:symbol "cm" ; + qudt:ucumCode "cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CMT" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter"@en-us ; + rdfs:label "Centimetre"@en ; +. +unit:CentiM-PER-HR + a qudt:Unit ; + dcterms:description "0,01-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA378" ; + qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the unit hour" ; + qudt:symbol "cm/hr" ; + qudt:ucumCode "cm.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H49" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter Per Hour"@en-us ; + rdfs:label "Centimetre Per Hour"@en ; +. +unit:CentiM-PER-K + a qudt:Unit ; + dcterms:description "0,01-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA376" ; + qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "cm/K" ; + qudt:ucumCode "cm.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F51" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter Per Kelvin"@en-us ; + rdfs:label "Centimetre Per Kelvin"@en ; +. +unit:CentiM-PER-KiloYR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.16880878140289e-13 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "cm/(1000 yr)" ; + qudt:ucumCode "cm.ka-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centimetres per thousand years"@en ; +. +unit:CentiM-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Centimeter per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(cm/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(cm/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA379" ; + qudt:latexDefinition "\\(cm/s\\)"^^qudt:LatexString ; + qudt:symbol "cm/s" ; + qudt:ucumCode "cm.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2M" ; + rdfs:isDefinedBy ; + rdfs:label "centimeter per second"@en-us ; + rdfs:label "centimetre per second"@en ; +. +unit:CentiM-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Centimeter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(cm/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(cm/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB398" ; + qudt:symbol "cm/s²" ; + qudt:ucumCode "cm.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "cm/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M39" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter per Square Second"@en-us ; + rdfs:label "Centimetre per Square Second"@en ; +. +unit:CentiM-PER-YR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000316880878140289 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "cm/yr" ; + qudt:ucumCode "cm.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centimetres per year"@en ; +. +unit:CentiM-SEC-DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Centimeter Second Degree Celsius}\\) is a C.G.S System unit for 'Length Temperature Time' expressed as \\(cm-s-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(cm-s-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperatureTime ; + qudt:symbol "cm⋅s⋅°C" ; + qudt:ucumCode "cm.s.Cel-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm.s/Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter Second Degree Celsius"@en-us ; + rdfs:label "Centimetre Second Degree Celsius"@en ; +. +unit:CentiM2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of area equal to that of a square, of sides 1cm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(sqcm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA384" ; + qudt:prefix prefix:Centi ; + qudt:symbol "cm²" ; + qudt:ucumCode "cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CMK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Centimeter"@en-us ; + rdfs:label "Square Centimetre"@en ; +. +unit:CentiM2-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Square centimeter minute\" is a unit for 'Area Time' expressed as \\(cm^{2} . m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.006 ; + qudt:expression "\\(cm^{2}m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "cm²m" ; + qudt:ucumCode "cm2.min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Centimeter Minute"@en-us ; + rdfs:label "Square Centimetre Minute"@en ; +. +unit:CentiM2-PER-CentiM3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "cm²/cm³" ; + qudt:ucumCode "cm2.cm-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square centimetres per cubic centimetre"@en ; +. +unit:CentiM2-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:symbol "cm²/s" ; + qudt:ucumCode "cm2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M81" ; + rdfs:isDefinedBy ; + rdfs:label "Square centimetres per second"@en ; +. +unit:CentiM2-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Square Centimeter Second\" is a C.G.S System unit for 'Area Time' expressed as \\(cm^2 . s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(cm^2 . s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "cm²⋅s" ; + qudt:ucumCode "cm2.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Centimeter Second"@en-us ; + rdfs:label "Square Centimetre Second"@en ; +. +unit:CentiM3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The CGS unit of volume, equal to 10-6 cubic meter, 1 milliliter, or about 0.061 023 7 cubic inch"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:expression "\\(cubic-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA385" ; + qudt:prefix prefix:Centi ; + qudt:symbol "cm³" ; + qudt:ucumCode "cm3"^^qudt:UCUMcs ; + qudt:udunitsCode "cc" ; + qudt:uneceCommonCode "CMQ" ; + rdfs:isDefinedBy ; + rdfs:label "cubic centimeter"@en-us ; + rdfs:label "cubic centimetre"@en ; +. +unit:CentiM3-PER-CentiM3 + a qudt:Unit ; + dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:plainTextDescription "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "cm³/cm³" ; + qudt:ucumCode "cm3.cm-3"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/cm3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Cubic Centimeter"@en-us ; + rdfs:label "Cubic Centimetre Per Cubic Centimetre"@en ; +. +unit:CentiM3-PER-DAY + a qudt:Unit ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA388" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day" ; + qudt:symbol "cm³/day" ; + qudt:ucumCode "cm3.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G47" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Day"@en-us ; + rdfs:label "Cubic Centimetre Per Day"@en ; +. +unit:CentiM3-PER-HR + a qudt:Unit ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA391" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; + qudt:symbol "cm³/hr" ; + qudt:ucumCode "cm3.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G48" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Hour"@en-us ; + rdfs:label "Cubic Centimetre Per Hour"@en ; +. +unit:CentiM3-PER-K + a qudt:Unit ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA386" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin" ; + qudt:symbol "cm³/K" ; + qudt:ucumCode "cm3.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G27" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Kelvin"@en-us ; + rdfs:label "Cubic Centimetre Per Kelvin"@en ; +. +unit:CentiM3-PER-M3 + a qudt:Unit ; + dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA394" ; + qudt:plainTextDescription "volume ratio consisting of the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "cm³/m³" ; + qudt:ucumCode "cm3.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J87" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Cubic Meter"@en-us ; + rdfs:label "Cubic Centimetre Per Cubic Metre"@en ; +. +unit:CentiM3-PER-MIN + a qudt:Unit ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA395" ; + qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute" ; + qudt:symbol "cm³/min" ; + qudt:ucumCode "cm3.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G49" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Minute"@en-us ; + rdfs:label "Cubic Centimetre Per Minute"@en ; +. +unit:CentiM3-PER-MOL + a qudt:Unit ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA398" ; + qudt:plainTextDescription "0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; + qudt:symbol "cm³/mol" ; + qudt:ucumCode "cm3.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A36" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Mole"@en-us ; + rdfs:label "Cubic Centimetre Per Mole"@en ; +. +unit:CentiM3-PER-MOL-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit that is the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate ; + qudt:hasQuantityKind quantitykind:SecondOrderReactionRateConstant ; + qudt:symbol "cm³/(mol⋅s)" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter per Mole Second"@en ; + rdfs:label "Cubic Centimeter per Mole Second"@en-us ; +. +unit:CentiM3-PER-SEC + a qudt:Unit ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA399" ; + qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "cm³/s" ; + qudt:ucumCode "cm3.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "cm3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2J" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter Per Second"@en-us ; + rdfs:label "Cubic Centimetre Per Second"@en ; +. +unit:CentiMOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasQuantityKind quantitykind:ExtentOfReaction ; + qudt:symbol "cmol" ; + rdfs:isDefinedBy ; + rdfs:label "CentiMole"@en ; +. +unit:CentiMOL-PER-KiloGM + a qudt:Unit ; + dcterms:description "1/100 of SI unit of amount of substance per kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:hasQuantityKind quantitykind:MolalityOfSolute ; + qudt:plainTextDescription "1/100 of SI unit of amount of substance per kilogram" ; + qudt:symbol "cmol/kg" ; + qudt:ucumCode "cmol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "cmol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centimole per kilogram"@en ; +. +unit:CentiMOL-PER-L + a qudt:Unit ; + dcterms:description "1/100 of SI unit of amount of substance per litre"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:symbol "cmol/L" ; + qudt:ucumCode "cmol.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "cmol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Centimole per litre"@en ; +. +unit:CentiM_H2O + a qudt:Unit ; + dcterms:description "\\(\\textbf{Centimeter of Water}\\) is a C.G.S System unit for 'Force Per Area' expressed as \\(cm_{H2O}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 98.0665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_of_water"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA402" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre_of_water?oldid=487656894"^^xsd:anyURI ; + qudt:plainTextDescription "non SI conforming unit of pressure that corresponds to the static pressure generated by a water column with a height of 1 centimetre" ; + qudt:symbol "cmH₂0" ; + qudt:ucumCode "cm[H2O]"^^qudt:UCUMcs ; + qudt:udunitsCode "cmH2O" ; + qudt:udunitsCode "cm_H2O" ; + qudt:uneceCommonCode "H78" ; + rdfs:isDefinedBy ; + rdfs:label "Conventional Centimeter Of Water"@en-us ; + rdfs:label "Conventional Centimetre Of Water"@en ; +. +unit:CentiM_HG + a qudt:Unit ; + dcterms:description "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre"^^rdf:HTML ; + qudt:conversionMultiplier 1333.224 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA403" ; + qudt:plainTextDescription "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre" ; + qudt:symbol "cmHg" ; + qudt:ucumCode "cm[Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "cmHg" ; + qudt:udunitsCode "cm_Hg" ; + qudt:uneceCommonCode "J89" ; + rdfs:isDefinedBy ; + rdfs:label "Centimeter Of Mercury"@en-us ; + rdfs:label "Centimetre Of Mercury"@en ; +. +unit:CentiN + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "cN" ; + rdfs:isDefinedBy ; + rdfs:label "CentiNewton"@en ; +. +unit:CentiN-M + a qudt:Unit ; + dcterms:description "0,01-fold of the product of the SI derived unit newton and SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA355" ; + qudt:plainTextDescription "0,01-fold of the product of the SI derived unit newton and SI base unit metre" ; + qudt:symbol "cN⋅m" ; + qudt:ucumCode "cN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J72" ; + rdfs:isDefinedBy ; + rdfs:label "Centinewton Meter"@en-us ; + rdfs:label "Centinewton Metre"@en ; +. +unit:CentiPOISE + a qudt:Unit ; + dcterms:description "\\(\\textbf{Centipoise}\\) is a C.G.S System unit for 'Dynamic Viscosity' expressed as \\(cP\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA356" ; + qudt:plainTextDescription "0,01-fold of the CGS unit of the dynamic viscosity poise" ; + qudt:symbol "cP" ; + qudt:ucumCode "cP"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C7" ; + rdfs:isDefinedBy ; + rdfs:label "Centipoise"@en ; +. +unit:CentiPOISE-PER-BAR + a qudt:Unit ; + dcterms:description "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA358" ; + qudt:plainTextDescription "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar" ; + qudt:symbol "cP/bar" ; + qudt:ucumCode "cP.bar-1"^^qudt:UCUMcs ; + qudt:ucumCode "cP/bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J74" ; + rdfs:isDefinedBy ; + rdfs:label "Centipoise Per Bar"@en ; +. +unit:CentiST + a qudt:Unit ; + dcterms:description "\\(\\textbf{Centistokes}\\) is a C.G.S System unit for 'Kinematic Viscosity' expressed as \\(cSt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:iec61360Code "0112/2///62720#UAA359" ; + qudt:symbol "cSt" ; + qudt:ucumCode "cSt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4C" ; + rdfs:isDefinedBy ; + rdfs:label "Centistokes"@en ; +. +unit:Ci + a qudt:Unit ; + dcterms:description "The curie (symbol Ci) is a non-SI unit of radioactivity, named after Marie and Pierre Curie. It is defined as \\(1Ci = 3.7 \\times 10^{10} decays\\ per\\ second\\). Its continued use is discouraged. One Curie is roughly the activity of 1 gram of the radium isotope Ra, a substance studied by the Curies. The SI derived unit of radioactivity is the becquerel (Bq), which equates to one decay per second. Therefore: \\(1Ci = 3.7 \\times 10^{10} Bq= 37 GBq\\) and \\(1Bq \\equiv 2.703 \\times 10^{-11}Ci \\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.70e10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA138" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Ci" ; + qudt:ucumCode "Ci"^^qudt:UCUMcs ; + qudt:udunitsCode "Ci" ; + qudt:uneceCommonCode "CUR" ; + rdfs:isDefinedBy ; + rdfs:label "Curie"@en ; +. +unit:DARCY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length2.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier .0000000000009869233 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Darcy_(unit)"^^xsd:anyURI ; + qudt:expression "\\(d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length²." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:label "Darcy"@en ; +. +unit:DAY + a qudt:Unit ; + dcterms:description "Mean solar day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 86400.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Day"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:BiodegredationHalfLife ; + qudt:hasQuantityKind quantitykind:FishBiotransformationHalfLife ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA407" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Day?oldid=494970012"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "day" ; + qudt:ucumCode "d"^^qudt:UCUMcs ; + qudt:udunitsCode "d" ; + qudt:uneceCommonCode "DAY" ; + rdfs:isDefinedBy ; + rdfs:label "Day"@en ; +. +unit:DAY_Sidereal + a qudt:Unit ; + dcterms:description "The length of time which passes between a given fixed star in the sky crossing a given projected meridian (line of longitude). The sidereal day is \\(23 h 56 m 4.1 s\\), slightly shorter than the solar day because the Earth 's orbital motion about the Sun means the Earth has to rotate slightly more than one turn with respect to the \"fixed\" stars in order to reach the same Earth-Sun orientation. Another way of thinking about the difference is that it amounts to \\(1/365.2425^{th}\\) of a day per day, since even if the Earth did not spin on its axis at all, the Sun would appear to make one rotation around the Earth as the Earth completed a single orbit (which takes one year)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 86164.099 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; + qudt:informativeReference "http://scienceworld.wolfram.com/astronomy/SiderealDay.html"^^xsd:anyURI ; + qudt:symbol "day{sidereal}" ; + qudt:ucumCode "d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Sidereal Day"@en ; +. +unit:DEATHS-PER-1000000I-YR + a qudt:Unit ; + dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:DEATHS-PER-MegaINDIV-YR ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; + qudt:symbol "deaths/million individuals/yr" ; + rdfs:isDefinedBy ; + rdfs:label "Deaths per Million individuals per year"@en ; +. +unit:DEATHS-PER-1000I-YR + a qudt:Unit ; + dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:DEATHS-PER-KiloINDIV-YR ; + qudt:conversionMultiplier 0.001 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; + qudt:symbol "deaths/1000 individuals/yr" ; + rdfs:isDefinedBy ; + rdfs:label "Deaths per 1000 individuals per year"@en ; +. +unit:DEATHS-PER-KiloINDIV-YR + a qudt:Unit ; + dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; + qudt:symbol "deaths/1000 individuals/yr" ; + rdfs:isDefinedBy ; + rdfs:label "Deaths per 1000 individuals per year"@en ; +. +unit:DEATHS-PER-MegaINDIV-YR + a qudt:Unit ; + dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; + qudt:symbol "deaths/million individuals/yr" ; + rdfs:isDefinedBy ; + rdfs:label "Deaths per Million individuals per year"@en ; +. +unit:DECADE + a qudt:DimensionlessUnit ; + a qudt:LogarithmicUnit ; + a qudt:Unit ; + dcterms:description "One decade is a factor of 10 difference between two numbers (an order of magnitude difference) measured on a logarithmic scale. It is especially useful when referring to frequencies and when describing frequency response of electronic systems, such as audio amplifiers and filters. The factor-of-ten in a decade can be in either direction: so one decade up from 100 Hz is 1000 Hz, and one decade down is 10 Hz. The factor-of-ten is what is important, not the unit used, so \\(3.14 rad/s\\) is one decade down from \\(31.4 rad/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decade_(log_scale)"^^xsd:anyURI ; + qudt:symbol "dec" ; + rdfs:isDefinedBy ; + rdfs:label "Dec"@en ; +. +unit:DEG + a qudt:Unit ; + dcterms:description "A degree (in full, a degree of arc, arc degree, or arcdegree), usually denoted by \\(^\\circ\\) (the degree symbol), is a measurement of plane angle, representing 1/360 of a full rotation; one degree is equivalent to \\(2\\pi /360 rad\\), \\(0.017453 rad\\). It is not an SI unit, as the SI unit for angles is radian, but is an accepted SI unit."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA024" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-331"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "°" ; + qudt:ucumCode "deg"^^qudt:UCUMcs ; + qudt:udunitsCode "°" ; + qudt:uneceCommonCode "DD" ; + rdfs:isDefinedBy ; + rdfs:label "Degree"@en ; +. +unit:DEG-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Degree per Hour\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 4.84813681e-06 ; + qudt:expression "\\(deg/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "°/h" ; + qudt:ucumCode "deg.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "deg/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree per Hour"@en ; +. +unit:DEG-PER-M + a qudt:Unit ; + dcterms:description "A change of angle in one SI unit of length."@en ; + qudt:conversionMultiplier 0.0174532925199433 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°/m" ; + qudt:ucumCode "deg.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H27" ; + rdfs:isDefinedBy ; + rdfs:label "Degrees per metre"@en ; +. +unit:DEG-PER-MIN + a qudt:Unit ; + dcterms:description "A unit of measure for the rate of change of plane angle, \\(d\\omega / dt\\), in durations of one minute.The vector \\(\\omega\\) is directed along the axis of rotation in the direction for which the rotation is clockwise."^^qudt:LatexString ; + qudt:conversionMultiplier 0.000290888209 ; + qudt:expression "\\(deg-per-min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "°/min" ; + qudt:ucumCode "deg.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "deg/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree per Minute"@en ; +. +unit:DEG-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Degree per Second\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:expression "\\(deg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAA026" ; + qudt:symbol "°/s" ; + qudt:ucumCode "deg.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "deg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E96" ; + rdfs:isDefinedBy ; + rdfs:label "Degree per Second"@en ; +. +unit:DEG-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Degree per Square Second}\\) is an Imperial unit for \\(\\textit{Angular Acceleration}\\) expressed as \\(deg/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:expression "\\(deg/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB407" ; + qudt:symbol "°/s²" ; + qudt:ucumCode "deg.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "deg/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M45" ; + rdfs:isDefinedBy ; + rdfs:label "Degree per Square Second"@en ; +. +unit:DEG2 + a qudt:Unit ; + dcterms:description "A square degree is a non-SI unit measure of solid angle. It is denoted in various ways, including deg, sq. deg. and \\(\\circ^2\\). Just as degrees are used to measure parts of a circle, square degrees are used to measure parts of a sphere. Analogous to one degree being equal to \\(\\pi /180 radians\\), a square degree is equal to (\\(\\pi /180)\\) or about 1/3283 steradian. The number of square degrees in a whole sphere is or approximately 41 253 deg. This is the total area of the 88 constellations in the list of constellations by area. For example, observed from the surface of the Earth, the Moon has a diameter of approximately \\(0.5^\\circ\\), so it covers a solid angle of approximately 0.196 deg, which is \\(4.8 \\times 10\\) of the total sky sphere."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.00030461742 ; + qudt:expression "\\(deg^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:symbol "°²" ; + qudt:ucumCode "deg2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square degree"@en ; +. +unit:DEGREE_API + a qudt:Unit ; + dcterms:description "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)"^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Gravity_API ; + qudt:iec61360Code "0112/2///62720#UAA027" ; + qudt:plainTextDescription "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)" ; + qudt:symbol "°API" ; + qudt:uneceCommonCode "J13" ; + rdfs:isDefinedBy ; + rdfs:label "Degree API"@en ; +. +unit:DEGREE_BALLING + a qudt:Unit ; + dcterms:description "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA031" ; + qudt:plainTextDescription "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution" ; + qudt:symbol "°Balling" ; + qudt:uneceCommonCode "J17" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Balling"@en ; +. +unit:DEGREE_BAUME + a qudt:Unit ; + dcterms:description """graduation of the areometer scale for determination of densitiy of fluids. + +The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA028" ; + qudt:plainTextDescription """graduation of the areometer scale for determination of densitiy of fluids. + +The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; + qudt:symbol "°Bé{origin}" ; + qudt:uneceCommonCode "J14" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Baume (origin Scale)"@en ; +. +unit:DEGREE_BAUME_US_HEAVY + a qudt:Unit ; + dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA029" ; + qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water" ; + qudt:symbol "°Bé{US Heavy}" ; + qudt:uneceCommonCode "J15" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Baume (US Heavy)"@en ; +. +unit:DEGREE_BAUME_US_LIGHT + a qudt:Unit ; + dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA030" ; + qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water" ; + qudt:symbol "°Bé{US Light}" ; + qudt:uneceCommonCode "J16" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Baume (US Light)"@en ; +. +unit:DEGREE_BRIX + a qudt:Unit ; + dcterms:description "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA032" ; + qudt:plainTextDescription "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution" ; + qudt:symbol "°Bx" ; + qudt:uneceCommonCode "J18" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Brix"@en ; +. +unit:DEGREE_OECHSLE + a qudt:Unit ; + dcterms:description "unit of the density of the must, as measure for the proportion of the soluble material in the grape must"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA048" ; + qudt:plainTextDescription "unit of the density of the must, as measure for the proportion of the soluble material in the grape must" ; + qudt:symbol "°Oe" ; + qudt:uneceCommonCode "J27" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Oechsle"@en ; +. +unit:DEGREE_PLATO + a qudt:Unit ; + dcterms:description "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA049" ; + qudt:plainTextDescription "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation" ; + qudt:symbol "°P" ; + qudt:uneceCommonCode "PLA" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Plato"@en ; +. +unit:DEGREE_TWADDELL + a qudt:Unit ; + dcterms:description "unit of the density of fluids, which are heavier than water"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA054" ; + qudt:plainTextDescription "unit of the density of fluids, which are heavier than water" ; + qudt:symbol "°Tw" ; + qudt:uneceCommonCode "J31" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Twaddell"@en ; +. +unit:DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Celsius}\\), also known as centigrade, is a scale and unit of measurement for temperature. It can refer to a specific temperature on the Celsius scale as well as a unit to indicate a temperature interval, a difference between two temperatures or an uncertainty. This definition fixes the magnitude of both the degree Celsius and the kelvin as precisely 1 part in 273.16 (approximately 0.00366) of the difference between absolute zero and the triple point of water. Thus, it sets the magnitude of one degree Celsius and that of one kelvin as exactly the same. Additionally, it establishes the difference between the two scales' null points as being precisely \\(273.15\\,^{\\circ}{\\rm C}\\).

"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 273.15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; + qudt:expression "\\(degC\\)"^^qudt:LatexString ; + qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML ; + qudt:guidance "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:iec61360Code "0112/2///62720#UAA033" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\,^{\\circ}{\\rm C}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "°C" ; + qudt:ucumCode "Cel"^^qudt:UCUMcs ; + qudt:udunitsCode "°C" ; + qudt:udunitsCode "℃" ; + qudt:uneceCommonCode "CEL" ; + rdfs:isDefinedBy ; + rdfs:label "Celsius-fok"@hu ; + rdfs:label "Grad Celsius"@de ; + rdfs:label "celsius"@tr ; + rdfs:label "darjah celsius"@ms ; + rdfs:label "degree Celsius"@en ; + rdfs:label "degré celsius"@fr ; + rdfs:label "grad celsius"@ro ; + rdfs:label "grado celsius"@es ; + rdfs:label "grado celsius"@it ; + rdfs:label "gradus celsii"@la ; + rdfs:label "grau celsius"@pt ; + rdfs:label "stopień celsjusza"@pl ; + rdfs:label "stopinja Celzija"@sl ; + rdfs:label "stupně celsia"@cs ; + rdfs:label "βαθμός Κελσίου"@el ; + rdfs:label "градус Целзий"@bg ; + rdfs:label "градус Цельсия"@ru ; + rdfs:label "צלזיוס"@he ; + rdfs:label "درجة مئوية"@ar ; + rdfs:label "درجه سانتی گراد/سلسیوس"@fa ; + rdfs:label "सेल्सियस"@hi ; + rdfs:label "セルシウス度"@ja ; + rdfs:label "摄氏度"@zh ; + skos:altLabel "degree-centigrade" ; +. +unit:DEG_C-CentiM + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Celsius Centimeter} is a C.G.S System unit for 'Length Temperature' expressed as \\(cm-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(cm-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:symbol "°C⋅cm" ; + qudt:ucumCode "Cel.cm"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius Centimeter"@en-us ; + rdfs:label "Degree Celsius Centimetre"@en ; +. +unit:DEG_C-KiloGM-PER-M2 + a qudt:Unit ; + dcterms:description "Derived unit for the product of the temperature in degrees Celsius and the mass density of a medium, integrated over vertical depth or height in metres."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°C⋅kg/m²" ; + qudt:ucumCode "Cel.kg.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degrees Celsius kilogram per square metre"@en ; +. +unit:DEG_C-PER-HR + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Celsius per Hour} is a unit for 'Temperature Per Time' expressed as \\(degC / hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(degC / hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA036" ; + qudt:symbol "°C/hr" ; + qudt:ucumCode "Cel.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "Cel/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H12" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius per Hour"@en ; +. +unit:DEG_C-PER-K + a qudt:Unit ; + dcterms:description "unit with the name Degree Celsius divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA034" ; + qudt:plainTextDescription "unit with the name Degree Celsius divided by the SI base unit kelvin" ; + qudt:symbol "°C/K" ; + qudt:ucumCode "Cel.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "Cel/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E98" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius Per Kelvin"@en ; +. +unit:DEG_C-PER-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureGradient ; + qudt:symbol "°C/m" ; + qudt:ucumCode "Cel.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degrees Celsius per metre"@en ; +. +unit:DEG_C-PER-MIN + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Celsius per Minute} is a unit for 'Temperature Per Time' expressed as \\(degC / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(degC / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA037" ; + qudt:symbol "°C/m" ; + qudt:ucumCode "Cel.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "Cel/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H13" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius per Minute"@en ; +. +unit:DEG_C-PER-SEC + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Celsius per Second} is a unit for 'Temperature Per Time' expressed as \\(degC / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(degC / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA038" ; + qudt:symbol "°C/s" ; + qudt:ucumCode "Cel.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "Cel/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H14" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius per Second"@en ; +. +unit:DEG_C-PER-YR + a qudt:Unit ; + dcterms:description "A rate of change of temperature expressed on the Celsius scale over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.16880878140289e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:symbol "°C/yr" ; + qudt:ucumCode "Cel.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degrees Celsius per year"@en ; +. +unit:DEG_C-WK + a qudt:Unit ; + dcterms:description "temperature multiplied by unit of time."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 6.04800e05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "°C/wk" ; + qudt:ucumCode "Cel.wk"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree Celsius week"@en ; +. +unit:DEG_C2-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°C²⋅s" ; + qudt:ucumCode "K2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Degrees Celsius per second"@en ; +. +unit:DEG_C_GROWING_CEREAL-DAY + a qudt:Unit ; + dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; + qudt:conversionMultiplier "86400"^^xsd:double ; + qudt:conversionOffset "0.0"^^xsd:double ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:GrowingDegreeDay_Cereal ; + qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; + qudt:symbol "GDD" ; + rdfs:isDefinedBy ; + rdfs:label "Growing Degree Days (Cereals)"@en ; +. +unit:DEG_F + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Fahrenheit} is an Imperial unit for 'Thermodynamic Temperature' expressed as \\(\\,^{\\circ}{\\rm F}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:conversionOffset 459.67 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:iec61360Code "0112/2///62720#UAA039" ; + qudt:omUnit ; + qudt:symbol "°F" ; + qudt:ucumCode "[degF]"^^qudt:UCUMcs ; + qudt:udunitsCode "°F" ; + qudt:udunitsCode "℉" ; + qudt:uneceCommonCode "FAH" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit"@en ; +. +unit:DEG_F-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description ""^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF-hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "°F⋅hr" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit Hour"@en ; +. +unit:DEG_F-HR-FT2-PER-BTU_IT + a qudt:Unit ; + dcterms:description "unit of the thermal resistor according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.89563 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA043" ; + qudt:plainTextDescription "unit of the thermal resistor according to the Imperial system of units" ; + qudt:symbol "°F⋅hr⋅ft²/Btu{IT}" ; + qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_IT]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/(h.[ft_i]2.[Btu_IT])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J22" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (international Table)"@en ; +. +unit:DEG_F-HR-FT2-PER-BTU_TH + a qudt:Unit ; + dcterms:description "unit of the thermal resistor according to the according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.8969 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA040" ; + qudt:plainTextDescription "unit of the thermal resistor according to the according to the Imperial system of units" ; + qudt:symbol "°F⋅hr⋅ft²/Btu{th}" ; + qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_th]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/(h.[ft_i]2.[Btu_th])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J19" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (thermochemical)"@en ; +. +unit:DEG_F-HR-PER-BTU_IT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Fahrenheit Hour per BTU} is an Imperial unit for 'Thermal Resistance' expressed as \\(degF-hr/Btu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF-hr/Btu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:symbol "°F⋅hr/Btu" ; + qudt:ucumCode "[degF].h.[Btu_IT]-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF].h/[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit Hour per BTU"@en ; +. +unit:DEG_F-PER-HR + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Hour} is a unit for 'Temperature Per Time' expressed as \\(degF / h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA044" ; + qudt:symbol "°F/h" ; + qudt:ucumCode "[degF].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J23" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit per Hour"@en ; +. +unit:DEG_F-PER-K + a qudt:Unit ; + dcterms:description "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.5555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA041" ; + qudt:plainTextDescription "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin" ; + qudt:symbol "°F/K" ; + qudt:ucumCode "[degF].K-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J20" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit Per Kelvin"@en ; +. +unit:DEG_F-PER-MIN + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Minute} is a unit for 'Temperature Per Time' expressed as \\(degF / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA045" ; + qudt:symbol "°F/m" ; + qudt:ucumCode "[degF].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J24" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit per Minute"@en ; +. +unit:DEG_F-PER-SEC + a qudt:Unit ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Second} is a unit for 'Temperature Per Time' expressed as \\(degF / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA046" ; + qudt:symbol "°F/s" ; + qudt:ucumCode "[degF].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J25" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit per Second"@en ; +. +unit:DEG_F-PER-SEC2 + a qudt:Unit ; + dcterms:description "\\(\\textit{Degree Fahrenheit per Square Second}\\) is a C.G.S System unit for expressing the acceleration of a temperature expressed as \\(degF / s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(degF / s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:plainTextDescription "'Degree Fahrenheit per Square Second' is a unit for expressing the acceleration of a temperature expressed as 'degF /s2'." ; + qudt:symbol "°F/s²" ; + qudt:ucumCode "[degF].s-2"^^qudt:UCUMcs ; + qudt:ucumCode "[degF]/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Degree Fahrenheit per Square Second"@en ; +. +unit:DEG_R + a qudt:Unit ; + dcterms:description "Rankine is a thermodynamic (absolute) temperature scale. The symbol for degrees Rankine is \\(^\\circ R\\) or \\(^\\circ Ra\\) if necessary to distinguish it from the Rømer and Réaumur scales). Zero on both the Kelvin and Rankine scales is absolute zero, but the Rankine degree is defined as equal to one degree Fahrenheit, rather than the one degree Celsius used by the Kelvin scale. A temperature of \\(-459.67 ^\\circ F\\) is exactly equal to \\(0 ^\\circ R\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:iec61360Code "0112/2///62720#UAA050" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rankine_scale"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "°R" ; + qudt:ucumCode "[degR]"^^qudt:UCUMcs ; + qudt:udunitsCode "°R" ; + qudt:uneceCommonCode "A48" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Rankine"@en ; +. +unit:DEG_R-PER-HR + a qudt:Unit ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one hour.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA051" ; + qudt:symbol "°R/h" ; + qudt:ucumCode "[degR].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degR]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J28" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Rankine per Hour"@en ; +. +unit:DEG_R-PER-MIN + a qudt:Unit ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one minute\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA052" ; + qudt:symbol "°R/m" ; + qudt:ucumCode "[degR].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degR]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J29" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Rankine per Minute"@en ; +. +unit:DEG_R-PER-SEC + a qudt:Unit ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one second.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA053" ; + qudt:symbol "°R/s" ; + qudt:ucumCode "[degR].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[degR]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J30" ; + rdfs:isDefinedBy ; + rdfs:label "Degree Rankine per Second"@en ; +. +unit:DIOPTER + a qudt:Unit ; + dcterms:description "A dioptre, or diopter, is a unit of measurement for the optical power of a lens or curved mirror, which is equal to the reciprocal of the focal length measured in metres (that is, \\(1/metre\\)). For example, a \\(3 \\; dioptre\\) lens brings parallel rays of light to focus at \\(1/3\\,metre\\). The same unit is also sometimes used for other reciprocals of distance, particularly radii of curvature and the vergence of optical beams. Though the diopter is based on the SI-metric system it has not been included in the standard so that there is no international name or abbreviation for this unit of measurement within the international system of units this unit for optical power would need to be specified explicitly as the inverse metre."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dioptre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Curvature ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dioptre?oldid=492506920"^^xsd:anyURI ; + qudt:symbol "D" ; + qudt:ucumCode "[diop]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q25" ; + rdfs:isDefinedBy ; + rdfs:label "Diopter"@en ; +. +unit:DPI + a qudt:Unit ; + dcterms:description "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 39.37008 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAA421" ; + qudt:plainTextDescription "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "DPI" ; + qudt:ucumCode "{dot}/[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E39" ; + rdfs:isDefinedBy ; + rdfs:label "Dots Per Inch"@en ; +. +unit:DRAM_UK + a qudt:Unit ; + dcterms:description "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0017718451953125 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB181" ; + qudt:plainTextDescription "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight" ; + qudt:symbol "dr{UK}" ; + qudt:ucumCode "[dr_ap]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DRI" ; + rdfs:isDefinedBy ; + rdfs:label "Dram (UK)"@en ; +. +unit:DRAM_US + a qudt:Unit ; + dcterms:description "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0038879346 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB180" ; + qudt:plainTextDescription "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)" ; + qudt:symbol "dr{US}" ; + qudt:ucumCode "[dr_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "dr" ; + qudt:udunitsCode "fldr" ; + qudt:uneceCommonCode "DRA" ; + rdfs:isDefinedBy ; + rdfs:label "Dram (US)"@en ; +. +unit:DWT + a qudt:Unit ; + dcterms:description "\"Penny Weight\" is a unit for 'Mass' expressed as \\(dwt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00155517384 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pennyweight"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pennyweight?oldid=486693644"^^xsd:anyURI ; + qudt:symbol "dwt" ; + qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DWT" ; + rdfs:isDefinedBy ; + rdfs:label "Penny Weight"@en ; + skos:altLabel "dryquartus" ; +. +unit:DYN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to \\SI{10}{\\micro\\newton}. Equivalently, the dyne is defined as 'the force required to accelerate a mass of one gram at a rate of one centimetre per square second'. The dyne per centimetre is the unit traditionally used to measure surface tension."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dyne"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA422" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dyne?oldid=494703827"^^xsd:anyURI ; + qudt:latexDefinition "\\(g\\cdot cm/s^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "dyn" ; + qudt:ucumCode "dyn"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DU" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne"@en ; +. +unit:DYN-CentiM + a qudt:Unit ; + dcterms:description "\"Dyne Centimeter\" is a C.G.S System unit for 'Torque' expressed as \\(dyn-cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(dyn-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA423" ; + qudt:symbol "dyn⋅cm" ; + qudt:ucumCode "dyn.cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J94" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne Centimeter"@en-us ; + rdfs:label "Dyne Centimetre"@en ; +. +unit:DYN-PER-CentiM + a qudt:Unit ; + dcterms:description "CGS unit of the surface tension"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB106" ; + qudt:plainTextDescription "CGS unit of the surface tension" ; + qudt:symbol "dyn/cm" ; + qudt:ucumCode "dyn.cm-1"^^qudt:UCUMcs ; + qudt:ucumCode "dyn/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DX" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne Per Centimeter"@en-us ; + rdfs:label "Dyne Per Centimetre"@en ; +. +unit:DYN-PER-CentiM2 + a qudt:Unit ; + dcterms:description "\"Dyne per Square Centimeter\" is a C.G.S System unit for 'Force Per Area' expressed as \\(dyn/cm^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(dyn/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA424" ; + qudt:symbol "dyn/cm²" ; + qudt:ucumCode "dyn.cm-2"^^qudt:UCUMcs ; + qudt:ucumCode "dyn/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D9" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne per Square Centimeter"@en-us ; + rdfs:label "Dyne per Square Centimetre"@en ; +. +unit:DYN-SEC-PER-CentiM + a qudt:Unit ; + dcterms:description "CGS unit of the mechanical impedance"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB144" ; + qudt:plainTextDescription "CGS unit of the mechanical impedance" ; + qudt:symbol "dyn⋅s/cm" ; + qudt:ucumCode "dyn.s.cm-1"^^qudt:UCUMcs ; + qudt:ucumCode "dyn.s/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A51" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne Second Per Centimeter"@en-us ; + rdfs:label "Dyne Second Per Centimetre"@en ; +. +unit:DYN-SEC-PER-CentiM3 + a qudt:Unit ; + dcterms:description "CGS unit of the acoustic image impedance of the medium"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAB102" ; + qudt:plainTextDescription "CGS unit of the acoustic image impedance of the medium" ; + qudt:symbol "dyn⋅s/cm³" ; + qudt:ucumCode "dyn.s.cm-3"^^qudt:UCUMcs ; + qudt:ucumCode "dyn.s/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A50" ; + rdfs:isDefinedBy ; + rdfs:label "Dyne Second Per Cubic Centimeter"@en-us ; + rdfs:label "Dyne Second Per Cubic Centimetre"@en ; +. +unit:Da + a qudt:Unit ; + dcterms:description "The unified atomic mass unit (symbol: \\(\\mu\\)) or dalton (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \"non-SI unit whose values in SI units must be obtained experimentally\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.66053878283e-27 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dalton"^^xsd:anyURI ; + qudt:exactMatch unit:AMU ; + qudt:exactMatch unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolecularMass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dalton?oldid=495038954"^^xsd:anyURI ; + qudt:symbol "Da" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy ; + rdfs:label "Dalton"@en ; + skos:altLabel "atomic-mass-unit" ; +. +unit:Debye + a qudt:Unit ; + dcterms:description "\"Debye\" is a C.G.S System unit for 'Electric Dipole Moment' expressed as \\(D\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.33564e-30 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Debye"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye?oldid=492149112"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + rdfs:label "Debye"@en ; +. +unit:DecaARE + a qudt:Unit ; + dcterms:description "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB049" ; + qudt:plainTextDescription "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a" ; + qudt:symbol "daa" ; + qudt:ucumCode "daar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DAA" ; + rdfs:isDefinedBy ; + rdfs:label "Decare"@en ; +. +unit:DecaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A DecaCoulomb is \\(10 C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Deca ; + qudt:symbol "daC" ; + qudt:ucumCode "daC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "DecaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:DecaGM + a qudt:Unit ; + dcterms:description "0,01-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB075" ; + qudt:plainTextDescription "0,01-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Deca ; + qudt:symbol "dag" ; + qudt:ucumCode "dag"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DJ" ; + rdfs:isDefinedBy ; + rdfs:label "Decagram"@en ; +. +unit:DecaL + a qudt:Unit ; + dcterms:description "10-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB115" ; + qudt:plainTextDescription "10-fold of the unit litre" ; + qudt:symbol "daL" ; + qudt:ucumCode "daL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A44" ; + rdfs:isDefinedBy ; + rdfs:label "Decalitre"@en ; + rdfs:label "Decalitre"@en-us ; +. +unit:DecaM + a qudt:Unit ; + dcterms:description "10-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB064" ; + qudt:plainTextDescription "10-fold of the SI base unit metre" ; + qudt:prefix prefix:Deca ; + qudt:symbol "dam" ; + qudt:ucumCode "dam"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A45" ; + rdfs:isDefinedBy ; + rdfs:label "Decameter"@en-us ; + rdfs:label "Decametre"@en ; +. +unit:DecaM3 + a qudt:Unit ; + dcterms:description "1 000-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB179" ; + qudt:plainTextDescription "1 000-fold of the power of the SI base unit metre by exponent 3" ; + qudt:prefix prefix:Deca ; + qudt:symbol "dam³" ; + qudt:ucumCode "dam3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMA" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decameter"@en-us ; + rdfs:label "Cubic Decametre"@en ; +. +unit:DecaPA + a qudt:Unit ; + dcterms:description "10-fold of the derived SI unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB375" ; + qudt:plainTextDescription "10-fold of the derived SI unit pascal" ; + qudt:prefix prefix:Deca ; + qudt:symbol "daPa" ; + qudt:ucumCode "daPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H75" ; + rdfs:isDefinedBy ; + rdfs:label "Decapascal"@en ; +. +unit:DeciB + a qudt:DimensionlessUnit ; + a qudt:LogarithmicUnit ; + a qudt:Unit ; + dcterms:description "A customary logarithmic measure most commonly used (in various ways) for measuring sound.Sound is measured on a logarithmic scale. Informally, if one sound is \\(1\\,bel\\) (10 decibels) \"louder\" than another, this means the louder sound is 10 times louder than the fainter one. A difference of 20 decibels corresponds to an increase of 10 x 10 or 100 times in intensity. The beginning of the scale, 0 decibels, can be set in different ways, depending on exactly the aspect of sound being measured. For sound intensity (the power of the sound waves per unit of area) \\(0\\,decibel\\) is equal to \\(1\\,picoWatts\\,per\\,Metre\\,Squared\\). This corresponds approximately to the faintest sound that can be detected by a person who has good hearing. For sound pressure (the pressure exerted by the sound waves) 0 decibels equals \\(20\\,micropascals\\,RMS\\), and for sound power \\(0\\,decibels\\) sometimes equals \\(1\\,picoWatt\\). In all cases, one decibel equals \\(\\approx\\,0.115129\\,neper\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Decibel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel ; + qudt:hasQuantityKind quantitykind:SoundPowerLevel ; + qudt:hasQuantityKind quantitykind:SoundPressureLevel ; + qudt:hasQuantityKind quantitykind:SoundReductionIndex ; + qudt:iec61360Code "0112/2///62720#UAA409" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decibel?oldid=495380648"^^xsd:anyURI ; + qudt:symbol "dB" ; + qudt:ucumCode "dB"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2N" ; + rdfs:isDefinedBy ; + rdfs:label "Decibel"@en ; +. +unit:DeciBAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix:Deci ; + qudt:symbol "dbar" ; + qudt:ucumCode "dbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Decibar"@en ; +. +unit:DeciBAR-PER-YR + a qudt:Unit ; + dcterms:description "A rate of change of pressure expressed in decibars over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.00031688 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "dbar/yr" ; + qudt:ucumCode "dbar.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Decibars per year"@en ; +. +unit:DeciB_C + a qudt:Unit ; + dcterms:description "\"Decibel Carrier Unit\" is a unit for 'Signal Detection Threshold' expressed as \\(dBc\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SignalDetectionThreshold ; + qudt:symbol "dBc" ; + rdfs:isDefinedBy ; + rdfs:label "Decibel Carrier Unit"@en ; +. +unit:DeciB_M + a qudt:DimensionlessUnit ; + a qudt:Unit ; + dcterms:description "\"Decibel Referred to 1mw\" is a 'Dimensionless Ratio' expressed as \\(dBm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel ; + qudt:hasQuantityKind quantitykind:SoundPowerLevel ; + qudt:hasQuantityKind quantitykind:SoundPressureLevel ; + qudt:hasQuantityKind quantitykind:SoundReductionIndex ; + qudt:symbol "dBmW" ; + qudt:udunitsCode "Bm" ; + qudt:uneceCommonCode "DBM" ; + rdfs:isDefinedBy ; + rdfs:label "Decibel Referred to 1mw"@en ; +. +unit:DeciC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A DeciCoulomb is \\(10^{-1} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Deci ; + qudt:symbol "dC" ; + qudt:ucumCode "dC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "DeciCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:DeciGM + a qudt:Unit ; + dcterms:description "0.0001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB076" ; + qudt:plainTextDescription "0.0001-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Deci ; + qudt:symbol "dg" ; + qudt:ucumCode "dg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DG" ; + rdfs:isDefinedBy ; + rdfs:label "Decigram"@en ; +. +unit:DeciL + a qudt:Unit ; + dcterms:description "0.1-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB113" ; + qudt:plainTextDescription "0.1-fold of the unit litre" ; + qudt:symbol "dL" ; + qudt:ucumCode "dL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DLT" ; + rdfs:isDefinedBy ; + rdfs:label "Decilitre"@en ; + rdfs:label "Decilitre"@en-us ; +. +unit:DeciL-PER-GM + a qudt:Unit ; + dcterms:description "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB094" ; + qudt:plainTextDescription "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "dL/g" ; + qudt:ucumCode "dL.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "dL/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "22" ; + rdfs:isDefinedBy ; + rdfs:label "Decilitre Per Gram"@en ; + rdfs:label "Decilitre Per Gram"@en-us ; +. +unit:DeciM + a qudt:Unit ; + dcterms:description "A decimeter is a tenth of a meter."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA412" ; + qudt:prefix prefix:Deci ; + qudt:symbol "dm" ; + qudt:ucumCode "dm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMT" ; + rdfs:isDefinedBy ; + rdfs:label "Decimeter"@en-us ; + rdfs:label "Decimetre"@en ; +. +unit:DeciM2 + a qudt:Unit ; + dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA413" ; + qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix:Deci ; + qudt:symbol "dm²" ; + qudt:ucumCode "dm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Decimeter"@en-us ; + rdfs:label "Square Decimetre"@en ; +. +unit:DeciM3 + a qudt:Unit ; + dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA414" ; + qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:prefix prefix:Deci ; + qudt:symbol "dm³" ; + qudt:ucumCode "dm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter"@en-us ; + rdfs:label "Cubic Decimetre"@en ; +. +unit:DeciM3-PER-DAY + a qudt:Unit ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA415" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day" ; + qudt:symbol "dm³/day" ; + qudt:ucumCode "dm3.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J90" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Day"@en-us ; + rdfs:label "Cubic Decimetre Per Day"@en ; +. +unit:DeciM3-PER-HR + a qudt:Unit ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA416" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; + qudt:symbol "dm³/hr" ; + qudt:ucumCode "dm3.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E92" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Hour"@en-us ; + rdfs:label "Cubic Decimetre Per Hour"@en ; +. +unit:DeciM3-PER-M3 + a qudt:Unit ; + dcterms:description "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA417" ; + qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "dm³/m³" ; + qudt:ucumCode "dm3.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J91" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Cubic Meter"@en-us ; + rdfs:label "Cubic Decimetre Per Cubic Metre"@en ; +. +unit:DeciM3-PER-MIN + a qudt:Unit ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA418" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute" ; + qudt:symbol "dm³/min" ; + qudt:ucumCode "dm3.min-3"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/min3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J92" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Minute"@en-us ; + rdfs:label "Cubic Decimetre Per Minute"@en ; +. +unit:DeciM3-PER-MOL + a qudt:Unit ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA419" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; + qudt:symbol "dm³/mol" ; + qudt:ucumCode "dm3.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A37" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Mole"@en-us ; + rdfs:label "Cubic Decimetre Per Mole"@en ; +. +unit:DeciM3-PER-SEC + a qudt:Unit ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA420" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second" ; + qudt:symbol "dm³/s" ; + qudt:ucumCode "dm3.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "dm3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J93" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Decimeter Per Second"@en-us ; + rdfs:label "Cubic Decimetre Per Second"@en ; +. +unit:DeciN + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "dN" ; + rdfs:isDefinedBy ; + rdfs:label "DeciNewton"@en ; +. +unit:DeciN-M + a qudt:Unit ; + dcterms:description "0.1-fold of the product of the derived SI unit joule and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAB084" ; + qudt:plainTextDescription "0.1-fold of the product of the derived SI unit joule and the SI base unit metre" ; + qudt:symbol "dN⋅m" ; + qudt:ucumCode "dN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DN" ; + rdfs:isDefinedBy ; + rdfs:label "Decinewton Meter"@en-us ; + rdfs:label "Decinewton Metre"@en ; +. +unit:DeciS + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:symbol "dS" ; + rdfs:isDefinedBy ; + rdfs:label "DeciSiemens"@en ; +. +unit:DeciS-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Decisiemens per metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:plainTextDescription "Decisiemens per metre." ; + qudt:symbol "dS/m" ; + qudt:ucumCode "dS.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "dS/m"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "decisiemens per meter"@en-us ; + rdfs:label "decisiemens per metre"@en ; +. +unit:DeciTONNE + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:DeciTON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "dt" ; + qudt:uneceCommonCode "DTN" ; + rdfs:isDefinedBy ; + rdfs:label "DeciTonne"@en ; +. +unit:DeciTON_Metric + a qudt:Unit ; + dcterms:description "100-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:DeciTONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB078" ; + qudt:plainTextDescription "100-fold of the SI base unit kilogram" ; + qudt:symbol "dt" ; + qudt:ucumCode "dt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DTN" ; + rdfs:isDefinedBy ; + rdfs:label "Metric DeciTON"@en ; +. +unit:Denier + a qudt:Unit ; + dcterms:description "Denier or den is a unit of measure for the linear mass density of fibers. It is defined as the mass in grams per 9,000 meters. In the International System of Units the tex is used instead (see below). The denier is based on a natural standard: a single strand of silk is approximately one denier. A 9,000-meter strand of silk weighs about one gram. The term denier is from the French denier, a coin of small value (worth 1/12 of a sou). Applied to yarn, a denier was held to be equal in weight to 1/24 of an ounce. The term microdenier is used to describe filaments that weigh less than one gram per 9,000 meter length."^^rdf:HTML ; + qudt:conversionMultiplier 1.1e-07 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Denier"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB244" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Denier?oldid=463382291"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Units_of_textile_measurement#Denier"^^xsd:anyURI ; + qudt:symbol "D" ; + qudt:ucumCode "[den]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A49" ; + rdfs:isDefinedBy ; + rdfs:label "Denier"@en ; +. +unit:E + a qudt:Unit ; + dcterms:description "\"Elementary Charge\", usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + qudt:udunitsCode "e" ; + rdfs:isDefinedBy ; + rdfs:label "Elementary Charge"@en ; +. +unit:ERG + a qudt:Unit ; + dcterms:description "An erg is the unit of energy and mechanical work in the centimetre-gram-second (CGS) system of units, symbol 'erg'. Its name is derived from the Greek ergon, meaning 'work'. An erg is the amount of work done by a force of one dyne exerted for a distance of one centimeter. In the CGS base units, it is equal to one gram centimeter-squared per second-squared (\\(g \\cdot cm^2/s^2\\)). It is thus equal to \\(10^{-7}\\) joules or 100 nanojoules in SI units. \\(1 erg = 10^{-7} J = 100 nJ\\), \\(1 erg = 624.15 GeV = 6.2415 \\times 10^{11} eV\\), \\(1 erg = 1 dyne\\cdot cm = 1 g \\cdot cm^2/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Erg"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA429" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Erg?oldid=490293432"^^xsd:anyURI ; + qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "erg" ; + qudt:ucumCode "erg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A57" ; + rdfs:isDefinedBy ; + rdfs:label "Erg"@en ; +. +unit:ERG-PER-CentiM + a qudt:Unit ; + dcterms:description "CGS unit of the length-related energy"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAB145" ; + qudt:plainTextDescription "CGS unit of the length-related energy" ; + qudt:symbol "erg/cm" ; + qudt:ucumCode "erg.cm-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A58" ; + rdfs:isDefinedBy ; + rdfs:label "Erg Per Centimeter"@en-us ; + rdfs:label "Erg Per Centimetre"@en ; +. +unit:ERG-PER-CentiM2-SEC + a qudt:Unit ; + dcterms:description "\"Erg per Square Centimeter Second\" is a C.G.S System unit for 'Power Per Area' expressed as \\(erg/(cm^{2}-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(erg/(cm^{2}-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB055" ; + qudt:symbol "erg/(cm²⋅s)" ; + qudt:ucumCode "erg.cm-2.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/(cm2.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A65" ; + rdfs:isDefinedBy ; + rdfs:label "Erg per Square Centimeter Second"@en-us ; + rdfs:label "Erg per Square Centimetre Second"@en ; +. +unit:ERG-PER-CentiM3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(erg-per-cm3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAB146" ; + qudt:symbol "erg/cm³" ; + qudt:ucumCode "erg.cm-3"^^qudt:UCUMcs ; + qudt:ucumCode "erg/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A60" ; + rdfs:isDefinedBy ; + rdfs:label "Erg per Cubic Centimeter"@en-us ; + rdfs:label "Erg per Cubic Centimetre"@en ; +. +unit:ERG-PER-G + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(erg-per-g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB061" ; + qudt:symbol "erg/g" ; + qudt:ucumCode "erg.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A61" ; + rdfs:isDefinedBy ; + rdfs:label "Erg per Gram"@en ; +. +unit:ERG-PER-GM + a qudt:Unit ; + dcterms:description "CGS unit of the mass-related energy"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB061" ; + qudt:plainTextDescription "CGS unit of the mass-related energy" ; + qudt:symbol "erg/g" ; + qudt:ucumCode "erg.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A61" ; + rdfs:isDefinedBy ; + rdfs:label "Erg Per Gram"@en ; +. +unit:ERG-PER-GM-SEC + a qudt:Unit ; + dcterms:description "CGS unit of the mass-related power"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:hasQuantityKind quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAB147" ; + qudt:plainTextDescription "CGS unit of the mass-related power" ; + qudt:symbol "erg/(g⋅s)" ; + qudt:ucumCode "erg.g-1.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/(g.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A62" ; + rdfs:isDefinedBy ; + rdfs:label "Erg Per Gram Second"@en ; +. +unit:ERG-PER-SEC + a qudt:Unit ; + dcterms:description "\"Erg per Second\" is a C.G.S System unit for 'Power' expressed as \\(erg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(erg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA430" ; + qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{3}\\)"^^qudt:LatexString ; + qudt:symbol "erg/s" ; + qudt:ucumCode "erg.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "erg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A63" ; + rdfs:isDefinedBy ; + rdfs:label "Erg per Second"@en ; +. +unit:ERG-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:symbol "erg⋅s" ; + qudt:ucumCode "erg.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Erg Second"@en ; +. +unit:ERLANG + a qudt:Unit ; + dcterms:description "The \"Erlang\" is a dimensionless unit that is used in telephony as a measure of offered load or carried load on service-providing elements such as telephone circuits or telephone switching equipment."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Erlang_(unit)"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB340" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Erlang_(unit)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "E" ; + qudt:uneceCommonCode "Q11" ; + rdfs:isDefinedBy ; + rdfs:label "Erlang"@en ; +. +unit:EV + a qudt:Unit ; + dcterms:description "An electron volt (eV) is the energy that an electron gains when it travels through a potential of one volt. You can imagine that the electron starts at the negative plate of a parallel plate capacitor and accelerates to the positive plate, which is at one volt higher potential. Numerically \\(1 eV\\) approximates \\(1.6x10^{-19} joules\\), where \\(1 joule\\) is \\(6.2x10^{18} eV\\). For example, it would take \\(6.2x10^{20} eV/sec\\) to light a 100 watt light bulb."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_volt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_volt?oldid=344021738"^^xsd:anyURI ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:symbol "eV" ; + qudt:ucumCode "eV"^^qudt:UCUMcs ; + qudt:udunitsCode "eV" ; + qudt:uneceCommonCode "A53" ; + rdfs:isDefinedBy ; + rdfs:label "Electron Volt"@en ; +. +unit:EV-PER-ANGSTROM + a qudt:Unit ; + dcterms:description "unit electronvolt divided by the unit angstrom"^^rdf:HTML ; + qudt:conversionMultiplier 1.602176634e-09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:latexSymbol "\\(ev/\\AA\\)"^^qudt:LatexString ; + qudt:plainTextDescription "unit electronvolt divided by the unit angstrom" ; + qudt:symbol "eV/Å" ; + qudt:ucumCode "eV.Ao-1"^^qudt:UCUMcs ; + qudt:ucumCode "eV/Ao"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Electronvolt Per Angstrom"@en ; +. +unit:EV-PER-K + a qudt:Unit ; + dcterms:description "\\(\\textbf{Electron Volt per Kelvin} is a unit for 'Heat Capacity' expressed as \\(ev/K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:expression "\\(ev/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "ev/K" ; + qudt:ucumCode "eV.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "eV/K"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Electron Volt per Kelvin"@en ; +. +unit:EV-PER-M + a qudt:Unit ; + dcterms:description "unit electronvolt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA426" ; + qudt:plainTextDescription "unit electronvolt divided by the SI base unit metre" ; + qudt:symbol "eV/m" ; + qudt:ucumCode "eV.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "eV/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A54" ; + rdfs:isDefinedBy ; + rdfs:label "Electronvolt Per Meter"@en-us ; + rdfs:label "Electronvolt Per Metre"@en ; +. +unit:EV-PER-T + a qudt:Unit ; + dcterms:description "\"Electron Volt per Tesla\" is a unit for 'Magnetic Dipole Moment' expressed as \\(eV T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:expression "\\(eV T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; + qudt:hasQuantityKind quantitykind:MagneticMoment ; + qudt:symbol "eV/T" ; + qudt:ucumCode "eV.T-1"^^qudt:UCUMcs ; + qudt:ucumCode "eV/T"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Electron Volt per Tesla"@en ; +. +unit:EV-SEC + a qudt:Unit ; + dcterms:description "\"Electron Volt Second\" is a unit for 'Angular Momentum' expressed as \\(eV s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:symbol "eV⋅s" ; + qudt:ucumCode "eV.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Electron Volt Second"@en ; +. +unit:E_h + a qudt:Unit ; + dcterms:description """

The \\(\\textit{Hartree}\\) (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\text{Hartree\\,Energy}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18} J = 27.21138386(68) eV\\).

+
Definition:
+
\\(E_H= \\frac{e^2}{4\\pi \\epsilon_0 a_0 }\\)
+where, \\(e\\) is the elementary charge, \\(\\epsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius.'
"""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 4.35974394e-18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hartree?oldid=489318053"^^xsd:anyURI ; + qudt:symbol "Ha" ; + rdfs:isDefinedBy ; + rdfs:label "Hartree"@en ; +. +unit:EarthMass + a qudt:Unit ; + dcterms:description "Earth mass (\\(M_{\\oplus}\\)) is the unit of mass equal to that of the Earth. In SI Units, \\(1 M_{\\oplus} = 5.9722 \\times 10^{24} kg\\). Earth mass is often used to describe masses of rocky terrestrial planets. The four terrestrial planets of the Solar System, Mercury, Venus, Earth, and Mars, have masses of 0.055, 0.815, 1.000, and 0.107 Earth masses respectively."^^qudt:LatexString ; + qudt:conversionMultiplier 5.97219e24 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Earth_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Earth_mass?oldid=495457885"^^xsd:anyURI ; + qudt:latexDefinition """One Earth mass can be converted to related units: + +81.3 Lunar mass (ML) +0.00315 Jupiter mass (MJ) (Jupiter has 317.83 Earth masses)[1] +0.0105 Saturn mass (Saturn has 95.16 Earth masses)[3] +0.0583 Neptune mass (Neptune has 17.147 Earth masses)[4] +0.000 003 003 Solar mass (\\(M_{\\odot}\\)) (The Sun has 332946 Earth masses)"""^^qudt:LatexString ; + qudt:symbol "M⊕" ; + rdfs:isDefinedBy ; + rdfs:label "Earth mass"@en ; +. +unit:ElementaryCharge + a qudt:Unit ; + dcterms:description "\\(\\textbf{Elementary Charge}, usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-19 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Elementary Charge"@en ; +. +unit:ExaBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The exabyte is a multiple of the unit byte for digital information. The prefix exa means 10^18 in the International System of Units (SI), so ExaByte is 10^18 Bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.5451774444795624753378569716654e18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Exa ; + qudt:symbol "EB" ; + qudt:ucumCode "EBy"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "ExaByte"@en ; +. +unit:ExaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "An ExaCoulomb is \\(10^{18} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e18 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Exa ; + qudt:symbol "EC" ; + qudt:ucumCode "EC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "ExaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:ExaJ + a qudt:Unit ; + dcterms:description "1 000 000 000 000 000 000-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB122" ; + qudt:plainTextDescription "1,000,000,000,000,000,000-fold of the derived SI unit joule" ; + qudt:prefix prefix:Exa ; + qudt:symbol "EJ" ; + qudt:ucumCode "EJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A68" ; + rdfs:isDefinedBy ; + rdfs:label "Exajoule"@en ; +. +unit:ExbiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The exbibyte is a multiple of the unit byte for digital information. The prefix exbi means 1024^6"^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 6.3931543226013278298943153498712e18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exbibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Exbi ; + qudt:symbol "EiB" ; + qudt:uneceCommonCode "E59" ; + rdfs:isDefinedBy ; + rdfs:label "ExbiByte"@en ; +. +unit:F + a qudt:Unit ; + dcterms:description "\"Faraday\" is a unit for 'Electric Charge' expressed as \\(F\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 96485.3399 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:omUnit ; + qudt:symbol "F" ; + rdfs:isDefinedBy ; + rdfs:label "Faraday"@en ; +. +unit:FA + a qudt:Unit ; + dcterms:description "\"Fractional area\" is a unit for 'Solid Angle' expressed as \\(fa\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 12.5663706 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:symbol "fa" ; + rdfs:isDefinedBy ; + rdfs:label "Fractional area"@en ; +. +unit:FARAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of electric capacitance. Very early in the study of electricity scientists discovered that a pair of conductors separated by an insulator can store a much larger charge than an isolated conductor can store. The better the insulator, the larger the charge that the conductors can hold. This property of a circuit is called capacitance, and it is measured in farads. One farad is defined as the ability to store one coulomb of charge per volt of potential difference between the two conductors. This is a natural definition, but the unit it defines is very large. In practical circuits, capacitance is often measured in microfarads, nanofarads, or sometimes even in picofarads (10-12 farad, or trillionths of a farad). The unit is named for the British physicist Michael Faraday (1791-1867), who was known for his work in electricity and electrochemistry."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA144" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "C/V" ; + qudt:symbol "F" ; + qudt:ucumCode "F"^^qudt:UCUMcs ; + qudt:udunitsCode "F" ; + qudt:uneceCommonCode "FAR" ; + rdfs:isDefinedBy ; + rdfs:label "Farad"@de ; + rdfs:label "farad"@cs ; + rdfs:label "farad"@en ; + rdfs:label "farad"@fr ; + rdfs:label "farad"@hu ; + rdfs:label "farad"@it ; + rdfs:label "farad"@ms ; + rdfs:label "farad"@pl ; + rdfs:label "farad"@pt ; + rdfs:label "farad"@ro ; + rdfs:label "farad"@sl ; + rdfs:label "farad"@tr ; + rdfs:label "faradio"@es ; + rdfs:label "faradium"@la ; + rdfs:label "φαράντ"@el ; + rdfs:label "фарад"@bg ; + rdfs:label "фарада"@ru ; + rdfs:label "פאראד"@he ; + rdfs:label "فاراد"@ar ; + rdfs:label "فاراد"@fa ; + rdfs:label "फैराड"@hi ; + rdfs:label "ファラド"@ja ; + rdfs:label "法拉"@zh ; +. +unit:FARAD-PER-KiloM + a qudt:Unit ; + dcterms:description "SI derived unit farad divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA145" ; + qudt:plainTextDescription "SI derived unit farad divided by the 1 000-fold of the SI base unit metre" ; + qudt:symbol "F/km" ; + qudt:ucumCode "F.km-1"^^qudt:UCUMcs ; + qudt:ucumCode "F/km"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H33" ; + rdfs:isDefinedBy ; + rdfs:label "Farad Per Kilometer"@en-us ; + rdfs:label "Farad Per Kilometre"@en ; +. +unit:FARAD-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Farad Per Meter (\\(F/m\\)) is a unit in the category of Electric permittivity. It is also known as farad/meter. This unit is commonly used in the SI unit system. Farad Per Meter has a dimension of M-1L-3T4I2 where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(F/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA146" ; + qudt:symbol "F/m" ; + qudt:ucumCode "F.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "F/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A69" ; + rdfs:isDefinedBy ; + rdfs:label "Farad je Meter"@de ; + rdfs:label "Farad per Meter"@en-us ; + rdfs:label "farad al metro"@it ; + rdfs:label "farad bölü metre"@tr ; + rdfs:label "farad na meter"@sl ; + rdfs:label "farad na metr"@pl ; + rdfs:label "farad par mètre"@fr ; + rdfs:label "farad pe metru"@ro ; + rdfs:label "farad per meter"@ms ; + rdfs:label "farad per metre"@en ; + rdfs:label "farad por metro"@pt ; + rdfs:label "faradio por metro"@es ; + rdfs:label "faradů na metr"@cs ; + rdfs:label "фарада на метр"@ru ; + rdfs:label "فاراد بر متر"@fa ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "प्रति मीटर फैराड"@hi ; + rdfs:label "ファラド毎メートル"@ja ; + rdfs:label "法拉每米"@zh ; +. +unit:FARAD_Ab + a qudt:Unit ; + dcterms:description "An abfarad is an obsolete electromagnetic (CGS) unit of capacitance equal to \\(10^{9}\\) farads (1,000,000,000 F or 1 GF). The absolute farad of the e.m.u. system, for a steady current identically \\(abC/abV\\), and identically reciprocal abdaraf. 1 abF = 1 GF."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abfarad"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abfarad?oldid=407124018"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abF" ; + qudt:ucumCode "GF"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abfarad"@en ; +. +unit:FARAD_Ab-PER-CentiM + a qudt:Unit ; + dcterms:description "The absolute dielectric constant of free space is defined as the ratio of displacement to the electric field intensity. The unit of measure is the abfarad per centimeter, a derived CGS unit."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e11 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abf-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:symbol "abf/cm" ; + qudt:ucumCode "GF.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abfarad per Centimeter"@en-us ; + rdfs:label "Abfarad per Centimetre"@en ; +. +unit:FARAD_Stat + a qudt:Unit ; + dcterms:description "Statfarad (statF) is a unit in the category of Electric capacitance. It is also known as statfarads. This unit is commonly used in the cgs unit system. Statfarad (statF) has a dimension of \\(M^{-1}L^{-2}T^4I^2\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit F by multiplying its value by a factor of 1.11265E-012."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 1.112650056053618432174089964848e-18 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_capacitance--statfarad.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statF" ; + rdfs:isDefinedBy ; + rdfs:label "Statfarad"@en ; +. +unit:FATH + a qudt:Unit ; + dcterms:description "A fathom = 1.8288 meters, is a unit of length in the imperial and the U.S. customary systems, used especially for measuring the depth of water. There are two yards in an imperial or U.S. fathom. Originally based on the distance between the man's outstretched arms, the size of a fathom has varied slightly depending on whether it was defined as a thousandth of an (Admiralty) nautical mile or as a multiple of the imperial yard. Abbreviations: f, fath, fm, fth, fthm."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.8288 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fathom"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fathom?oldid=493265429"^^xsd:anyURI ; + qudt:symbol "fathom" ; + qudt:ucumCode "[fth_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AK" ; + rdfs:isDefinedBy ; + rdfs:label "Fathom"@en ; +. +unit:FBM + a qudt:Unit ; + dcterms:description "The board-foot is a specialized unit of measure for the volume of lumber in the United States and Canada. It is the volume of a one-foot length of a board one foot wide and one inch thick. Board-foot can be abbreviated FBM (for 'foot, board measure'), BDFT, or BF. Thousand board-feet can be abbreviated as MFBM, MBFT or MBF. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00236 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "BDFT" ; + qudt:ucumCode "[bf_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BFT" ; + rdfs:isDefinedBy ; + rdfs:label "Board Foot"@en ; +. +unit:FC + a qudt:Unit ; + dcterms:description "\"Foot Candle\" is a unit for 'Luminous Flux Per Area' expressed as \\(fc\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 10.764 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-candle"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-candle?oldid=475579268"^^xsd:anyURI ; + qudt:symbol "fc" ; + qudt:uneceCommonCode "P27" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Candle"@en ; +. +unit:FM + a qudt:Unit ; + dcterms:description "The \\(\\textit{fermi}\\), or \\(\\textit{femtometer}\\) (other spelling \\(femtometre\\), symbol \\(fm\\)) is an SI unit of length equal to \\(10^{-15} metre\\). This distance is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:exactMatch unit:FemtoM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "fm" ; + qudt:uneceCommonCode "A71" ; + rdfs:isDefinedBy ; + rdfs:label "fermi"@en ; +. +unit:FR + a qudt:Unit ; + dcterms:description "\"Franklin\" is a unit for 'Electric Charge' expressed as \\(Fr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 3.335641e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Franklin"^^xsd:anyURI ; + qudt:exactMatch unit:C_Stat ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAB212" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Franklin?oldid=495090654"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Fr" ; + qudt:uneceCommonCode "N94" ; + rdfs:isDefinedBy ; + rdfs:label "Franklin"@en ; +. +unit:FRACTION + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:hasQuantityKind quantitykind:Reflectance ; + qudt:plainTextDescription "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself." ; + qudt:symbol "÷" ; + qudt:ucumCode "{fraction}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Fraction"@en ; +. +unit:FRAME-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Frame per Second\" is a unit for 'Video Frame Rate' expressed as \\(fps\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VideoFrameRate ; + qudt:symbol "fps" ; + qudt:ucumCode "/s{frame}"^^qudt:UCUMcs ; + qudt:ucumCode "s-1{frame}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Frame per Second"@en ; +. +unit:FT + a qudt:Unit ; + dcterms:description "A foot is a unit of length defined as being 0.3048 m exactly and used in the imperial system of units and United States customary units. It is subdivided into 12 inches. The foot is still officially used in Canada and still commonly used in the United Kingdom, although the latter has partially metricated its units of measurement. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_%28length%29"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA440" ; + qudt:symbol "ft" ; + qudt:ucumCode "[ft_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "ft" ; + qudt:uneceCommonCode "FOT" ; + rdfs:isDefinedBy ; + rdfs:label "Foot"@en ; +. +unit:FT-LA + a qudt:Unit ; + dcterms:description "\"Foot Lambert\" is a C.G.S System unit for 'Luminance' expressed as \\(ft-L\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.4262591 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:symbol "ft⋅L" ; + qudt:ucumCode "[ft_i].Lmb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P29" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Lambert"@en ; +. +unit:FT-LB_F + a qudt:Unit ; + dcterms:description "\"Foot Pound Force\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-lbf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-pound_force"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-pound_force?oldid=453269257"^^xsd:anyURI ; + qudt:symbol "ft⋅lbf" ; + qudt:ucumCode "[ft_i].[lbf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "85" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force"@en ; +. +unit:FT-LB_F-PER-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Foot Pound per Square Foot\" is an Imperial unit for 'Energy Per Area' expressed as \\(ft-lbf/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "ft⋅lbf/ft²" ; + qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound per Square Foot"@en ; +. +unit:FT-LB_F-PER-FT2-SEC + a qudt:Unit ; + dcterms:description "\"Foot Pound Force per Square Foot Second\" is an Imperial unit for 'Power Per Area' expressed as \\(ft \\cdot lbf/(ft^2 \\cdot s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf/ft^2s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:latexSymbol "\\(ft \\cdot lbf/(ft^2 \\cdot s)\\)"^^qudt:LatexString ; + qudt:symbol "ft⋅lbf/ft²s" ; + qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force per Square Foot Second"@en ; +. +unit:FT-LB_F-PER-HR + a qudt:Unit ; + dcterms:description "\"Foot Pound Force per Hour\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00376616129 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/hr" ; + qudt:ucumCode "[ft_i].[lbf_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K15" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force per Hour"@en ; +. +unit:FT-LB_F-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Foot Pound Force per Square Meter\" is a unit for 'Energy Per Area' expressed as \\(ft-lbf/m^{2}\\)."^^qudt:LatexString ; + qudt:expression "\\(ft-lbf/m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "ft⋅lbf/m²" ; + qudt:ucumCode "[ft_i].[lbf_av].m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force per Square Meter"@en-us ; + rdfs:label "Foot Pound Force per Square Metre"@en ; +. +unit:FT-LB_F-PER-MIN + a qudt:Unit ; + dcterms:description "\"Foot Pound Force per Minute\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0225969678 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/min" ; + qudt:ucumCode "[ft_i].[lbf_av].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K16" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force per Minute"@en ; +. +unit:FT-LB_F-PER-SEC + a qudt:Unit ; + dcterms:description "\"Foot Pound Force per Second\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-lbf/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/s" ; + qudt:ucumCode "[ft_i].[lbf_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A74" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force per Second"@en ; +. +unit:FT-LB_F-SEC + a qudt:Unit ; + dcterms:description "\"Foot Pound Force Second\" is a unit for 'Angular Momentum' expressed as \\(lbf / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(lbf / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:symbol "lbf/s" ; + qudt:ucumCode "[ft_i].[lbf_av].s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Foot Pound Force Second"@en ; +. +unit:FT-PDL + a qudt:Unit ; + dcterms:description "\"Foot Poundal\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-pdl\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0421401100938048 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB220" ; + qudt:omUnit ; + qudt:symbol "ft⋅pdl" ; + qudt:uneceCommonCode "N46" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Poundal"@en ; +. +unit:FT-PER-DAY + a qudt:Unit ; + dcterms:description "\"Foot per Day\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/d\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.52777777777778e-06 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft/d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "ft/day" ; + qudt:ucumCode "[ft_i].d-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Foot per Day"@en ; +. +unit:FT-PER-DEG_F + a qudt:Unit ; + dcterms:description "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.54864 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA441" ; + qudt:plainTextDescription "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "ft/°F" ; + qudt:ucumCode "[ft_i].[lbf_av].[degF]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K13" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Per Degree Fahrenheit"@en ; +. +unit:FT-PER-HR + a qudt:Unit ; + dcterms:description "\"Foot per Hour\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8.466666666666667e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA442" ; + qudt:symbol "ft/hr" ; + qudt:ucumCode "[ft_i].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K14" ; + rdfs:isDefinedBy ; + rdfs:label "Foot per Hour"@en ; +. +unit:FT-PER-MIN + a qudt:Unit ; + dcterms:description "\"Foot per Minute\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00508 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA448" ; + qudt:symbol "ft/min" ; + qudt:ucumCode "[ft_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FR" ; + rdfs:isDefinedBy ; + rdfs:label "Foot per Minute"@en ; +. +unit:FT-PER-SEC + a qudt:Unit ; + dcterms:description "\\(\\textit{foot per second}\\) (plural \\(\\textit{feet per second}\\)) is a unit of both speed (scalar) and velocity (vector quantity, which includes direction). It expresses the distance in feet (\\(ft\\)) traveled or displaced, divided by the time in seconds (\\(s\\), or \\(sec\\)). The corresponding unit in the International System of Units (SI) is the \\(\\textit{metre per second}\\). Abbreviations include \\(ft/s\\), \\(ft/sec\\) and \\(fps\\), and the rarely used scientific notation \\(ft\\,s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_per_second"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA449" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot_per_second?oldid=491316573"^^xsd:anyURI ; + qudt:symbol "ft/s" ; + qudt:ucumCode "[ft_i].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FS" ; + rdfs:isDefinedBy ; + rdfs:label "Foot per Second"@en ; +. +unit:FT-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Foot per Square Second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(ft/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft/s^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA452" ; + qudt:symbol "ft/s²" ; + qudt:ucumCode "[ft_i].s-2"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A73" ; + rdfs:isDefinedBy ; + rdfs:label "Foot per Square Second"@en ; +. +unit:FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The square foot (plural square feet; abbreviated \\(ft^2\\) or \\(sq \\, ft\\)) is an imperial unit and U.S. customary unit of area, used mainly in the United States, Canada, United Kingdom, Hong Kong, Bangladesh, India, Pakistan and Afghanistan. It is defined as the area of a square with sides of 1 foot in length."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA454" ; + qudt:symbol "ft²" ; + qudt:ucumCode "[ft_i]2"^^qudt:UCUMcs ; + qudt:ucumCode "[sft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FTK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot"@en ; +. +unit:FT2-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Foot Degree Fahrenheit} is an Imperial unit for 'Area Temperature' expressed as \\(ft^{2}-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:symbol "ft²⋅°F" ; + qudt:ucumCode "[sft_i].[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot Degree Fahrenheit"@en ; +. +unit:FT2-HR-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}-hr-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}-hr-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:symbol "ft²⋅hr⋅°F" ; + qudt:ucumCode "[sft_i].h.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot Hour Degree Fahrenheit"@en ; +. +unit:FT2-HR-DEG_F-PER-BTU_IT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit per BTU} is an Imperial unit for 'Thermal Insulance' expressed as \\((degF-hr-ft^{2})/Btu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(sqft-hr-degF/btu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:symbol "sqft⋅hr⋅°F/btu" ; + qudt:ucumCode "[sft_i].h.[degF].[Btu_IT]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot Hour Degree Fahrenheit per BTU"@en ; +. +unit:FT2-PER-BTU_IT-IN + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00346673589 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft2-per-btu-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "ft²/btu⋅in" ; + qudt:ucumCode "[sft_i].[Btu_IT]-1.[in_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot per BTU Inch"@en ; +. +unit:FT2-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Foot per Hour} is an Imperial unit for \\(\\textit{Kinematic Viscosity}\\) and \\(\\textit{Thermal Diffusivity}\\) expressed as \\(ft^{2}/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.58064e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAB247" ; + qudt:symbol "ft²/hr" ; + qudt:ucumCode "[sft_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M79" ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot per Hour"@en ; +. +unit:FT2-PER-SEC + a qudt:Unit ; + dcterms:description "\"Square Foot per Second\" is an Imperial unit for 'Kinematic Viscosity' expressed as \\(ft^{2}/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA455" ; + qudt:symbol "ft²/s" ; + qudt:ucumCode "[sft_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "S3" ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot per Second"@en ; +. +unit:FT2-SEC-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Foot Second Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}\\cdot s\\cdot degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{2}-s-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:symbol "ft²⋅s⋅°F" ; + qudt:ucumCode "[sft_i].s.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Foot Second Degree Fahrenheit"@en ; +. +unit:FT3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The cubic foot is an Imperial and US customary unit of volume, used in the United States and the United Kingdom. It is defined as the volume of a cube with sides of one foot (0.3048 m) in length. To calculate cubic feet multiply length X width X height. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.028316846592 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA456" ; + qudt:symbol "ft³" ; + qudt:ucumCode "[cft_i]"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FTQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot"@en ; +. +unit:FT3-PER-DAY + a qudt:Unit ; + dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.277413e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA458" ; + qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; + qudt:symbol "ft³/day" ; + qudt:ucumCode "[cft_i].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K22" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot Per Day"@en ; +. +unit:FT3-PER-DEG_F + a qudt:Unit ; + dcterms:description "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.05097033 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA457" ; + qudt:plainTextDescription "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "ft³/°F" ; + qudt:ucumCode "[cft_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K21" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot Per Degree Fahrenheit"@en ; +. +unit:FT3-PER-HR + a qudt:Unit ; + dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 7.865792e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA459" ; + qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; + qudt:symbol "ft³/hr" ; + qudt:ucumCode "[cft_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2K" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot Per Hour"@en ; +. +unit:FT3-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Cubic Foot per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(ft^3/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004719474432000001 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA461" ; + qudt:symbol "ft³/min" ; + qudt:ucumCode "[cft_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[cft_i]/min"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]3.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2L" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot per Minute"@en ; +. +unit:FT3-PER-MIN-FT2 + a qudt:Unit ; + dcterms:description "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00508 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAB086" ; + qudt:plainTextDescription "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot" ; + qudt:symbol "ft³/(min⋅ft²)" ; + qudt:ucumCode "[cft_i].min-1.[sft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "36" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot Per Minute Square Foot"@en ; +. +unit:FT3-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Cubic Foot per Second\" is an Imperial unit for \\( \\textit{Volume Per Unit Time}\\) expressed as \\(ft^3/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.028316846592000004 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft^{3}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA462" ; + qudt:symbol "ft³/s" ; + qudt:ucumCode "[cft_i].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[cft_i]/s"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]3.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[ft_i]3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E17" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Foot per Second"@en ; +. +unit:FT_H2O + a qudt:Unit ; + dcterms:description "\"Foot of Water\" is a unit for 'Force Per Area' expressed as \\(ftH2O\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 2989.067 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA463" ; + qudt:symbol "ftH₂0" ; + qudt:ucumCode "[ft_i'H2O]"^^qudt:UCUMcs ; + qudt:udunitsCode "ftH2O" ; + qudt:udunitsCode "fth2o" ; + qudt:uneceCommonCode "K24" ; + rdfs:isDefinedBy ; + rdfs:label "Foot of Water"@en ; +. +unit:FT_HG + a qudt:Unit ; + dcterms:description "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot"^^rdf:HTML ; + qudt:conversionMultiplier 40636.66 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA464" ; + qudt:plainTextDescription "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot" ; + qudt:symbol "ftHg" ; + qudt:ucumCode "[ft_i'Hg]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K25" ; + rdfs:isDefinedBy ; + rdfs:label "Foot Of Mercury"@en ; +. +unit:FT_US + a qudt:Unit ; + dcterms:description "\\(\\textit{US Survey Foot}\\) is a unit for 'Length' expressed as \\(ftUS\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3048006 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB286" ; + qudt:symbol "ft{US Survey}" ; + qudt:ucumCode "[ft_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M51" ; + rdfs:isDefinedBy ; + rdfs:label "US Survey Foot"@en ; +. +unit:FUR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A furlong is a measure of distance in imperial units and U.S. customary units equal to one-eighth of a mile, equivalent to 220 yards, 660 feet, 40 rods, or 10 chains. The exact value of the furlong varies slightly among English-speaking countries. Five furlongs are approximately 1 kilometre (1.0058 km is a closer approximation). Since the original definition of the metre was one-quarter of one ten-millionth of the circumference of the Earth (along the great circle coincident with the meridian of longitude passing through Paris), the circumference of the Earth is about 40,000 km or about 200,000 furlongs. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 201.168 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Furlong"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB204" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Furlong?oldid=492237369"^^xsd:anyURI ; + qudt:symbol "furlong" ; + qudt:ucumCode "[fur_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M50" ; + rdfs:comment "Check if this is US-Survey or International Customary definition (multiplier)" ; + rdfs:isDefinedBy ; + rdfs:label "Furlong"@en ; +. +unit:FUR_Long + a qudt:Unit ; + qudt:expression "\\(longfur\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:symbol "furlong{long}" ; + rdfs:isDefinedBy ; + rdfs:label "Long Furlong"@en ; +. +unit:FemtoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A FemtoCoulomb is \\(10^{-15} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Femto ; + qudt:symbol "fC" ; + qudt:ucumCode "fC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "FemtoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:FemtoGM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "fg" ; + rdfs:isDefinedBy ; + rdfs:label "FemtoGram"@en ; +. +unit:FemtoGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "One part per 10**18 by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "fg/kg" ; + qudt:ucumCode "fg.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Femtograms per kilogram"@en ; +. +unit:FemtoGM-PER-L + a qudt:Unit ; + dcterms:description "One 10**18 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "fg/L" ; + qudt:ucumCode "fg.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Femtograms per litre"@en ; +. +unit:FemtoJ + a qudt:Unit ; + dcterms:description "0,000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB124" ; + qudt:plainTextDescription "0.000000000000001-fold of the derived SI unit joule" ; + qudt:prefix prefix:Femto ; + qudt:symbol "fJ" ; + qudt:ucumCode "fJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A70" ; + rdfs:isDefinedBy ; + rdfs:label "Femtojoule"@en ; +. +unit:FemtoL + a qudt:Unit ; + dcterms:description "0.000000000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000000000001-fold of the unit litre" ; + qudt:symbol "fL" ; + qudt:ucumCode "fL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q32" ; + rdfs:isDefinedBy ; + rdfs:label "Femtolitre"@en ; + rdfs:label "Femtolitre"@en-us ; +. +unit:FemtoM + a qudt:Unit ; + dcterms:description "The \\(\\textit{femtometre}\\) is an SI unit of length equal to \\(10^{-15} meter\\). This distance can also be called \\(\\textit{fermi}\\) and was so named in honour of Enrico Fermi. It is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:exactMatch unit:FM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB063" ; + qudt:prefix prefix:Femto ; + qudt:symbol "fm" ; + qudt:ucumCode "fm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A71" ; + rdfs:isDefinedBy ; + rdfs:label "Femtometer"@en-us ; + rdfs:label "Femtometre"@en ; +. +unit:FemtoMOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasQuantityKind quantitykind:ExtentOfReaction ; + qudt:symbol "fmol" ; + qudt:ucumCode "fmol"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "FemtoMole"@en ; +. +unit:FemtoMOL-PER-KiloGM + a qudt:Unit ; + dcterms:description "A 10**15 part quantity of substance of the measurand per kilogram mass of matrix."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "fmol/kg" ; + qudt:ucumCode "fmol.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Femtomoles per kilogram"@en ; +. +unit:FemtoMOL-PER-L + a qudt:Unit ; + dcterms:description "A 10**18 part quantity of substance of the measurand per litre volume of matrix."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "fmol/L" ; + qudt:ucumCode "fmol.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Femtomoles per litre"@en ; +. +unit:Flight + a qudt:Unit ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:symbol "flight" ; + rdfs:isDefinedBy ; + rdfs:label "Flight"@en ; +. +unit:G + a qudt:Unit ; + dcterms:description "\"Gravity\" is a unit for 'Linear Acceleration' expressed as \\(G\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:symbol "G" ; + qudt:ucumCode "[g]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K40" ; + rdfs:isDefinedBy ; + rdfs:label "Gravity"@en ; +. +unit:GALILEO + a qudt:Unit ; + dcterms:description "The \\(\\textit{Galileo}\\) is the unit of acceleration of free fall used extensively in the science of gravimetry. The Galileo is defined as \\(1 \\textit{centimeter per square second}\\) (\\(1 cm/s^2\\)). Unfortunately, the Galileo is often denoted with the symbol Gal, not to be confused with the Gallon that also uses the same symbol."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gal"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gal?oldid=482010741"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "CGS unit of acceleration called gal with the definition: 1 Gal = 1 cm/s" ; + qudt:symbol "Gal" ; + qudt:ucumCode "Gal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A76" ; + rdfs:isDefinedBy ; + rdfs:label "Galileo"@en ; +. +unit:GAL_IMP + a qudt:Unit ; + dcterms:description "A British gallon used in liquid and dry measurement approximately 1.2 U.S. gallons, or 4.54 liters"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "gal{Imp}" ; + qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLI" ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Gallon"@en ; +. +unit:GAL_UK + a qudt:Unit ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA500" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "gal{UK}" ; + qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLI" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (UK)"@en ; +. +unit:GAL_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 5.261678e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA501" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day" ; + qudt:symbol "gal{UK}/day" ; + qudt:ucumCode "[gal_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K26" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (UK) Per Day"@en ; +. +unit:GAL_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.262803e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA502" ; + qudt:plainTextDescription "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour" ; + qudt:symbol "gal{UK}/hr" ; + qudt:ucumCode "[gal_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K27" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (UK) Per Hour"@en ; +. +unit:GAL_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.576817e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA503" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute" ; + qudt:symbol "gal{UK}/min" ; + qudt:ucumCode "[gal_br].m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G3" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (UK) Per Minute"@en ; +. +unit:GAL_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA504" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "gal{UK}/s" ; + qudt:ucumCode "[gal_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K28" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (UK) Per Second"@en ; +. +unit:GAL_US + a qudt:Unit ; + dcterms:description "\"US Gallon\" is a unit for 'Liquid Volume' expressed as \\(galUS\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.003785412 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "gal{US}" ; + qudt:ucumCode "[gal_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLL" ; + rdfs:isDefinedBy ; + rdfs:label "US Gallon"@en ; + skos:altLabel "Queen Anne's wine gallon" ; +. +unit:GAL_US-PER-DAY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"US Gallon per Day\" is a unit for 'Volume Per Unit Time' expressed as \\(gal/d\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.38126389e-08 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(gal/d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:symbol "gal/day" ; + qudt:ucumCode "[gal_us].d-1"^^qudt:UCUMcs ; + qudt:ucumCode "[gal_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GB" ; + rdfs:isDefinedBy ; + rdfs:label "US Gallon per Day"@en ; +. +unit:GAL_US-PER-HR + a qudt:Unit ; + dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.051503e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA507" ; + qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour" ; + qudt:symbol "gal{US}/hr" ; + qudt:ucumCode "[gal_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G50" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (US) Per Hour"@en ; +. +unit:GAL_US-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"US Gallon per Minute\" is a C.G.S System unit for 'Volume Per Unit Time' expressed as \\(gal/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.30902e-05 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(gal/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:symbol "gal/min" ; + qudt:ucumCode "[gal_us].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[gal_us]/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "US Gallon per Minute"@en ; +. +unit:GAL_US-PER-SEC + a qudt:Unit ; + dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.003785412 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA509" ; + qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "gal{US}/s" ; + qudt:ucumCode "[gal_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K30" ; + rdfs:isDefinedBy ; + rdfs:label "Gallon (US Liquid) Per Second"@en ; +. +unit:GAL_US_DRY + a qudt:Unit ; + dcterms:description "\"Dry Gallon US\" is a unit for 'Dry Volume' expressed as \\(dry_gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00440488377 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "gal{US Dry}" ; + qudt:ucumCode "[gal_wi]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLD" ; + rdfs:isDefinedBy ; + rdfs:label "Dry Gallon US"@en ; + skos:altLabel "Winchester gallon" ; + skos:altLabel "corn gallon" ; +. +unit:GAUGE_FR + a qudt:Unit ; + dcterms:description "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)."^^rdf:HTML ; + qudt:conversionMultiplier 0.0003333333 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB377" ; + qudt:plainTextDescription "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)." ; + qudt:symbol "French gauge" ; + qudt:ucumCode "[Ch]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H79" ; + rdfs:isDefinedBy ; + rdfs:label "French Gauge"@en ; +. +unit:GAUSS + a qudt:Unit ; + dcterms:description "CGS unit of the magnetic flux density B"^^rdf:HTML ; + qudt:conversionMultiplier 0.0001 ; + qudt:exactMatch unit:Gs ; + qudt:exactMatch unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB135" ; + qudt:plainTextDescription "CGS unit of the magnetic flux density B" ; + qudt:symbol "Gs" ; + qudt:ucumCode "G"^^qudt:UCUMcs ; + qudt:uneceCommonCode "76" ; + rdfs:isDefinedBy ; + rdfs:label "Gauss"@en ; +. +unit:GI + a qudt:Unit ; + dcterms:description "The fundamental unit of magnetomotive force (\\(mmf\\)) in electromagnetic units is called a Gilbert. It is the \\(mmf\\) which will produce a magnetic field strength of one Gauss (Maxwell per Square Centimeter) in a path one centimeter long."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 0.795774715 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gilbert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:iec61360Code "0112/2///62720#UAB211" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gilbert?oldid=492755037"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Gb" ; + qudt:ucumCode "Gb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N97" ; + rdfs:isDefinedBy ; + rdfs:label "Gilbert"@en ; +. +unit:GI_UK + a qudt:Unit ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0001420653 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA511" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)" ; + qudt:symbol "gill{UK}" ; + qudt:ucumCode "[gil_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GII" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (UK)"@en ; +. +unit:GI_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.644274e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA512" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "gill{UK}/day" ; + qudt:ucumCode "[gil_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K32" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (UK) Per Day"@en ; +. +unit:GI_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 3.946258e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA513" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "gill{UK}/hr" ; + qudt:ucumCode "[gil_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K33" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (UK) Per Hour"@en ; +. +unit:GI_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.367755e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA514" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "gill{UK}/min" ; + qudt:ucumCode "[gil_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K34" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (UK) Per Minute"@en ; +. +unit:GI_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0001420653 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA515" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "gill{UK}/s" ; + qudt:ucumCode "[gil_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K35" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (UK) Per Second"@en ; +. +unit:GI_US + a qudt:Unit ; + dcterms:description "unit of the volume according the Anglo-American system of units (1/32 US Gallon)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000118294125 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA516" ; + qudt:plainTextDescription "unit of the volume according the Anglo-American system of units (1/32 US Gallon)" ; + qudt:symbol "gill{US}" ; + qudt:ucumCode "[gil_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GIA" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (US)"@en ; +. +unit:GI_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.369145e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA517" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "gill{US}/day" ; + qudt:ucumCode "[gil_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K36" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (US) Per Day"@en ; +. +unit:GI_US-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.285947e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA518" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "gill{US}/hr" ; + qudt:ucumCode "[gil_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K37" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (US) Per Hour"@en ; +. +unit:GI_US-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.971568e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA519" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "gill{US}/min" ; + qudt:ucumCode "[gil_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K38" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (US) Per Minute"@en ; +. +unit:GI_US-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0001182941 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA520" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "gill{US}/s" ; + qudt:ucumCode "[gil_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K39" ; + rdfs:isDefinedBy ; + rdfs:label "Gill (US) Per Second"@en ; +. +unit:GM + a qudt:Unit ; + dcterms:description "A unit of mass in the metric system. The name comes from the Greek gramma, a small weight identified in later Roman and Byzantine times with the Latin scripulum or scruple (the English scruple is equal to about 1.3 grams). The gram was originally defined to be the mass of one cubic centimeter of pure water, but to provide precise standards it was necessary to construct physical objects of specified mass. One gram is now defined to be 1/1000 of the mass of the standard kilogram, a platinum-iridium bar carefully guarded by the International Bureau of Weights and Measures in Paris for more than a century. (The kilogram, rather than the gram, is considered the base unit of mass in the SI.) The gram is a small mass, equal to about 15.432 grains or 0.035 273 966 ounce. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gram"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA465" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gram?oldid=493995797"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "g" ; + qudt:ucumCode "g"^^qudt:UCUMcs ; + qudt:udunitsCode "g" ; + qudt:uneceCommonCode "GRM" ; + rdfs:isDefinedBy ; + rdfs:label "Gram"@en ; +. +unit:GM-MilliM + a qudt:Unit ; + dcterms:description "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB381" ; + qudt:plainTextDescription "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre" ; + qudt:symbol "g/mm" ; + qudt:ucumCode "g.mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H84" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Millimeter"@en-us ; + rdfs:label "Gram Millimetre"@en ; +. +unit:GM-PER-CentiM2 + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB103" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2" ; + qudt:symbol "g/cm²" ; + qudt:ucumCode "g.cm-2"^^qudt:UCUMcs ; + qudt:ucumCode "g/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "25" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Square Centimeter"@en-us ; + rdfs:label "Gram Per Square Centimetre"@en ; +. +unit:GM-PER-CentiM2-YR + a qudt:Unit ; + dcterms:description "A rate of change of 0.001 of the SI unit of mass over 0.00001 of the SI unit of area in a period of an average calendar year (365.25 days)"@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.16880878140289e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "g/(cm²⋅yr)" ; + qudt:ucumCode "g.cm-2.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Grams per square centimetre per year"@en ; +. +unit:GM-PER-CentiM3 + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA469" ; + qudt:plainTextDescription "0.001-fold of the SI base unit kilogram divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/cm³" ; + qudt:ucumCode "g.cm-3"^^qudt:UCUMcs ; + qudt:ucumCode "g/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "23" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Cubic Centimeter"@en-us ; + rdfs:label "Gram Per Cubic Centimetre"@en ; +. +unit:GM-PER-DAY + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA472" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit day" ; + qudt:symbol "g/day" ; + qudt:ucumCode "g.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F26" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Day"@en ; +. +unit:GM-PER-DEG_C + a qudt:Unit ; + dcterms:description "\\(\\textbf{Gram Degree Celsius} is a C.G.S System unit for 'Mass Temperature' expressed as \\(g \\cdot degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(g-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "g/°C" ; + qudt:ucumCode "d.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Gram Degree Celsius"@en ; +. +unit:GM-PER-DeciL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A derived unit for amount-of-substance concentration measured in g/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:expression "\\(g/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "g/dL" ; + qudt:ucumCode "g.dL-1"^^qudt:UCUMcs ; + qudt:ucumCode "g/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "grams per decilitre"@en ; + rdfs:label "grams per decilitre"@en-us ; +. +unit:GM-PER-DeciM3 + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA475" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/dm³" ; + qudt:ucumCode "g.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F23" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Cubic Decimeter"@en-us ; + rdfs:label "Gram Per Cubic Decimetre"@en ; +. +unit:GM-PER-GM + a qudt:Unit ; + dcterms:description "mass ratio consisting of the 0.001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "g/g" ; + qudt:ucumCode "g.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "g/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Gram"@en ; +. +unit:GM-PER-HR + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA478" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit hour" ; + qudt:symbol "g/hr" ; + qudt:ucumCode "g.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F27" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Hour"@en ; +. +unit:GM-PER-KiloGM + a qudt:Unit ; + dcterms:description "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA481" ; + qudt:plainTextDescription "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "g/kg" ; + qudt:ucumCode "g.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "g/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GK" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Kilogram"@en ; +. +unit:GM-PER-KiloM + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre" ; + qudt:symbol "g/km" ; + qudt:ucumCode "g.km-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Kilometer"@en-us ; + rdfs:label "Gram Per Kilometre"@en ; +. +unit:GM-PER-L + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA482" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "g/L" ; + qudt:ucumCode "g.L-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GL" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Liter"@en-us ; + rdfs:label "Gram Per Litre"@en ; +. +unit:GM-PER-M + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA485" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the SI base unit metre" ; + qudt:symbol "g/m" ; + qudt:ucumCode "g.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GF" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Meter"@en-us ; + rdfs:label "Gram Per Metre"@en ; +. +unit:GM-PER-M2 + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA486" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "g/m²" ; + qudt:ucumCode "g.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "g/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GM" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Square Meter"@en-us ; + rdfs:label "Gram Per Square Metre"@en ; +. +unit:GM-PER-M2-DAY + a qudt:Unit ; + dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.1574073e-08 ; + qudt:expression "\\(g-m^{-2}-day^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day." ; + qudt:symbol "g/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "grams per square meter per day"@en-us ; + rdfs:label "grams per square metre per day"@en ; +. +unit:GM-PER-M3 + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA487" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/m³" ; + qudt:ucumCode "g.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "g/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A93" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Cubic Meter"@en-us ; + rdfs:label "Gram Per Cubic Metre"@en ; +. +unit:GM-PER-MIN + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA490" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit minute" ; + qudt:symbol "g/min" ; + qudt:ucumCode "g.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F28" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Minute"@en ; +. +unit:GM-PER-MOL + a qudt:Unit ; + dcterms:description "0,01-fold of the SI base unit kilogram divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:iec61360Code "0112/2///62720#UAA496" ; + qudt:plainTextDescription "0,01-fold of the SI base unit kilogram divided by the SI base unit mol" ; + qudt:symbol "g/mol" ; + qudt:ucumCode "g.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A94" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Mole"@en ; +. +unit:GM-PER-MilliL + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA493" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre" ; + qudt:symbol "g/mL" ; + qudt:ucumCode "g.mL-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GJ" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Millilitre"@en ; + rdfs:label "Gram Per Millilitre"@en-us ; +. +unit:GM-PER-MilliM + a qudt:Unit ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB376" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter" ; + qudt:symbol "g/mm" ; + qudt:ucumCode "g.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H76" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Millimeter"@en-us ; + rdfs:label "Gram Per Millimetre"@en ; +. +unit:GM-PER-SEC + a qudt:Unit ; + dcterms:description "0,001fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA497" ; + qudt:plainTextDescription "0,001fold of the SI base unit kilogram divided by the SI base unit second" ; + qudt:symbol "g/s" ; + qudt:ucumCode "g.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F29" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Per Second"@en ; +. +unit:GM_Carbon-PER-M2-DAY + a qudt:Unit ; + dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; + qudt:conversionMultiplier 1.1574073e-08 ; + qudt:expression "\\(g C-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem." ; + qudt:symbol "g{carbon}/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1{C}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "grams Carbon per square meter per day"@en-us ; + rdfs:label "grams Carbon per square metre per day"@en ; +. +unit:GM_F + a qudt:Unit ; + dcterms:description "\"Gram Force\" is a unit for 'Force' expressed as \\(gf\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00980665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; + qudt:symbol "gf" ; + qudt:ucumCode "gf"^^qudt:UCUMcs ; + qudt:udunitsCode "gf" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Force"@en ; +. +unit:GM_F-PER-CentiM2 + a qudt:Unit ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 98.0665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA510" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "gf/cm²" ; + qudt:ucumCode "gf.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K31" ; + rdfs:isDefinedBy ; + rdfs:label "Gram Force Per Square Centimeter"@en-us ; + rdfs:label "Gram Force Per Square Centimetre"@en ; +. +unit:GM_Nitrogen-PER-M2-DAY + a qudt:Unit ; + dcterms:description "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; + qudt:conversionMultiplier 1.1574073e-08 ; + qudt:expression "\\(g N-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem." ; + qudt:symbol "g{nitrogen}/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1{N}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "grams Nitrogen per square meter per day"@en-us ; + rdfs:label "grams Nitrogen per square metre per day"@en ; +. +unit:GON + a qudt:Unit ; + dcterms:description "\"Gon\" is a C.G.S System unit for 'Plane Angle' expressed as \\(gon\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.015707963267949 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gon"^^xsd:anyURI ; + qudt:exactMatch unit:GRAD ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA522" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gon?oldid=424098171"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "gon" ; + qudt:ucumCode "gon"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A91" ; + rdfs:isDefinedBy ; + rdfs:label "Gon"@en ; +. +unit:GR + a qudt:DimensionlessUnit ; + a qudt:Unit ; + dcterms:description "the tangent of an angle of inclination multiplied by 100"^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grade"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grade?oldid=485504533"^^xsd:anyURI ; + qudt:symbol "gr" ; + rdfs:isDefinedBy ; + rdfs:label "Grade"@en ; +. +unit:GRAD + a qudt:Unit ; + dcterms:description "\"Grad\" is a unit for 'Plane Angle' expressed as \\(grad\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0157079633 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grad"^^xsd:anyURI ; + qudt:exactMatch unit:GON ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA522" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grad?oldid=490906645"^^xsd:anyURI ; + qudt:symbol "grad" ; + qudt:uneceCommonCode "A91" ; + rdfs:isDefinedBy ; + rdfs:label "Grad"@en ; +. +unit:GRAIN + a qudt:Unit ; + dcterms:description "A grain is a unit of measurement of mass that is nominally based upon the mass of a single seed of a cereal. The grain is the only unit of mass measure common to the three traditional English mass and weight systems; the obsolete Tower grain was, by definition, exactly /64 of a troy grain. Since 1958, the grain or troy grain measure has been defined in terms of units of mass in the International System of Units as precisely 64.79891 milligrams. Thus, \\(1 gram \\approx 15.4323584 grains\\). There are precisely 7,000 grains per avoirdupois pound in the imperial and U.S. customary units, and 5,760 grains in the Troy pound."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.479891e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cereal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA523" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cereal?oldid=495222949"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "gr{UK}" ; + qudt:ucumCode "[gr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GRN" ; + rdfs:isDefinedBy ; + rdfs:label "Grain"@en ; +. +unit:GRAIN-PER-GAL + a qudt:Unit ; + dcterms:description "\"Grain per Gallon\" is an Imperial unit for 'Density' expressed as \\(gr/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.017118061 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(gr/gal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "grain{UK}/gal" ; + qudt:ucumCode "[gr].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K41" ; + rdfs:isDefinedBy ; + rdfs:label "Grain per Gallon"@en ; +. +unit:GRAIN-PER-GAL_US + a qudt:Unit ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.01711806 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA524" ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "grain{US}/gal" ; + qudt:ucumCode "[gr].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K41" ; + rdfs:isDefinedBy ; + rdfs:label "Grain Per Gallon (US)"@en ; +. +unit:GRAIN-PER-M3 + a qudt:Unit ; + dcterms:description "Grains per cubic metre of volume"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.00006479891 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:plainTextDescription "Grains per cubic metre of volume" ; + qudt:symbol "Grain/m³" ; + qudt:ucumCode "[gr]/m3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Grains per Cubic Meter"@en-us ; + rdfs:label "Grains per Cubic Metre"@en ; +. +unit:GRAY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:hasQuantityKind quantitykind:Kerma ; + qudt:iec61360Code "0112/2///62720#UAA163" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "Gy" ; + qudt:ucumCode "Gy"^^qudt:UCUMcs ; + qudt:udunitsCode "Gy" ; + qudt:uneceCommonCode "A95" ; + rdfs:isDefinedBy ; + rdfs:label "Gray"@de ; + rdfs:label "graium"@la ; + rdfs:label "gray"@cs ; + rdfs:label "gray"@en ; + rdfs:label "gray"@es ; + rdfs:label "gray"@fr ; + rdfs:label "gray"@hu ; + rdfs:label "gray"@it ; + rdfs:label "gray"@ms ; + rdfs:label "gray"@pt ; + rdfs:label "gray"@ro ; + rdfs:label "gray"@sl ; + rdfs:label "gray"@tr ; + rdfs:label "grej"@pl ; + rdfs:label "γκρέι"@el ; + rdfs:label "грей"@bg ; + rdfs:label "грэй"@ru ; + rdfs:label "גריי"@he ; + rdfs:label "جراي; غراي"@ar ; + rdfs:label "گری"@fa ; + rdfs:label "ग्रेय"@hi ; + rdfs:label "グレイ"@ja ; + rdfs:label "戈瑞"@zh ; +. +unit:GRAY-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Gray per Second\" is a unit for 'Absorbed Dose Rate' expressed as \\(Gy/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Gy/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:hasQuantityKind quantitykind:KermaRate ; + qudt:hasQuantityKind quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAA164" ; + qudt:symbol "Gy/s" ; + qudt:ucumCode "Gy.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A96" ; + rdfs:isDefinedBy ; + rdfs:label "Gray per Second"@en ; +. +unit:GT + a qudt:Unit ; + dcterms:description "The formula for calculating GT is given by \\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\)"^^qudt:LatexString ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "http://www.imo.org/en/About/Conventions/ListOfConventions/Pages/International-Convention-on-Tonnage-Measurement-of-Ships.aspx"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gross_tonnage"^^xsd:anyURI ; + qudt:latexDefinition "\\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\) where V is measured in cubic meters."^^qudt:LatexString ; + qudt:plainTextDescription "Gross tonnage (GT, G.T. or gt) is a nonlinear measure of a ship's overall internal volume. Gross tonnage is different from gross register tonnage. Gross tonnage is used to determine things such as a ship's manning regulations, safety rules, registration fees, and port dues, whereas the older gross register tonnage is a measure of the volume of only certain enclosed spaces." ; + qudt:symbol "G.T." ; + qudt:ucumCode "t{gross}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GT" ; + rdfs:isDefinedBy ; + rdfs:label "Gross Tonnage"@en ; + rdfs:seeAlso unit:RT ; +. +unit:Gamma + a qudt:Unit ; + dcterms:description "\"Gamma\" is a C.G.S System unit for 'Magnetic Field'."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gamma"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB213" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gamma?oldid=494680973"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "γ" ; + qudt:uneceCommonCode "P12" ; + rdfs:isDefinedBy ; + rdfs:label "Gamma"@en ; +. +unit:GibiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The gibibyte is a multiple of the unit byte for digital information storage. The prefix gibi means 1024^3"^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.9540889436391441429912255610071e09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gibibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Gibi ; + qudt:symbol "GiB" ; + qudt:uneceCommonCode "E62" ; + rdfs:isDefinedBy ; + rdfs:label "GibiByte"@en ; +. +unit:GigaBIT-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A gigabit per second (Gbit/s or Gb/s) is a unit of data transfer rate equal to 1,000,000,000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 6.9314718055994530941723212145818e08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data-rate_units#Gigabit_per_second"^^xsd:anyURI ; + qudt:symbol "Gbps" ; + qudt:ucumCode "Gbit.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B80" ; + rdfs:isDefinedBy ; + rdfs:label "Gigabit per Second"@en ; +. +unit:GigaBQ + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the derived SI unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAB047" ; + qudt:plainTextDescription "1 000 000 000-fold of the derived SI unit becquerel" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GBq" ; + qudt:ucumCode "GBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GBQ" ; + rdfs:isDefinedBy ; + rdfs:label "Gigabecquerel"@en ; +. +unit:GigaBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The gigabyte is a multiple of the unit byte for digital information storage. The prefix giga means \\(10^9\\) in the International System of Units (SI), therefore 1 gigabyte is \\(1,000,000,000 \\; bytes\\). The unit symbol for the gigabyte is \\(GB\\) or \\(Gbyte\\), but not \\(Gb\\) (lower case b) which is typically used for the gigabit. Historically, the term has also been used in some fields of computer science and information technology to denote the \\(gibibyte\\), or \\(1073741824 \\; bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.54517744447956e09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gigabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB185" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gigabyte?oldid=493019145"^^xsd:anyURI ; + qudt:prefix prefix:Giga ; + qudt:symbol "GB" ; + qudt:ucumCode "GBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E34" ; + rdfs:isDefinedBy ; + rdfs:label "GigaByte"@en ; + skos:altLabel "gbyte" ; +. +unit:GigaBasePair + a qudt:Unit ; + dcterms:description "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. "^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "https://www.genome.gov/genetics-glossary/Gigabase"^^xsd:anyURI ; + qudt:plainTextDescription "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. " ; + qudt:symbol "Gbp" ; + rdfs:isDefinedBy ; + rdfs:label "Gigabase Pair"@en ; + skos:altLabel "Gigabase" ; +. +unit:GigaC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Giga ; + qudt:symbol "GC" ; + qudt:ucumCode "GC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "GigaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:GigaC-PER-M3 + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA149" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "GC/m³" ; + qudt:ucumCode "GC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A84" ; + rdfs:isDefinedBy ; + rdfs:label "Gigacoulomb Per Cubic Meter"@en-us ; + rdfs:label "Gigacoulomb Per Cubic Metre"@en ; +. +unit:GigaEV + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Giga Electron Volt\" is a unit for 'Energy And Work' expressed as \\(GeV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-10 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "GeV" ; + qudt:ucumCode "GeV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A85" ; + rdfs:isDefinedBy ; + rdfs:label "Giga Electron Volt"@en ; +. +unit:GigaHZ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. A GigaHertz is \\(10^{9} hz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA150" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GHz" ; + qudt:ucumCode "GHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A86" ; + rdfs:isDefinedBy ; + rdfs:label "Gigahertz"@en ; +. +unit:GigaHZ-M + a qudt:Unit ; + dcterms:description "product of the 1,000,000,000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ConductionSpeed ; + qudt:hasQuantityKind quantitykind:GroupSpeedOfSound ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; + qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA151" ; + qudt:plainTextDescription "product of the 1 000 000 000-fold of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "GHz⋅M" ; + qudt:ucumCode "GHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M18" ; + rdfs:isDefinedBy ; + rdfs:label "Gigahertz Meter"@en-us ; + rdfs:label "Gigahertz Metre"@en ; +. +unit:GigaJ + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA152" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit joule" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GJ" ; + qudt:ucumCode "GJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GV" ; + rdfs:isDefinedBy ; + rdfs:label "Gigajoule"@en ; +. +unit:GigaJ-PER-HR + a qudt:Unit ; + dcterms:description "SI derived unit Gigajoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit gigajoule divided by the 3600 times the SI base unit second" ; + qudt:symbol "GJ/hr" ; + qudt:ucumCode "GJ.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy ; + rdfs:label "Gigajoule Per Hour"@en ; +. +unit:GigaJ-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Gigajoule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as Gigajoules per square meter, Gigajoule per square metre, Gigajoule/square meter, Gigajoule/square metre."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000000000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(GJ/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyFluence ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:RadiantFluence ; + qudt:iec61360Code "0112/2///62720#UAA179" ; + qudt:symbol "GJ/m²" ; + qudt:ucumCode "GJ.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "GJ/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B13" ; + rdfs:isDefinedBy ; + rdfs:label "Gigajoule per Square Meter"@en-us ; + rdfs:label "Gigajoule per Square Metre"@en ; +. +unit:GigaOHM + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA147" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit ohm" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GΩ" ; + qudt:ucumCode "GOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A87" ; + rdfs:isDefinedBy ; + rdfs:label "Gigaohm"@en ; +. +unit:GigaPA + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA153" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit pascal" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GPa" ; + qudt:ucumCode "GPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A89" ; + rdfs:isDefinedBy ; + rdfs:label "Gigapascal"@en ; +. +unit:GigaW + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA154" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit watt" ; + qudt:prefix prefix:Giga ; + qudt:symbol "GW" ; + qudt:ucumCode "GW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A90" ; + rdfs:isDefinedBy ; + rdfs:label "Gigawatt"@en ; +. +unit:GigaW-HR + a qudt:Unit ; + dcterms:description "1,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.6e12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA155" ; + qudt:plainTextDescription "1 000 000 000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "GW⋅hr" ; + qudt:ucumCode "GW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GWH" ; + rdfs:isDefinedBy ; + rdfs:label "Gigawatt Hour"@en ; +. +unit:Gs + a qudt:Unit ; + dcterms:description "The gauss, abbreviated as \\(G\\), is the cgs unit of measurement of a magnetic field \\(B\\), which is also known as the \"magnetic flux density\" or the \"magnetic induction\". One gauss is defined as one maxwell per square centimeter; it equals \\(10^{-4} tesla\\) (or \\(100 micro T\\)). The Gauss is identical to maxwells per square centimetre; technically defined in a three-dimensional system, it corresponds in the SI, with its extra base unit the ampere. The gauss is quite small by earthly standards, 1 Gs being only about four times Earth's flux density, but it is subdivided, with \\(1 gauss = 105 gamma\\). This unit of magnetic induction is also known as the \\(\\textit{abtesla}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 0.0001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gauss_%28unit%29"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:GAUSS ; + qudt:exactMatch unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gauss_(unit)"^^xsd:anyURI ; + qudt:informativeReference "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-526?rskey=HAbfz2"^^xsd:anyURI ; + qudt:symbol "G" ; + qudt:ucumCode "G"^^qudt:UCUMcs ; + qudt:uneceCommonCode "76" ; + rdfs:isDefinedBy ; + rdfs:label "Gs"@en ; +. +unit:H + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of electric inductance. A changing magnetic field induces an electric current in a loop of wire (or in a coil of many loops) located in the field. Although the induced voltage depends only on the rate at which the magnetic flux changes, measured in webers per second, the amount of the current depends also on the physical properties of the coil. A coil with an inductance of one henry requires a flux of one weber for each ampere of induced current. If, on the other hand, it is the current which changes, then the induced field will generate a potential difference within the coil: if the inductance is one henry a current change of one ampere per second generates a potential difference of one volt. The henry is a large unit; inductances in practical circuits are measured in millihenrys (mH) or microhenrys (u03bc H). The unit is named for the American physicist Joseph Henry (1797-1878), one of several scientists who discovered independently how magnetic fields can be used to generate alternating currents. \\(\\text{H} \\; \\equiv \\; \\text{henry}\\; \\equiv\\; \\frac{\\text{Wb}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{weber}}{\\text{amp}}\\; \\equiv\\ \\frac{\\text{V}\\cdot\\text{s}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{volt} \\cdot \\text{second}}{\\text{amp}}\\; \\equiv\\ \\Omega\\cdot\\text{s}\\; \\equiv\\; \\text{ohm.second}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Henry"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA165" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "Wb/A" ; + qudt:symbol "H" ; + qudt:ucumCode "H"^^qudt:UCUMcs ; + qudt:uneceCommonCode "81" ; + rdfs:isDefinedBy ; + rdfs:label "Henry"@de ; + rdfs:label "henr"@pl ; + rdfs:label "henrio"@es ; + rdfs:label "henrium"@la ; + rdfs:label "henry"@cs ; + rdfs:label "henry"@en ; + rdfs:label "henry"@fr ; + rdfs:label "henry"@hu ; + rdfs:label "henry"@it ; + rdfs:label "henry"@ms ; + rdfs:label "henry"@pt ; + rdfs:label "henry"@ro ; + rdfs:label "henry"@sl ; + rdfs:label "henry"@tr ; + rdfs:label "χένρι"@el ; + rdfs:label "генри"@ru ; + rdfs:label "хенри"@bg ; + rdfs:label "הנרי"@he ; + rdfs:label "هنري"@ar ; + rdfs:label "هنری"@fa ; + rdfs:label "हेनरी"@hi ; + rdfs:label "ヘンリー"@ja ; + rdfs:label "亨利"@zh ; +. +unit:H-PER-KiloOHM + a qudt:Unit ; + dcterms:description "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA167" ; + qudt:plainTextDescription "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; + qudt:symbol "H/kΩ" ; + qudt:ucumCode "H.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H03" ; + rdfs:isDefinedBy ; + rdfs:label "Henry Per Kiloohm"@en ; +. +unit:H-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The henry per meter (symbolized \\(H/m\\)) is the unit of magnetic permeability in the International System of Units ( SI ). Reduced to base units in SI, \\(1\\,H/m\\) is the equivalent of one kilogram meter per square second per square ampere."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(H/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:hasQuantityKind quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA168" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; + qudt:symbol "H/m" ; + qudt:ucumCode "H.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A98" ; + rdfs:isDefinedBy ; + rdfs:label "Henry per Meter"@en-us ; + rdfs:label "Henry per Metre"@en ; +. +unit:H-PER-OHM + a qudt:Unit ; + dcterms:description "SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA166" ; + qudt:plainTextDescription "SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "H/Ω" ; + qudt:ucumCode "H.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H04" ; + rdfs:isDefinedBy ; + rdfs:label "Henry Per Ohm"@en ; +. +unit:HA + a qudt:Unit ; + dcterms:description "The customary metric unit of land area, equal to 100 ares. One hectare is a square hectometer, that is, the area of a square 100 meters on each side: exactly 10 000 square meters or approximately 107 639.1 square feet, 11 959.9 square yards, or 2.471 054 acres."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hectare"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAA532" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hectare?oldid=494256954"^^xsd:anyURI ; + qudt:symbol "ha" ; + qudt:ucumCode "har"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HAR" ; + rdfs:isDefinedBy ; + rdfs:label "Hectare"@en ; +. +unit:HART + a qudt:Unit ; + dcterms:description "The \"Hartley\" is a unit of information."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.3025850929940456840179914546844 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB344" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Hart" ; + qudt:uneceCommonCode "Q15" ; + rdfs:isDefinedBy ; + rdfs:label "Hartley"@en ; +. +unit:HART-PER-SEC + a qudt:Unit ; + dcterms:description "The \"Hartley per Second\" is a unit of information rate."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Hart/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB347" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "Hart/s" ; + qudt:uneceCommonCode "Q18" ; + rdfs:isDefinedBy ; + rdfs:label "Hartley per Second"@en ; +. +unit:HP + a qudt:Unit ; + dcterms:description "550 foot-pound force per second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 745.6999 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Horsepower"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Horsepower?oldid=495510329"^^xsd:anyURI ; + qudt:symbol "HP" ; + qudt:ucumCode "[HP]"^^qudt:UCUMcs ; + qudt:udunitsCode "hp" ; + qudt:uneceCommonCode "K43" ; + rdfs:isDefinedBy ; + rdfs:label "Horsepower"@en ; +. +unit:HP_Boiler + a qudt:Unit ; + dcterms:description "\"Boiler Horsepower\" is a unit for 'Power' expressed as \\(hp_boiler\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9809.5 ; + qudt:expression "\\(boiler_hp\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "HP{boiler}" ; + qudt:uneceCommonCode "K42" ; + rdfs:isDefinedBy ; + rdfs:label "Boiler Horsepower"@en ; +. +unit:HP_Brake + a qudt:Unit ; + dcterms:description "unit of the power according to the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 9809.5 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA536" ; + qudt:plainTextDescription "unit of the power according to the Imperial system of units" ; + qudt:symbol "HP{brake}" ; + qudt:uneceCommonCode "K42" ; + rdfs:isDefinedBy ; + rdfs:label "Horsepower (brake)"@en ; +. +unit:HP_Electric + a qudt:Unit ; + dcterms:description "unit of the power according to the Anglo-American system of units"^^rdf:HTML ; + qudt:conversionMultiplier 746.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA537" ; + qudt:plainTextDescription "unit of the power according to the Anglo-American system of units" ; + qudt:symbol "HP{electric}" ; + qudt:uneceCommonCode "K43" ; + rdfs:isDefinedBy ; + rdfs:label "Horsepower (electric)"@en ; +. +unit:HP_Metric + a qudt:Unit ; + dcterms:description "unit of the mechanical power according to the Anglo-American system of units"^^rdf:HTML ; + qudt:conversionMultiplier 735.4988 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA534" ; + qudt:plainTextDescription "unit of the mechanical power according to the Anglo-American system of units" ; + qudt:symbol "HP{metric}" ; + qudt:uneceCommonCode "HJ" ; + rdfs:isDefinedBy ; + rdfs:label "Horsepower (metric)"@en ; +. +unit:HR + a qudt:Unit ; + dcterms:description "The hour (common symbol: h or hr) is a unit of measurement of time. In modern usage, an hour comprises 60 minutes, or 3,600 seconds. It is approximately 1/24 of a mean solar day. An hour in the Universal Coordinated Time (UTC) time standard can include a negative or positive leap second, and may therefore have a duration of 3,599 or 3,601 seconds for adjustment purposes. Although it is not a standard defined by the International System of Units, the hour is a unit accepted for use with SI, represented by the symbol h."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3600.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA525" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hour?oldid=495040268"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "hr" ; + qudt:ucumCode "h"^^qudt:UCUMcs ; + qudt:udunitsCode "h" ; + qudt:uneceCommonCode "HUR" ; + rdfs:isDefinedBy ; + rdfs:label "Hour"@en ; +. +unit:HR-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Hour Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(hr-ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 334.450944 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(hr-ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "hr⋅ft²" ; + qudt:ucumCode "h.[ft_i]2"^^qudt:UCUMcs ; + qudt:ucumCode "h.[sft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hour Square Foot"@en ; +. +unit:HR_Sidereal + a qudt:Unit ; + dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about 23 h 56 m 4.1 s in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Hour is \\(1/24^{th}\\) of a Sidereal Day. A mean sidereal day is 23 hours, 56 minutes, 4.0916 seconds (23.9344699 hours or 0.99726958 mean solar days), the time it takes Earth to make one rotation relative to the vernal equinox. (Due to nutation, an actual sidereal day is not quite so constant.) The vernal equinox itself precesses slowly westward relative to the fixed stars, completing one revolution in about 26,000 years, so the misnamed sidereal day (\"sidereal\" is derived from the Latin sidus meaning \"star\") is 0.0084 seconds shorter than Earth's period of rotation relative to the fixed stars."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3590.17 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; + qudt:symbol "hr{sidereal}" ; + qudt:ucumCode "h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Sidereal Hour"@en ; +. +unit:HZ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. One of its most common uses is the description of the sine wave, particularly those used in radio and audio applications, such as the frequency of musical tones. The word \"hertz\" is named for Heinrich Rudolf Hertz, who was the first to conclusively prove the existence of electromagnetic waves."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA170" ; + qudt:omUnit ; + qudt:symbol "Hz" ; + qudt:ucumCode "Hz"^^qudt:UCUMcs ; + qudt:udunitsCode "Hz" ; + qudt:uneceCommonCode "HTZ" ; + rdfs:isDefinedBy ; + rdfs:label "Hertz"@de ; + rdfs:label "herc"@pl ; + rdfs:label "hercio"@es ; + rdfs:label "hertz"@cs ; + rdfs:label "hertz"@en ; + rdfs:label "hertz"@fr ; + rdfs:label "hertz"@hu ; + rdfs:label "hertz"@it ; + rdfs:label "hertz"@ms ; + rdfs:label "hertz"@pt ; + rdfs:label "hertz"@ro ; + rdfs:label "hertz"@sl ; + rdfs:label "hertz"@tr ; + rdfs:label "hertzium"@la ; + rdfs:label "χερτζ"@el ; + rdfs:label "герц"@ru ; + rdfs:label "херц"@bg ; + rdfs:label "הרץ"@he ; + rdfs:label "هرتز"@ar ; + rdfs:label "هرتز"@fa ; + rdfs:label "हर्ट्ज"@hi ; + rdfs:label "ヘルツ"@ja ; + rdfs:label "赫兹"@zh ; +. +unit:HZ-M + a qudt:Unit ; + dcterms:description "product of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA171" ; + qudt:plainTextDescription "product of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "Hz⋅M" ; + qudt:ucumCode "Hz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H34" ; + rdfs:isDefinedBy ; + rdfs:label "Hertz Meter"@en-us ; + rdfs:label "Hertz Metre"@en ; +. +unit:HZ-PER-K + a qudt:Unit ; + dcterms:description "\\(\\textbf{Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(Hz K^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz K^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:symbol "Hz/K" ; + qudt:ucumCode "Hz.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hertz je Kelvin"@de ; + rdfs:label "herc na kelwin"@pl ; + rdfs:label "hercio por kelvin"@es ; + rdfs:label "hertz al kelvin"@it ; + rdfs:label "hertz bölü kelvin"@tr ; + rdfs:label "hertz na kelvin"@cs ; + rdfs:label "hertz par kelvin"@fr ; + rdfs:label "hertz pe kelvin"@ro ; + rdfs:label "hertz per kelvin"@en ; + rdfs:label "hertz per kelvin"@ms ; + rdfs:label "hertz por kelvin"@pt ; + rdfs:label "герц на кельвин"@ru ; + rdfs:label "هرتز بر کلوین"@fa ; + rdfs:label "هرتز لكل كلفن"@ar ; + rdfs:label "हर्ट्ज प्रति कैल्विन"@hi ; + rdfs:label "ヘルツ毎立方メートル"@ja ; +. +unit:HZ-PER-T + a qudt:Unit ; + dcterms:description "\"Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(Hz T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "Hz/T" ; + qudt:ucumCode "Hz.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hertz per Tesla"@en ; +. +unit:HZ-PER-V + a qudt:Unit ; + dcterms:description "In the Hertz per Volt standard the frequency of the note is directly related to the voltage. A pitch of a note goes up one octave when its frequency doubles, meaning that the voltage will have to double for every octave rise. Depending on the footage (octave) selected, nominally one volt gives 1000Hz, two volts 2000Hz and so on. In terms of notes, bottom C would be 0.25 volts, the next C up would be 0.5 volts, then 1V, 2V, 4V, 8V for the following octaves. This system was used mainly by Yamaha and Korg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz V^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:symbol "Hz/V" ; + qudt:ucumCode "Hz.V-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hertz per Volt"@en ; +. +unit:H_Ab + a qudt:Unit ; + dcterms:description "Abhenry is the centimeter-gram-second electromagnetic unit of inductance, equal to one billionth of a henry."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abhenry"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abhenry?oldid=477198643"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abH" ; + qudt:ucumCode "nH"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abhenry"@en ; +. +unit:H_Stat + a qudt:Unit ; + dcterms:description "\"Stathenry\" (statH) is a unit in the category of Electric inductance. It is also known as stathenries. This unit is commonly used in the cgs unit system. Stathenry (statH) has a dimension of \\(ML^2T^{-2}I^{-2}\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit H by multiplying its value by a factor of \\(8.987552 \\times 10^{11}\\) ."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e11 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_inductance--stathenry.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statH" ; + rdfs:isDefinedBy ; + rdfs:label "Stathenry"@en ; +. +unit:H_Stat-PER-CentiM + a qudt:Unit ; + dcterms:description "The Stathenry per Centimeter is a unit of measure for the absolute permeability of free space."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e13 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(stath-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:hasQuantityKind quantitykind:Permeability ; + qudt:symbol "statH/cm" ; + rdfs:isDefinedBy ; + rdfs:label "Stathenry per Centimeter"@en-us ; + rdfs:label "Stathenry per Centimetre"@en ; +. +unit:HeartBeat + a qudt:Unit ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + rdfs:isDefinedBy ; + rdfs:label "Heart Beat"@en ; +. +unit:HectoBAR + a qudt:Unit ; + dcterms:description "100-fold of the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB087" ; + qudt:plainTextDescription "100-fold of the unit bar" ; + qudt:symbol "hbar" ; + qudt:ucumCode "hbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HBA" ; + rdfs:isDefinedBy ; + rdfs:label "Hectobar"@en ; +. +unit:HectoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"HectoCoulomb\" is a unit for 'Electric Charge' expressed as \\(hC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Hecto ; + qudt:symbol "hC" ; + qudt:ucumCode "hC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "HectoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:HectoGM + a qudt:Unit ; + dcterms:description "0.1-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB079" ; + qudt:plainTextDescription "0.1-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Hecto ; + qudt:symbol "hg" ; + qudt:ucumCode "hg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HGM" ; + rdfs:isDefinedBy ; + rdfs:label "Hectogram"@en ; +. +unit:HectoL + a qudt:Unit ; + dcterms:description "100-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA533" ; + qudt:plainTextDescription "100-fold of the unit litre" ; + qudt:symbol "hL" ; + qudt:ucumCode "hL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HLT" ; + rdfs:isDefinedBy ; + rdfs:label "Hectolitre"@en ; + rdfs:label "Hectolitre"@en-us ; +. +unit:HectoM + a qudt:Unit ; + dcterms:description "100-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB062" ; + qudt:plainTextDescription "100-fold of the SI base unit metre" ; + qudt:prefix prefix:Hecto ; + qudt:symbol "hm" ; + qudt:ucumCode "hm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HMT" ; + rdfs:isDefinedBy ; + rdfs:label "Hectometer"@en-us ; + rdfs:label "Hectometre"@en ; +. +unit:HectoPA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Hectopascal is a unit of pressure. 1 Pa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 1013 hPa = 1 atm. There are 100 pascals in 1 hectopascal."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:MilliBAR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA527" ; + qudt:symbol "hPa" ; + qudt:ucumCode "hPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A97" ; + rdfs:comment "Hectopascal is commonly used in meteorology to report values for atmospheric pressure. It is equivalent to millibar." ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascal"@en ; +. +unit:HectoPA-L-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:iec61360Code "0112/2///62720#UAA530" ; + qudt:plainTextDescription "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "hPa⋅L/s" ; + qudt:ucumCode "hPa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F93" ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascal Liter Per Second"@en-us ; + rdfs:label "Hectopascal Litre Per Second"@en ; +. +unit:HectoPA-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:iec61360Code "0112/2///62720#UAA531" ; + qudt:plainTextDescription "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "hPa⋅m³/s" ; + qudt:ucumCode "hPa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F94" ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascal Cubic Meter Per Second"@en-us ; + rdfs:label "Hectopascal Cubic Metre Per Second"@en ; +. +unit:HectoPA-PER-BAR + a qudt:Unit ; + dcterms:description "100-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA529" ; + qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "hPa/bar" ; + qudt:ucumCode "hPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E99" ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascal Per Bar"@en ; +. +unit:HectoPA-PER-HR + a qudt:Unit ; + dcterms:description "A change in pressure of one hundred Newtons per square metre (100 Pascals) per hour. Equivalent to a change of one millibar per hour."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "hPa/hr" ; + qudt:ucumCode "hPa.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascals per hour"@en ; +. +unit:HectoPA-PER-K + a qudt:Unit ; + dcterms:description "100-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA528" ; + qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "hPa/K" ; + qudt:ucumCode "hPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F82" ; + rdfs:isDefinedBy ; + rdfs:label "Hectopascal Per Kelvin"@en ; +. +unit:Hundredweight_UK + a qudt:Unit ; + dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 50.80235 ; + qudt:exactMatch unit:CWT_LONG ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA405" ; + qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; + qudt:symbol "cwt{long}" ; + qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWI" ; + rdfs:isDefinedBy ; + rdfs:label "Hundredweight (UK)"@en ; +. +unit:Hundredweight_US + a qudt:Unit ; + dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 45.35924 ; + qudt:exactMatch unit:CWT_SHORT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA406" ; + qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; + qudt:symbol "cwt{short}" ; + qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWA" ; + rdfs:isDefinedBy ; + rdfs:label "Hundredweight (US)"@en ; +. +unit:IN + a qudt:Unit ; + dcterms:description "An inch is the name of a unit of length in a number of different systems, including Imperial units, and United States customary units. There are 36 inches in a yard and 12 inches in a foot. Corresponding units of area and volume are the square inch and the cubic inch."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA539" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch?oldid=492522790"^^xsd:anyURI ; + qudt:symbol "in" ; + qudt:ucumCode "[in_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "in" ; + qudt:uneceCommonCode "INH" ; + rdfs:isDefinedBy ; + rdfs:label "Inch"@en ; +. +unit:IN-PER-DEG_F + a qudt:Unit ; + dcterms:description "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.04572 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA540" ; + qudt:plainTextDescription "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "in/°F" ; + qudt:ucumCode "[in_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K45" ; + rdfs:isDefinedBy ; + rdfs:label "Inch Per Degree Fahrenheit"@en ; +. +unit:IN-PER-MIN + a qudt:Unit ; + dcterms:description "The inch per minute is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in minutes (min). The equivalent SI unit is the metre per second." ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000423333333 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "in/," ; + qudt:ucumCode "[in_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M63" ; + rdfs:isDefinedBy ; + rdfs:label "Inch per Minute"@en ; +. +unit:IN-PER-SEC + a qudt:Unit ; + dcterms:description "The inch per second is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in seconds (s, or sec). The equivalent SI unit is the metre per second. Abbreviations include in/s, in/sec, ips, and less frequently in s."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:PropellantBurnRate ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA542" ; + qudt:symbol "in/s" ; + qudt:ucumCode "[in_i].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IU" ; + rdfs:isDefinedBy ; + rdfs:label "Inch per Second"@en ; +. +unit:IN-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Inch per Square second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(in/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB044" ; + qudt:symbol "in/s²" ; + qudt:ucumCode "[in_i].s-2"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IV" ; + rdfs:isDefinedBy ; + rdfs:label "Inch per Square second"@en ; +. +unit:IN2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A square inch is a unit of area, equal to the area of a square with sides of one inch. The following symbols are used to denote square inches: square in, sq inches, sq inch, sq in inches/-2, inch/-2, in/-2, inches^2, \\(inch^2\\), \\(in^2\\), \\(inches^2\\), \\(inch^2\\), \\(in^2\\) or in some cases \\(\"^2\\). The square inch is a common unit of measurement in the United States and the United Kingdom."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00064516 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA547" ; + qudt:symbol "in²" ; + qudt:ucumCode "[in_i]2"^^qudt:UCUMcs ; + qudt:ucumCode "[sin_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "INK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Inch"@en ; +. +unit:IN2-PER-SEC + a qudt:Unit ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00064516 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA548" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second" ; + qudt:symbol "in²/s" ; + qudt:ucumCode "[sin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G08" ; + rdfs:isDefinedBy ; + rdfs:label "Square Inch Per Second"@en ; +. +unit:IN3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The cubic inch is a unit of measurement for volume in the Imperial units and United States customary units systems. It is the volume of a cube with each of its three sides being one inch long. The cubic inch and the cubic foot are still used as units of volume in the United States, although the common SI units of volume, the liter, milliliter, and cubic meter, are continually replacing them, especially in manufacturing and high technology. One cubic foot is equal to exactly 1728 cubic inches."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.6387064e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA549" ; + qudt:symbol "in³" ; + qudt:ucumCode "[cin_i]"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "INQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Inch"@en ; +. +unit:IN3-PER-HR + a qudt:Unit ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.551961e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA550" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; + qudt:symbol "in³/hr" ; + qudt:ucumCode "[cin_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G56" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Inch Per Hour"@en ; +. +unit:IN3-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Cubic Inch per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(in^{3}/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.7311773333333333e-07 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(in^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA551" ; + qudt:symbol "in³/min" ; + qudt:ucumCode "[cin_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[cin_i]/min"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]3.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[in_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G57" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Inch per Minute"@en ; +. +unit:IN3-PER-SEC + a qudt:Unit ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.638706e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA552" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "in³/s" ; + qudt:ucumCode "[cin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G58" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Inch Per Second"@en ; +. +unit:IN4 + a qudt:Unit ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.162314e-07 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:iec61360Code "0112/2///62720#UAA545" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4" ; + qudt:symbol "in⁴" ; + qudt:ucumCode "[in_i]4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D69" ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Inch"@en ; +. +unit:IN_H2O + a qudt:Unit ; + dcterms:description "Inches of water, wc, inch water column (inch WC), inAq, Aq, or inH2O is a non-SI unit for pressure. The units are by convention and due to the historical measurement of certain pressure differentials. It is used for measuring small pressure differences across an orifice, or in a pipeline or shaft. Inches of water can be converted to a pressure unit using the formula for pressure head. It is defined as the pressure exerted by a column of water of 1 inch in height at defined conditions for example \\(39 ^\\circ F\\) at the standard acceleration of gravity; 1 inAq is approximately equal to 249 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 249.080024 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_water"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA553" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_water?oldid=466175519"^^xsd:anyURI ; + qudt:symbol "inH₂0" ; + qudt:ucumCode "[in_i'H2O]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F78" ; + rdfs:isDefinedBy ; + rdfs:label "Inch of Water"@en ; +. +unit:IN_HG + a qudt:Unit ; + dcterms:description "Inches of mercury, (inHg) is a unit of measurement for pressure. It is still widely used for barometric pressure in weather reports, refrigeration and aviation in the United States, but is seldom used elsewhere. It is defined as the pressure exerted by a column of mercury of 1 inch in height at \\(32 ^\\circ F\\) at the standard acceleration of gravity. 1 inHg = 3,386.389 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3386.389 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_mercury"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA554" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_mercury?oldid=486634645"^^xsd:anyURI ; + qudt:symbol "inHg" ; + qudt:ucumCode "[in_i'Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "inHg" ; + qudt:udunitsCode "in_Hg" ; + qudt:uneceCommonCode "F79" ; + rdfs:isDefinedBy ; + rdfs:label "Inch of Mercury"@en ; +. +unit:IU + a qudt:Unit ; + dcterms:description """ +

International Unit is a unit for Amount Of Substance expressed as IU. +Note that the magnitude depends on the substance, thus there is no fixed conversion multiplier. +

"""^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/International_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB603" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/International_unit?oldid=488801913"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "IU" ; + qudt:ucumCode "[IU]"^^qudt:UCUMcs ; + qudt:ucumCode "[iU]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "International Unit"@en ; +. +unit:IU-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description """ +

International Unit per Liter is a unit for 'Serum Or Plasma Level' expressed as IU/L. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:expression "\\(IU/L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; + qudt:symbol "IU/L" ; + qudt:ucumCode "[IU].L-1"^^qudt:UCUMcs ; + qudt:ucumCode "[IU]/L"^^qudt:UCUMcs ; + qudt:ucumCode "[iU].L-1"^^qudt:UCUMcs ; + qudt:ucumCode "[iU]/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "International Unit per Liter"@en-us ; + rdfs:label "International Unit per Litre"@en ; + rdfs:seeAlso unit:IU ; +. +unit:IU-PER-MilliGM + a qudt:Unit ; + dcterms:description """ +

International Unit per milligramme. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:conversionOffset "0"^^xsd:double ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:plainTextDescription "International Units per milligramme." ; + qudt:symbol "IU/mg" ; + rdfs:isDefinedBy ; + rdfs:label "International Unit per milligram"@en ; +. +unit:IU-PER-MilliL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description """ +

International Unit per Milliliter is a unit for 'Serum Or Plasma Level' expressed as IU/mL. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:expression "\\(IU/mL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; + qudt:symbol "IU/mL" ; + qudt:ucumCode "[IU].mL-1"^^qudt:UCUMcs ; + qudt:ucumCode "[IU]/mL"^^qudt:UCUMcs ; + qudt:ucumCode "[iU].mL-1"^^qudt:UCUMcs ; + qudt:ucumCode "[iU]/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "International Unit per milliliter"@en ; + rdfs:label "International Unit per milliliter"@en-us ; +. +unit:J + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of \\(1 m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Joule"^^xsd:anyURI ; + qudt:exactMatch unit:N-M ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ExchangeIntegral ; + qudt:hasQuantityKind quantitykind:HamiltonFunction ; + qudt:hasQuantityKind quantitykind:LagrangeFunction ; + qudt:hasQuantityKind quantitykind:LevelWidth ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA172" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Joule?oldid=494340406"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{J}\\ \\equiv\\ \\text{joule}\\ \\equiv\\ \\text{CV}\\ \\equiv\\ \\text{coulomb.volt}\\ \\equiv\\ \\frac{\\text{eV}}{1.602\\ 10^{-19}}\\ \\equiv\\ \\frac{\\text{electron.volt}}{1.602\\ 10^{-19}}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:plainTextDescription "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of 1 m/s. This is the same as 107 ergs in the CGS system, or approximately 0.737 562 foot-pound in the traditional English system. In other energy units, one joule equals about 9.478 170 x 10-4 Btu, 0.238 846 (small) calories, or 2.777 778 x 10-4 watt hour. The joule is named for the British physicist James Prescott Joule (1818-1889), who demonstrated the equivalence of mechanical and thermal energy in a famous experiment in 1843. " ; + qudt:symbol "J" ; + qudt:ucumCode "J"^^qudt:UCUMcs ; + qudt:udunitsCode "J" ; + qudt:uneceCommonCode "JOU" ; + rdfs:isDefinedBy ; + rdfs:label "Joule"@de ; + rdfs:label "dżul"@pl ; + rdfs:label "joule"@cs ; + rdfs:label "joule"@en ; + rdfs:label "joule"@fr ; + rdfs:label "joule"@hu ; + rdfs:label "joule"@it ; + rdfs:label "joule"@ms ; + rdfs:label "joule"@pt ; + rdfs:label "joule"@ro ; + rdfs:label "joule"@sl ; + rdfs:label "joule"@tr ; + rdfs:label "joulium"@la ; + rdfs:label "julio"@es ; + rdfs:label "τζάουλ"@el ; + rdfs:label "джаул"@bg ; + rdfs:label "джоуль"@ru ; + rdfs:label "ژول"@fa ; + rdfs:label "जूल"@hi ; + rdfs:label "ジュール"@ja ; + rdfs:label "焦耳"@zh ; +. +unit:J-M-PER-MOL + a qudt:Unit ; + dcterms:description "\\(\\textbf{Joule Meter per Mole} is a unit for 'Length Molar Energy' expressed as \\(J \\cdot m \\cdot mol^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J m mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; + qudt:symbol "J⋅m/mol" ; + qudt:ucumCode "J.m.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule Meter per Mole"@en-us ; + rdfs:label "Joule Metre per Mole"@en ; +. +unit:J-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalAtomicStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA181" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J⋅m²" ; + qudt:ucumCode "J.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D73" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Square Meter"@en-us ; + rdfs:label "Joule Square Metre"@en ; +. +unit:J-M2-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(j-m2/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalMassStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAB487" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "j⋅m²/kg" ; + qudt:ucumCode "J.m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B20" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Square Meter per Kilogram"@en-us ; + rdfs:label "Joule Square Metre per Kilogram"@en ; +. +unit:J-PER-CentiM2 + a qudt:Unit ; + dcterms:description "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:iec61360Code "0112/2///62720#UAB188" ; + qudt:plainTextDescription "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "J/cm²" ; + qudt:ucumCode "J.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E43" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Per Square Centimeter"@en-us ; + rdfs:label "Joule Per Square Centimetre"@en ; +. +unit:J-PER-CentiM2-DAY + a qudt:Unit ; + dcterms:description "Radiant energy per 10^-4 SI unit area over a period of one day."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.115740740740741 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:hasQuantityKind quantitykind:Radiosity ; + qudt:symbol "J/(cm²⋅day)" ; + qudt:ucumCode "J.cm-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joules per square centimetre per day"@en ; +. +unit:J-PER-GM + a qudt:Unit ; + dcterms:description "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA174" ; + qudt:plainTextDescription "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "J/g" ; + qudt:ucumCode "J.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D95" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Per Gram"@en ; +. +unit:J-PER-GM-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Joule per Gram Kelvin is a unit typically used for specific heat capacity." ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; + qudt:iec61360Code "0112/2///62720#UAA176" ; + qudt:latexSymbol "\\(\\frac{J}{g \\cdot K}\\)"^^qudt:LatexString ; + qudt:symbol "J/(g⋅K)" ; + qudt:ucumCode "J.g-1.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Gram Kelvin"@en ; +. +unit:J-PER-HR + a qudt:Unit ; + dcterms:description "SI derived unit joule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit joule divided by the 3600 times the SI base unit second" ; + qudt:symbol "J/hr" ; + qudt:ucumCode "J.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Per Hour"@en ; +. +unit:J-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Joule Per Kelvin (J/K) is a unit in the category of Entropy. It is also known as joules per kelvin, joule/kelvin. This unit is commonly used in the SI unit system. Joule Per Kelvin (J/K) has a dimension of \\(ML^{2}T^{-2}Q^{-1}\\( where \\(M\\) is mass, L is length, T is time, and Q is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:Entropy ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA173" ; + qudt:symbol "J/K" ; + qudt:ucumCode "J.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JE" ; + rdfs:isDefinedBy ; + rdfs:label "Joule je Kelvin"@de ; + rdfs:label "dżul na kelwin"@pl ; + rdfs:label "joule al kelvin"@it ; + rdfs:label "joule bölü kelvin"@tr ; + rdfs:label "joule na kelvin"@cs ; + rdfs:label "joule na kelvin"@sl ; + rdfs:label "joule par kelvin"@fr ; + rdfs:label "joule pe kelvin"@ro ; + rdfs:label "joule per kelvin"@en ; + rdfs:label "joule per kelvin"@ms ; + rdfs:label "joule por kelvin"@pt ; + rdfs:label "julio por kelvin"@es ; + rdfs:label "джоуль на кельвин"@ru ; + rdfs:label "جول لكل كلفن"@ar ; + rdfs:label "ژول بر کلوین"@fa ; + rdfs:label "जूल प्रति कैल्विन"@hi ; + rdfs:label "ジュール毎立方メートル"@ja ; + rdfs:label "焦耳每开尔文"@zh ; +. +unit:J-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Joule Per Kilogram} (\\(J/kg\\)) is a unit in the category of Thermal heat capacity. It is also known as \\textit{joule/kilogram}, \\textit{joules per kilogram}. This unit is commonly used in the SI unit system. The unit has a dimension of \\(L2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:hasQuantityKind quantitykind:SpecificEnthalpy ; + qudt:hasQuantityKind quantitykind:SpecificGibbsEnergy ; + qudt:hasQuantityKind quantitykind:SpecificHelmholtzEnergy ; + qudt:hasQuantityKind quantitykind:SpecificInternalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA175" ; + qudt:symbol "J/kg" ; + qudt:ucumCode "J.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "J/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J2" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Kilogram"@en ; +. +unit:J-PER-KiloGM-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Specific heat capacity - The heat required to raise unit mass of a substance by unit temperature interval under specified conditions, such as constant pressure: usually measured in joules per kelvin per kilogram. Symbol \\(c_p\\) (for constant pressure) Also called specific heat."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J-per-kgK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; + qudt:iec61360Code "0112/2///62720#UAA176" ; + qudt:latexSymbol "\\(J/(kg \\cdot K)\\)"^^qudt:LatexString ; + qudt:symbol "J/(kg⋅K)" ; + qudt:ucumCode "J.kg-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B11" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Kilogram Kelvin"@en ; +. +unit:J-PER-KiloGM-K-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-kg-k-m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; + qudt:hasQuantityKind quantitykind:SpecificHeatVolume ; + qudt:symbol "J/(kg⋅K⋅m³)" ; + qudt:ucumCode "J.kg-1.K.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Kilogram Kelvin Cubic Meter"@en-us ; + rdfs:label "Joule per Kilogram Kelvin Cubic Metre"@en ; +. +unit:J-PER-KiloGM-K-PA + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-kg-k-pa\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; + qudt:hasQuantityKind quantitykind:SpecificHeatPressure ; + qudt:symbol "J/(kg⋅K⋅Pa)" ; + qudt:ucumCode "J.kg-1.K-1.Pa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Kilogram Kelvin per Pascal"@en ; +. +unit:J-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(j/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA178" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J/m" ; + qudt:ucumCode "J.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "J/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B12" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Per Meter"@en-us ; + rdfs:label "Joule Per Metre"@en ; +. +unit:J-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Joule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as joules per square meter, joule per square metre, joule/square meter, joule/square metre. This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyFluence ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:RadiantFluence ; + qudt:iec61360Code "0112/2///62720#UAA179" ; + qudt:symbol "J/m²" ; + qudt:ucumCode "J.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "J/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B13" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Square Meter"@en-us ; + rdfs:label "Joule per Square Metre"@en ; +. +unit:J-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Joule Per Cubic Meter}\\) (\\(J/m^{3}\\)) is a unit in the category of Energy density. It is also known as joules per cubic meter, joule per cubic metre, joules per cubic metre, joule/cubic meter, joule/cubic metre. This unit is commonly used in the SI unit system. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticEnergyDensity ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:hasQuantityKind quantitykind:RadiantEnergyDensity ; + qudt:hasQuantityKind quantitykind:VolumicElectromagneticEnergy ; + qudt:iec61360Code "0112/2///62720#UAA180" ; + qudt:symbol "J/m³" ; + qudt:ucumCode "J.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "J/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B8" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Cubic Meter"@en-us ; + rdfs:label "Joule per Cubic Metre"@en ; +. +unit:J-PER-M3-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Joule per Cubic Meter Kelvin} is a unit for 'Volumetric Heat Capacity' expressed as \\(J/(m^{3} K)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/(m^{3} K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:symbol "J/(m³⋅K)" ; + qudt:ucumCode "J.m-3.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Cubic Meter Kelvin"@en-us ; + rdfs:label "Joule per Cubic Metre Kelvin"@en ; +. +unit:J-PER-M4 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Joule Per Quartic Meter} (\\(J/m^4\\)) is a unit for the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length). This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(J/m^4\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA177" ; + qudt:symbol "J/m⁴" ; + qudt:ucumCode "J.m-4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B14" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Quartic Meter"@en-us ; + rdfs:label "Joule per Quartic Metre"@en ; +. +unit:J-PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The joule per mole (symbol: \\(J\\cdot mol^{-1}\\)) is an SI derived unit of energy per amount of material. Energy is measured in joules, and the amount of material is measured in moles. Physical quantities measured in \\(J\\cdot mol^{-1}\\)) usually describe quantities of energy transferred during phase transformations or chemical reactions. Division by the number of moles facilitates comparison between processes involving different quantities of material and between similar processes involving different types of materials. The meaning of such a quantity is always context-dependent and, particularly for chemical reactions, is dependent on the (possibly arbitrary) definition of a 'mole' for a particular process."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ChemicalAffinity ; + qudt:hasQuantityKind quantitykind:ElectricPolarizability ; + qudt:hasQuantityKind quantitykind:MolarEnergy ; + qudt:iec61360Code "0112/2///62720#UAA183" ; + qudt:symbol "J/mol" ; + qudt:ucumCode "J.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B15" ; + rdfs:isDefinedBy ; + rdfs:label "Joule je Mol"@de ; + rdfs:label "dżul na mol"@pl ; + rdfs:label "joule alla mole"@it ; + rdfs:label "joule bölü metre küp"@tr ; + rdfs:label "joule na mol"@cs ; + rdfs:label "joule na mol"@sl ; + rdfs:label "joule par mole"@fr ; + rdfs:label "joule pe mol"@ro ; + rdfs:label "joule per mole"@en ; + rdfs:label "joule per mole"@ms ; + rdfs:label "joule por mol"@pt ; + rdfs:label "julio por mol"@es ; + rdfs:label "джоуль на моль"@ru ; + rdfs:label "جول لكل مول"@ar ; + rdfs:label "ژول بر مول"@fa ; + rdfs:label "जूल प्रति मोल (इकाई)"@hi ; + rdfs:label "ジュール毎立方メートル"@ja ; + rdfs:label "焦耳每摩尔"@zh ; +. +unit:J-PER-MOL-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Energy needed to heat one mole of substance by 1 Kelvin, under standard conditions (not standard temperature and pressure STP). The standard molar entropy is usually given the symbol S, and has units of joules per mole kelvin ( \\( J\\cdot mol^{-1} K^{-1}\\)). Unlike standard enthalpies of formation, the value of S is an absolute. That is, an element in its standard state has a nonzero value of S at room temperature."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/(mol-K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEntropy ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA184" ; + qudt:symbol "J/(mol⋅K)" ; + qudt:ucumCode "J.mol-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B16" ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Mole Kelvin"@en ; +. +unit:J-PER-SEC + a qudt:Unit ; + dcterms:description "SI derived unit joule divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit joule divided by the SI base unit second" ; + qudt:symbol "J/s" ; + qudt:ucumCode "J.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P14" ; + rdfs:isDefinedBy ; + rdfs:label "Joule Per Second"@en ; +. +unit:J-PER-T + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The magnetic moment of a magnet is a quantity that determines the force that the magnet can exert on electric currents and the torque that a magnetic field will exert on it. A loop of electric current, a bar magnet, an electron, a molecule, and a planet all have magnetic moments. The unit for magnetic moment is not a base unit in the International System of Units (SI) and it can be represented in more than one way. For example, in the current loop definition, the area is measured in square meters and I is measured in amperes, so the magnetic moment is measured in ampere-square meters (A m2). In the equation for torque on a moment, the torque is measured in joules and the magnetic field in tesla, so the moment is measured in Joules per Tesla (J u00b7T-1). These two representations are equivalent: 1 A u00b7m2 = 1 J u00b7T-1. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-t\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; + qudt:hasQuantityKind quantitykind:MagneticMoment ; + qudt:iec61360Code "0112/2///62720#UAB336" ; + qudt:symbol "J/T" ; + qudt:ucumCode "J.T-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q10" ; + rdfs:isDefinedBy ; + rdfs:label "Joule je Tesla"@de ; + rdfs:label "dżul na tesla"@pl ; + rdfs:label "joule al tesla"@it ; + rdfs:label "joule bölü tesla"@tr ; + rdfs:label "joule na tesla"@cs ; + rdfs:label "joule par tesla"@fr ; + rdfs:label "joule pe tesla"@ro ; + rdfs:label "joule per tesla"@en ; + rdfs:label "joule per tesla"@ms ; + rdfs:label "joule por tesla"@pt ; + rdfs:label "julio por tesla"@es ; + rdfs:label "джоуль на тесла"@ru ; + rdfs:label "جول لكل تسلا"@ar ; + rdfs:label "ژول بر تسلا"@fa ; + rdfs:label "जूल प्रति टैस्ला"@hi ; + rdfs:label "ジュール毎立方メートル"@ja ; + rdfs:label "焦耳每特斯拉"@zh ; +. +unit:J-PER-T2 + a qudt:Unit ; + dcterms:description "A measure of the diamagnetic energy, for a Bohr-radius spread around a magnetic axis, per square Tesla."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J T^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerMagneticFluxDensity_Squared ; + qudt:informativeReference "http://www.eng.fsu.edu/~dommelen/quantum/style_a/elecmagfld.html"^^xsd:anyURI ; + qudt:symbol "J/T²" ; + qudt:ucumCode "J.T-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule per Square Tesla"@en ; +. +unit:J-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(The joule-second is a unit equal to a joule multiplied by a second, used to measure action or angular momentum. The joule-second is the unit used for Planck's constant.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAB151" ; + qudt:symbol "J⋅s" ; + qudt:ucumCode "J.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B18" ; + rdfs:isDefinedBy ; + rdfs:label "Joulesekunde"@de ; + rdfs:label "dżulosekunda"@pl ; + rdfs:label "joule per secondo"@it ; + rdfs:label "joule saat"@ms ; + rdfs:label "joule saniye"@tr ; + rdfs:label "joule second"@en ; + rdfs:label "joule sekunda"@cs ; + rdfs:label "joule sekunda"@sl ; + rdfs:label "joule-seconde"@fr ; + rdfs:label "joule-secundă"@ro ; + rdfs:label "joule-segundo"@pt ; + rdfs:label "julio segundo"@es ; + rdfs:label "джоуль-секунда"@ru ; + rdfs:label "جول ثانية"@ar ; + rdfs:label "ژول ثانیه"@fa ; + rdfs:label "जूल सैकण्ड"@hi ; + rdfs:label "ジュール秒"@ja ; + rdfs:label "焦耳秒"@zh ; +. +unit:J-SEC-PER-MOL + a qudt:Unit ; + dcterms:description "\\(\\textbf{Joule Second per Mole} is a unit for 'Molar Angular Momentum' expressed as \\(J s mol^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J s mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; + qudt:symbol "J⋅s/mol" ; + qudt:ucumCode "J.s.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Joule Second per Mole"@en ; +. +unit:K + a qudt:Unit ; + dcterms:description "\\(The SI base unit of temperature, previously called the degree Kelvin. One kelvin represents the same temperature difference as one degree Celsius. In 1967 the General Conference on Weights and Measures defined the temperature of the triple point of water (the temperature at which water exists simultaneously in the gaseous, liquid, and solid states) to be exactly 273.16 kelvins. Since this temperature is also equal to 0.01 u00b0C, the temperature in kelvins is always equal to 273.15 plus the temperature in degrees Celsius. The kelvin equals exactly 1.8 degrees Fahrenheit. The unit is named for the British mathematician and physicist William Thomson (1824-1907), later known as Lord Kelvin after he was named Baron Kelvin of Largs.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kelvin"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:CorrelatedColorTemperature ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:iec61360Code "0112/2///62720#UAA185" ; + qudt:iec61360Code "0112/2///62720#UAD721" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kelvin?oldid=495075694"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "K" ; + qudt:ucumCode "K"^^qudt:UCUMcs ; + qudt:udunitsCode "K" ; + qudt:uneceCommonCode "KEL" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin"@de ; + rdfs:label "kelvin"@cs ; + rdfs:label "kelvin"@en ; + rdfs:label "kelvin"@es ; + rdfs:label "kelvin"@fr ; + rdfs:label "kelvin"@hu ; + rdfs:label "kelvin"@it ; + rdfs:label "kelvin"@la ; + rdfs:label "kelvin"@ms ; + rdfs:label "kelvin"@pt ; + rdfs:label "kelvin"@ro ; + rdfs:label "kelvin"@sl ; + rdfs:label "kelvin"@tr ; + rdfs:label "kelwin"@pl ; + rdfs:label "κέλβιν"@el ; + rdfs:label "келвин"@bg ; + rdfs:label "кельвин"@ru ; + rdfs:label "קלווין"@he ; + rdfs:label "كلفن"@ar ; + rdfs:label "کلوین"@fa ; + rdfs:label "कैल्विन"@hi ; + rdfs:label "ケルビン"@ja ; + rdfs:label "开尔文"@zh ; +. +unit:K-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 86400.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "K⋅day" ; + qudt:ucumCode "K.d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin day"@en ; +. +unit:K-M + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:symbol "K⋅m" ; + qudt:ucumCode "K.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin metres"@en ; +. +unit:K-M-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅m/s" ; + qudt:ucumCode "K.m.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin metres per second"@en ; +. +unit:K-M-PER-W + a qudt:Unit ; + dcterms:description "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:iec61360Code "0112/2///62720#UAB488" ; + qudt:plainTextDescription "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt" ; + qudt:symbol "K⋅m/W" ; + qudt:ucumCode "K.m.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H35" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin Meter Per Watt"@en-us ; + rdfs:label "Kelvin Metre Per Watt"@en ; +. +unit:K-M2-PER-KiloGM-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H1T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅m²/(kg⋅s)" ; + qudt:ucumCode "K.m2.kg-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin square metres per kilogram per second"@en ; +. +unit:K-PA-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H1T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅Pa/s" ; + qudt:ucumCode "K.Pa.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin Pascals per second"@en ; +. +unit:K-PER-HR + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kelvin per Hour} is a unit for 'Temperature Per Time' expressed as \\(K / h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:expression "\\(K / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA189" ; + qudt:symbol "K/h" ; + qudt:ucumCode "K.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F10" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per Hour"@en ; +. +unit:K-PER-K + a qudt:Unit ; + dcterms:description "SI base unit kelvin divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA186" ; + qudt:plainTextDescription "SI base unit kelvin divided by the SI base unit kelvin" ; + qudt:symbol "K/K" ; + qudt:ucumCode "K.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F02" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin Per Kelvin"@en ; +. +unit:K-PER-M + a qudt:Unit ; + dcterms:description "A change of temperature on the Kelvin temperature scale in one SI unit of length."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureGradient ; + qudt:symbol "K/m" ; + qudt:ucumCode "K.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per metre"@en ; +. +unit:K-PER-MIN + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kelvin per Minute} is a unit for 'Temperature Per Time' expressed as \\(K / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:expression "\\(K / min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA191" ; + qudt:symbol "K/min" ; + qudt:ucumCode "K.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F11" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per Minute"@en ; +. +unit:K-PER-SEC + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kelvin per Second} is a unit for 'Temperature Per Time' expressed as \\(K / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA192" ; + qudt:symbol "K/s" ; + qudt:ucumCode "K.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "K/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F12" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per Second"@en ; +. +unit:K-PER-SEC2 + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kelvin per Square Second} is a unit for 'Temperature Per Time Squared' expressed as \\(K / s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:symbol "K/s²" ; + qudt:ucumCode "K.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "K/s^2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per Square Second"@en ; +. +unit:K-PER-T + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kelvin per Tesla} is a unit for 'Temperature Per Magnetic Flux Density' expressed as \\(K T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:symbol "K/T" ; + qudt:ucumCode "K.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin per Tesla"@en ; +. +unit:K-PER-W + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Thermal resistance is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. Absolute thermal resistance is the temperature difference across a structure when a unit of heat energy flows through it in unit time. It is the reciprocal of thermal conductance. The SI units of thermal resistance are kelvins per watt or the equivalent degrees Celsius per watt (the two are the same since as intervals).

"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:iec61360Code "0112/2///62720#UAA187" ; + qudt:symbol "K/W" ; + qudt:ucumCode "K.W-1"^^qudt:UCUMcs ; + qudt:ucumCode "K/W"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B21" ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin je Watt"@de ; + rdfs:label "kelvin al watt"@it ; + rdfs:label "kelvin per watt"@en ; +. +unit:K-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "K⋅s" ; + qudt:ucumCode "K.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kelvin second"@en ; +. +unit:K2 + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K²" ; + qudt:ucumCode "K2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Kelvin"@en ; +. +unit:KAT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivity ; + qudt:iec61360Code "0112/2///62720#UAB196" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Katal?oldid=486431865"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kat" ; + qudt:ucumCode "kat"^^qudt:UCUMcs ; + qudt:udunitsCode "kat" ; + qudt:uneceCommonCode "KAT" ; + rdfs:isDefinedBy ; + rdfs:label "Katal"@de ; + rdfs:label "katal"@cs ; + rdfs:label "katal"@en ; + rdfs:label "katal"@es ; + rdfs:label "katal"@fr ; + rdfs:label "katal"@hu ; + rdfs:label "katal"@it ; + rdfs:label "katal"@ms ; + rdfs:label "katal"@pl ; + rdfs:label "katal"@pt ; + rdfs:label "katal"@ro ; + rdfs:label "katal"@sl ; + rdfs:label "katal"@tr ; + rdfs:label "κατάλ"@el ; + rdfs:label "катал"@bg ; + rdfs:label "катал"@ru ; + rdfs:label "קטל"@he ; + rdfs:label "كاتال"@ar ; + rdfs:label "کاتال"@fa ; + rdfs:label "कटल"@hi ; + rdfs:label "カタール"@ja ; + rdfs:label "开特"@zh ; +. +unit:KAT-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "kat/L" ; + qudt:ucumCode "kat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Katal Per Liter"@en-us ; + rdfs:label "Katal Per Litre"@en ; +. +unit:KAT-PER-MicroL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "kat/μL" ; + qudt:ucumCode "kat/uL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Katal Per Microliter"@en-us ; + rdfs:label "Katal Per Microlitre"@en ; +. +unit:KIP_F + a qudt:Unit ; + dcterms:description "1000 pound-force"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 4448.222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kip"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kip?oldid=492552722"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kip" ; + qudt:ucumCode "k[lbf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M75" ; + rdfs:isDefinedBy ; + rdfs:label "Kip"@en ; +. +unit:KIP_F-PER-IN2 + a qudt:Unit ; + dcterms:description "\"Kip per Square Inch\" is a unit for 'Force Per Area' expressed as \\(kip/in^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 6.89475789e06 ; + qudt:expression "\\(kip/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB242" ; + qudt:symbol "kip/in²" ; + qudt:ucumCode "k[lbf_av].[in_i]-2"^^qudt:UCUMcs ; + qudt:udunitsCode "ksi" ; + qudt:uneceCommonCode "N20" ; + rdfs:isDefinedBy ; + rdfs:label "Kip per Square Inch"@en ; +. +unit:KN + a qudt:Unit ; + dcterms:description "The knot (pronounced 'not') is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation \\(kn\\) is preferred by the International Hydrographic Organization (IHO), which includes every major sea-faring nation; however, the abbreviations kt (singular) and kts (plural) are also widely used. However, use of the abbreviation kt for knot conflicts with the SI symbol for kilotonne. The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation - for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. Etymologically, the term knot derives from counting the number of knots in the line that unspooled from the reel of a chip log in a specific time."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5144444444444445 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Knot"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:MI_N-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB110" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Knot?oldid=495066194"^^xsd:anyURI ; + qudt:symbol "kn" ; + qudt:ucumCode "[kn_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "kt" ; + qudt:uneceCommonCode "KNT" ; + rdfs:isDefinedBy ; + rdfs:label "Knot"@en ; + skos:altLabel "kt" ; + skos:altLabel "kts" ; +. +unit:KN-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Knot per Second}\\) is a unit for 'Linear Acceleration' expressed as \\(kt/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5144444444444445 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kt/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:symbol "kn/s" ; + qudt:ucumCode "[kn_i].s-1"^^qudt:UCUMcs ; + qudt:ucumCode "[kn_i]/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Knot per Second"@en ; +. +unit:KY + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 100.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kayser"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:expression "\\(\\(cm^{-1}\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kayser?oldid=458489166"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "K" ; + qudt:ucumCode "Ky"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kayser"@en ; +. +unit:KibiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The kibibyte is a multiple of the unit byte for digital information equivalent to 1024 bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5678.2617031470719747459655389854 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Kibi ; + qudt:symbol "KiB" ; + qudt:uneceCommonCode "E64" ; + rdfs:isDefinedBy ; + rdfs:label "KibiByte"@en ; +. +unit:Kilo-FT3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "1 000-fold of the unit cubic foot. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 28.316846592 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "k.ft³" ; + qudt:ucumCode "[k.cft_i]"^^qudt:UCUMcs ; + qudt:ucumCode "k[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FC" ; + rdfs:isDefinedBy ; + rdfs:label "Thousand Cubic Foot"@en ; +. +unit:KiloA + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA557" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kA" ; + qudt:ucumCode "kA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B22" ; + rdfs:isDefinedBy ; + rdfs:label "kiloampere"@en ; +. +unit:KiloA-HR + a qudt:Unit ; + dcterms:description "product of the 1 000-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAB053" ; + qudt:plainTextDescription "product of the 1 000-fold of the SI base unit ampere and the unit hour" ; + qudt:symbol "kA⋅hr" ; + qudt:ucumCode "kA.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "TAH" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloampere Hour"@en ; +. +unit:KiloA-PER-M + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit ampere divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA558" ; + qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the SI base unit metre" ; + qudt:symbol "kA/m" ; + qudt:ucumCode "kA.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B24" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloampere Per Meter"@en-us ; + rdfs:label "Kiloampere Per Metre"@en ; +. +unit:KiloA-PER-M2 + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA559" ; + qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kA/m²" ; + qudt:ucumCode "kA.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B23" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloampere Per Square Meter"@en-us ; + rdfs:label "Kiloampere Per Square Metre"@en ; +. +unit:KiloBAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e08 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB088" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kbar" ; + qudt:ucumCode "kbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KBA" ; + rdfs:isDefinedBy ; + rdfs:label "Kilobar"@en ; +. +unit:KiloBIT-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A kilobit per second (kB/s) is a unit of data transfer rate equal to 1,000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 693.14718055994530941723212145818 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAA586" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobit_per_second"^^xsd:anyURI ; + qudt:symbol "kbps" ; + qudt:ucumCode "kbit.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C74" ; + rdfs:isDefinedBy ; + rdfs:label "Kilobit per Second"@en ; +. +unit:KiloBQ + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA561" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit becquerel" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kBq" ; + qudt:ucumCode "kBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Q" ; + rdfs:isDefinedBy ; + rdfs:label "Kilobecquerel"@en ; +. +unit:KiloBTU_IT + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.05505585262e05 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:symbol "kBtu{IT}" ; + qudt:ucumCode "k[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilo British Thermal Unit (International Definition)"@en ; +. +unit:KiloBTU_IT-PER-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{kBTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(kBtu/ft^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 11356526.7 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kBtu/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "kBTU per Square Foot is an Imperial unit for 'Energy Per Area." ; + qudt:symbol "kBtu{IT}/ft²" ; + qudt:ucumCode "k[Btu_IT].[ft_i]-2"^^qudt:UCUMcs ; + qudt:ucumCode "k[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "kBTU per Square Foot"@en ; +. +unit:KiloBTU_IT-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 293.07107 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kBtu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "kBtu{IT}/hr" ; + qudt:ucumCode "k[Btu_IT].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "k[Btu_IT]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilo British Thermal Unit (International Definition) per Hour"@en ; +. +unit:KiloBTU_TH + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0543502645e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:symbol "kBtu{th}" ; + qudt:ucumCode "k[Btu_th]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilo British Thermal Unit (Thermochemical Definition)"@en ; +. +unit:KiloBTU_TH-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 292.9 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "kBtu{th}/hr" ; + qudt:ucumCode "k[Btu_th].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "k[Btu_th]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilo British Thermal Unit (thermochemical) Per Hour"@en ; +. +unit:KiloBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The kilobyte is a multiple of the unit byte for digital information equivalent to 1000 bytes. Although the prefix kilo- means 1000, the term kilobyte and symbol kB have historically been used to refer to either 1024 (210) bytes or 1000 (103) bytes, dependent upon context, in the fields of computer science and information technology. This ambiguity is removed in QUDT, with KibiBYTE used to refer to 1024 bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5545.17744447956 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; + qudt:prefix prefix:Kibi ; + qudt:symbol "kB" ; + qudt:ucumCode "kBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2P" ; + rdfs:isDefinedBy ; + rdfs:label "Kilo Byte"@en ; +. +unit:KiloBYTE-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A kilobyte per second (kByte/s) is a unit of data transfer rate equal to 1000 bytes per second or 8000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 5545.17744447956 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAB306" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; + qudt:symbol "kBps" ; + qudt:ucumCode "kBy.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P94" ; + rdfs:isDefinedBy ; + rdfs:label "Kilobyte per Second"@en ; +. +unit:KiloC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA563" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kC" ; + qudt:ucumCode "kC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B26" ; + rdfs:isDefinedBy ; + rdfs:label "KiloCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:KiloC-PER-M2 + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:hasQuantityKind quantitykind:ElectricPolarization ; + qudt:iec61360Code "0112/2///62720#UAA564" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kC/m²" ; + qudt:ucumCode "kC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B28" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocoulomb Per Square Meter"@en-us ; + rdfs:label "Kilocoulomb Per Square Metre"@en ; +. +unit:KiloC-PER-M3 + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA565" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kC/m³" ; + qudt:ucumCode "kC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B27" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocoulomb Per Cubic Meter"@en-us ; + rdfs:label "Kilocoulomb Per Cubic Metre"@en ; +. +unit:KiloCAL + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilocalorie} is a unit for \\textit{Energy And Work} expressed as \\(kcal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Calorie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie?oldid=494307622"^^xsd:anyURI ; + qudt:symbol "kcal" ; + qudt:ucumCode "kcal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E14" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie"@en ; +. +unit:KiloCAL-PER-CentiM-SEC-DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(kilocal-per-cm-sec-degc\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:symbol "kcal/(cm⋅s⋅°C)" ; + qudt:ucumCode "kcal.cm-1.s-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Centimeter Second Degree Celsius"@en-us ; + rdfs:label "Kilocalorie per Centimetre Second Degree Celsius"@en ; +. +unit:KiloCAL-PER-CentiM2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilocalorie per Square Centimeter\" is a unit for 'Energy Per Area' expressed as \\(kcal/cm^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.184e-07 ; + qudt:expression "\\(kcal/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "kcal/cm²" ; + qudt:ucumCode "kcal.cm-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Square Centimeter"@en-us ; + rdfs:label "Kilocalorie per Square Centimetre"@en ; +. +unit:KiloCAL-PER-CentiM2-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilocalorie per Square Centimeter Minute\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-min)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.97333333e-05 ; + qudt:expression "\\(kcal/(cm^{2}-min)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "kcal/(cm²⋅min)" ; + qudt:ucumCode "kcal.cm-2.min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Square Centimeter Minute"@en-us ; + rdfs:label "Kilocalorie per Square Centimetre Minute"@en ; +. +unit:KiloCAL-PER-CentiM2-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilocalorie per Square Centimeter Second\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.184e-07 ; + qudt:expression "\\(kcal/(cm^{2}-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "kcal/(cm²⋅s)" ; + qudt:ucumCode "kcal.cm-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Square Centimeter Second"@en-us ; + rdfs:label "Kilocalorie per Square Centimetre Second"@en ; +. +unit:KiloCAL-PER-GM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilocalorie per Gram\" is a unit for 'Specific Energy' expressed as \\(kcal/gm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1840e06 ; + qudt:expression "\\(kcal/gm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:symbol "kcal/g" ; + qudt:ucumCode "kcal.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Gram"@en ; +. +unit:KiloCAL-PER-GM-DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Calorie per Gram Degree Celsius} is a unit for 'Specific Heat Capacity' expressed as \\(kcal/(gm-degC)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(kcal/(gm-degC)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "kcal/(g⋅°C)" ; + qudt:ucumCode "cal.g-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Calorie per Gram Degree Celsius"@en ; +. +unit:KiloCAL-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilocalorie per Minute} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 69.7333333 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kcal/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "kcal/min" ; + qudt:ucumCode "kcal.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K54" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie Per Minute"@en ; +. +unit:KiloCAL-PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The kilocalorie per mole is a derived unit of energy per Avogadro's number of particles. It is the quotient of a kilocalorie (1000 thermochemical gram calories) and a mole, mainly used in the United States. In SI units, it is equal to \\(4.184 kJ/mol\\), or \\(6.9477 \\times 10 J per molecule\\). At room temperature it is equal to 1.688 . Physical quantities measured in \\(kcal\\cdot mol\\) are usually thermodynamical quantities; mostly free energies such as: Heat of vaporization Heat of fusion

."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:expression "\\(kcal/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEnergy ; + qudt:symbol "kcal/mol" ; + qudt:ucumCode "kcal.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Mole"@en ; +. +unit:KiloCAL-PER-MOL-DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilocalorie per Mole Degree Celsius} is a unit for 'Molar Heat Capacity' expressed as \\(kcal/(mol-degC)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(kcal/(mol-degC)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:symbol "kcal/(mol⋅°C)" ; + qudt:ucumCode "kcal.mol-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie per Mole Degree Celsius"@en ; +. +unit:KiloCAL-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilocalorie per Second} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kcal/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "kcal/s" ; + qudt:ucumCode "kcal.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K55" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie Per Second"@en ; +. +unit:KiloCAL_IT + a qudt:Unit ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA589" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{IT}" ; + qudt:ucumCode "kcal_IT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E14" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (international Table)"@en ; +. +unit:KiloCAL_IT-PER-HR-M-DEG_C + a qudt:Unit ; + dcterms:description "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.163 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA588" ; + qudt:plainTextDescription "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature" ; + qudt:symbol "kcal{IT}/(hr⋅m⋅°C)" ; + qudt:ucumCode "kcal_IT.h-1.m-1.Cel-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K52" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (international Table) Per Hour Meter Degree Celsius"@en-us ; + rdfs:label "Kilocalorie (international Table) Per Hour Metre Degree Celsius"@en ; +. +unit:KiloCAL_Mean + a qudt:Unit ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4190.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA587" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{mean}" ; + qudt:ucumCode "kcal_m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K51" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (mean)"@en ; +. +unit:KiloCAL_TH + a qudt:Unit ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA590" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{th}" ; + qudt:ucumCode "[Cal]"^^qudt:UCUMcs ; + qudt:ucumCode "kcal_th"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K53" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (thermochemical)"@en ; +. +unit:KiloCAL_TH-PER-HR + a qudt:Unit ; + dcterms:description "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.162230555555556 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB184" ; + qudt:plainTextDescription "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour" ; + qudt:symbol "kcal{th}/hr" ; + qudt:ucumCode "kcal_th.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E15" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (thermochemical) Per Hour"@en ; +. +unit:KiloCAL_TH-PER-MIN + a qudt:Unit ; + dcterms:description "1000-fold of the unit calorie divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 69.73383333333334 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA591" ; + qudt:plainTextDescription "1000-fold of the unit calorie divided by the unit minute" ; + qudt:symbol "kcal{th}/min" ; + qudt:ucumCode "kcal_th.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K54" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (thermochemical) Per Minute"@en ; +. +unit:KiloCAL_TH-PER-SEC + a qudt:Unit ; + dcterms:description "1000-fold of the unit calorie divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA592" ; + qudt:plainTextDescription "1000-fold of the unit calorie divided by the SI base unit second" ; + qudt:symbol "kcal{th}/s" ; + qudt:ucumCode "kcal_th.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K55" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocalorie (thermochemical) Per Second"@en ; +. +unit:KiloCi + a qudt:Unit ; + dcterms:description "1,000-fold of the unit curie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.7e13 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:hasQuantityKind quantitykind:DecayConstant ; + qudt:iec61360Code "0112/2///62720#UAB046" ; + qudt:plainTextDescription "1 000-fold of the unit curie" ; + qudt:symbol "kCi" ; + qudt:ucumCode "kCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2R" ; + rdfs:isDefinedBy ; + rdfs:label "Kilocurie"@en ; +. +unit:KiloEV + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilo Electron Volt\" is a unit for 'Energy And Work' expressed as \\(keV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-16 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "keV" ; + qudt:ucumCode "keV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B29" ; + rdfs:isDefinedBy ; + rdfs:label "Kilo Electron Volt"@en ; +. +unit:KiloEV-PER-MicroM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilo Electron Volt per Micrometer\" is a unit for 'Linear Energy Transfer' expressed as \\(keV/microM\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-10 ; + qudt:expression "\\(keV/microM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; + qudt:symbol "keV/µM" ; + qudt:ucumCode "keV.um-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilo Electron Volt per Micrometer"@en-us ; + rdfs:label "Kilo Electron Volt per Micrometre"@en ; +. +unit:KiloGAUSS + a qudt:Unit ; + dcterms:description "1 000-fold of the CGS unit of the magnetic flux density B"^^rdf:HTML ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB136" ; + qudt:plainTextDescription "1 000-fold of the CGS unit of the magnetic flux density B" ; + qudt:symbol "kGs" ; + qudt:ucumCode "kG"^^qudt:UCUMcs ; + qudt:uneceCommonCode "78" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogauss"@en ; +. +unit:KiloGM + a qudt:Unit ; + dcterms:description "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA594" ; + qudt:iec61360Code "0112/2///62720#UAD720" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram?oldid=493633626"^^xsd:anyURI ; + qudt:plainTextDescription "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds." ; + qudt:symbol "kg" ; + qudt:ucumCode "kg"^^qudt:UCUMcs ; + qudt:udunitsCode "kg" ; + qudt:uneceCommonCode "KGM" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogramm"@de ; + rdfs:label "chiliogramma"@la ; + rdfs:label "chilogrammo"@it ; + rdfs:label "kilogram"@cs ; + rdfs:label "kilogram"@en ; + rdfs:label "kilogram"@ms ; + rdfs:label "kilogram"@pl ; + rdfs:label "kilogram"@ro ; + rdfs:label "kilogram"@sl ; + rdfs:label "kilogram"@tr ; + rdfs:label "kilogramm*"@hu ; + rdfs:label "kilogramme"@fr ; + rdfs:label "kilogramo"@es ; + rdfs:label "quilograma"@pt ; + rdfs:label "χιλιόγραμμο"@el ; + rdfs:label "килограм"@bg ; + rdfs:label "килограмм"@ru ; + rdfs:label "קילוגרם"@he ; + rdfs:label "كيلوغرام"@ar ; + rdfs:label "کیلوگرم"@fa ; + rdfs:label "किलोग्राम"@hi ; + rdfs:label "キログラム"@ja ; + rdfs:label "公斤"@zh ; +. +unit:KiloGM-CentiM2 + a qudt:Unit ; + dcterms:description "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA600" ; + qudt:plainTextDescription "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kg⋅cm²" ; + qudt:ucumCode "kg.cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F18" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Square Centimeter"@en-us ; + rdfs:label "Kilogram Square Centimetre"@en ; +. +unit:KiloGM-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilogram Kelvin} is a unit for 'Mass Temperature' expressed as \\(kg-K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kg-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "kg⋅K" ; + qudt:ucumCode "kg.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Kelvin"@en ; +. +unit:KiloGM-M-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilogram Meter Per Second\" is a unit for 'Linear Momentum' expressed as \\(kg-m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg-m/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:iec61360Code "0112/2///62720#UAA615" ; + qudt:symbol "kg⋅m/s" ; + qudt:ucumCode "kg.m.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg.m/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B31" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Meter Per Second"@en-us ; + rdfs:label "Kilogramm mal Meter je Sekunde"@de ; + rdfs:label "chilogrammo per metro al secondo"@it ; + rdfs:label "kilogram meter na sekundo"@sl ; + rdfs:label "kilogram meter per saat"@ms ; + rdfs:label "kilogram metre per second"@en ; + rdfs:label "کیلوگرم متر بر ثانیه"@fa ; + rdfs:label "千克米每秒"@zh ; +. +unit:KiloGM-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilogram Square Meter\" is a unit for 'Moment Of Inertia' expressed as \\(kg-m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg-m2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA622" ; + qudt:symbol "kg⋅m²" ; + qudt:ucumCode "kg.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B32" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Square Meter"@en-us ; + rdfs:label "Kilogramm mal Quadratmeter"@de ; + rdfs:label "chilogrammo metro quadrato"@it ; + rdfs:label "kilogram meter persegi"@ms ; + rdfs:label "kilogram metrekare"@tr ; + rdfs:label "kilogram square metre"@en ; + rdfs:label "kilogram čtvereční metr"@cs ; + rdfs:label "kilogram-metru pătrat"@ro ; + rdfs:label "kilogramme-mètre carré"@fr ; + rdfs:label "kilogramo metro cuadrado"@es ; + rdfs:label "quilograma-metro quadrado"@pt ; + rdfs:label "килограмм-квадратный метр"@ru ; + rdfs:label "كيلوغرام متر مربع"@ar ; + rdfs:label "نیوتون متر مربع"@fa ; + rdfs:label "किलोग्राम वर्ग मीटर"@hi ; + rdfs:label "キログラム平方メートル"@ja ; + rdfs:label "千克平方米"@zh ; +. +unit:KiloGM-M2-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilogram Square Meter Per Second\" is a unit for 'Angular Momentum' expressed as \\(kg-m^2-s^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg-m2/sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAA623" ; + qudt:symbol "kg⋅m²/s" ; + qudt:ucumCode "kg.m2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B33" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Square Meter Per Second"@en-us ; + rdfs:label "Kilogram Square Metre Per Second"@en ; +. +unit:KiloGM-MilliM2 + a qudt:Unit ; + dcterms:description "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA627" ; + qudt:plainTextDescription "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2" ; + qudt:symbol "kg⋅mm²" ; + qudt:ucumCode "kg.mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F19" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Square Millimeter"@en-us ; + rdfs:label "Kilogram Square Millimetre"@en ; +. +unit:KiloGM-PER-CentiM2 + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB174" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kg/cm²" ; + qudt:ucumCode "kg.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D5" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Square Centimeter"@en-us ; + rdfs:label "Kilogram Per Square Centimetre"@en ; +. +unit:KiloGM-PER-CentiM3 + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA597" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kg/cm³" ; + qudt:ucumCode "kg.cm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G31" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Cubic Centimeter"@en-us ; + rdfs:label "Kilogram Per Cubic Centimetre"@en ; +. +unit:KiloGM-PER-DAY + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA601" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit day" ; + qudt:symbol "kg/day" ; + qudt:ucumCode "kg.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F30" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Day"@en ; +. +unit:KiloGM-PER-DeciM3 + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA604" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kg/dm³" ; + qudt:ucumCode "kg.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B34" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Cubic Decimeter"@en-us ; + rdfs:label "Kilogram Per Cubic Decimetre"@en ; +. +unit:KiloGM-PER-FT2 + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the square of the imperial foot"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 10.763910416709722 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "SI base unit kilogram divided by the square of the imperial foot" ; + qudt:symbol "kg/ft²" ; + qudt:ucumCode "kg.ft-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Square Foot"@en ; +. +unit:KiloGM-PER-GigaJ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the SI base unit gigajoule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier .000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit gigajoule" ; + qudt:symbol "kg/GJ" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Gigajoule"@en ; +. +unit:KiloGM-PER-HA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram Per Hectare is a unit of mass per area. Kilogram Per Hectare (kg/ha) has a dimension of ML-2 where M is mass, and L is length. It can be converted to the corresponding standard SI unit kg/m2 by multiplying its value by a factor of 0.0001."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:expression "\\(kg/hare\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "kg/ha" ; + qudt:ucumCode "kg.har-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/har"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Hectare"@en ; +. +unit:KiloGM-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram Per Hour (kg/h) is a unit in the category of Mass flow rate. It is also known as kilogram/hour. Kilogram Per Hour (kg/h) has a dimension of MT-1 where M is mass, and T is time. It can be converted to the corresponding standard SI unit kg/s by multiplying its value by a factor of 0.000277777777778."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:expression "\\(kg/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA607" ; + qudt:symbol "kg/h" ; + qudt:ucumCode "kg.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E93" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Hour"@en ; +. +unit:KiloGM-PER-J + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the SI base unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit joule" ; + qudt:symbol "kg/J" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Joule"@en ; +. +unit:KiloGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA610" ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "kg/kg" ; + qudt:ucumCode "kg.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "3H" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Kilogram"@en ; +. +unit:KiloGM-PER-KiloM2 + a qudt:Unit ; + dcterms:description "One SI standard unit of mass over the square of one thousand standard unit of length."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:SurfaceDensity ; + qudt:symbol "kg/km²" ; + qudt:ucumCode "kg.km-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per square kilometre"@en ; +. +unit:KiloGM-PER-KiloMOL + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:iec61360Code "0112/2///62720#UAA611" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol" ; + qudt:symbol "kg/kmol" ; + qudt:ucumCode "kg.kmol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F24" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Kilomol"@en ; +. +unit:KiloGM-PER-L + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA612" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit litre" ; + qudt:symbol "kg/L" ; + qudt:ucumCode "kg.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B35" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Liter"@en-us ; + rdfs:label "Kilogram Per Litre"@en ; +. +unit:KiloGM-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram Per Meter (kg/m) is a unit in the category of Linear mass density. It is also known as kilogram/meter, kilogram/metre, kilograms per meter, kilogram per metre, kilograms per metre. This unit is commonly used in the SI unit system. Kilogram Per Meter (kg/m) has a dimension of ML-1 where M is mass, and L is length. This unit is the standard SI unit in this category. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearDensity ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA616" ; + qudt:symbol "kg/m" ; + qudt:ucumCode "kg.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KL" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Meter"@en-us ; + rdfs:label "Kilogram per Metre"@en ; +. +unit:KiloGM-PER-M-HR + a qudt:Unit ; + dcterms:description "One SI standard unit of mass over one SI standard unit of length over 3600 times one SI standard unit of time."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "kg/(m⋅hr)" ; + qudt:ucumCode "kg.m-1.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N40" ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per metre per hour"@en ; +. +unit:KiloGM-PER-M-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "kg/(m⋅s)" ; + qudt:ucumCode "kg.m-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N37" ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per metre per second"@en ; +. +unit:KiloGM-PER-M-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:N-PER-M2 ; + qudt:exactMatch unit:PA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:siUnitsExpression "kg/m/s^2" ; + qudt:symbol "kg/(m⋅s²)" ; + qudt:ucumCode "kg.m-1.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per metre per square second"@en ; +. +unit:KiloGM-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram Per Square Meter (kg/m2) is a unit in the category of Surface density. It is also known as kilograms per square meter, kilogram per square metre, kilograms per square metre, kilogram/square meter, kilogram/square metre. This unit is commonly used in the SI unit system. Kilogram Per Square Meter (kg/m2) has a dimension of ML-2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:BodyMassIndex ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:MeanMassRange ; + qudt:hasQuantityKind quantitykind:SurfaceDensity ; + qudt:iec61360Code "0112/2///62720#UAA617" ; + qudt:symbol "kg/m²" ; + qudt:ucumCode "kg.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "kg/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "28" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Square Meter"@en-us ; + rdfs:label "Kilogram per Square Metre"@en ; +. +unit:KiloGM-PER-M2-PA-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "kg/(m²⋅s⋅Pa)" ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per square metre per Pascal per second"@en ; + owl:sameAs unit:S-PER-M ; +. +unit:KiloGM-PER-M2-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "kg/(m²⋅s)" ; + qudt:ucumCode "kg.m-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H56" ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per square metre per second"@en ; +. +unit:KiloGM-PER-M2-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureLossPerLength ; + qudt:symbol "kg/(m²⋅s²)" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Square Meter Square Second"@en-us ; + rdfs:label "Kilogram per Square Metre Square Second"@en ; +. +unit:KiloGM-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is \\(kg \\cdot m^{-3}\\), or equivalently either \\(kg/m^3\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassConcentration ; + qudt:hasQuantityKind quantitykind:MassConcentrationOfWater ; + qudt:hasQuantityKind quantitykind:MassConcentrationOfWaterVapour ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA619" ; + qudt:plainTextDescription "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is kg . m^-3, or equivalently either kg/m^3." ; + qudt:symbol "kg/m³" ; + qudt:ucumCode "kg.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "kg/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMQ" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogramm je Kubikmeter"@de ; + rdfs:label "chilogrammo al metro cubo"@it ; + rdfs:label "kilogram bölü metre küp"@tr ; + rdfs:label "kilogram na kubični meter"@sl ; + rdfs:label "kilogram na metr krychlový"@cs ; + rdfs:label "kilogram na metr sześcienny"@pl ; + rdfs:label "kilogram pe metru cub"@ro ; + rdfs:label "kilogram per cubic meter"@en-us ; + rdfs:label "kilogram per cubic metre"@en ; + rdfs:label "kilogram per meter kubik"@ms ; + rdfs:label "kilogramme par mètre cube"@fr ; + rdfs:label "kilogramo por metro cúbico"@es ; + rdfs:label "quilograma por metro cúbico"@pt ; + rdfs:label "χιλιόγραμμο ανά κυβικό μέτρο"@el ; + rdfs:label "килограм на кубичен метър"@bg ; + rdfs:label "килограмм на кубический метр"@ru ; + rdfs:label "كيلوغرام لكل متر مكعب"@ar ; + rdfs:label "کیلوگرم بر متر مکعب"@fa ; + rdfs:label "किलोग्राम प्रति घन मीटर"@hi ; + rdfs:label "キログラム毎立方メートル"@ja ; + rdfs:label "千克每立方米"@zh ; +. +unit:KiloGM-PER-M3-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg/(m³⋅s)" ; + qudt:ucumCode "kg.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilograms per cubic metre per second"@en ; +. +unit:KiloGM-PER-MIN + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA624" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit minute" ; + qudt:symbol "kg/min" ; + qudt:ucumCode "kg.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F31" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Minute"@en ; +. +unit:KiloGM-PER-MOL + a qudt:Unit ; + dcterms:description "

In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\). However, for historical reasons, molar masses are almost always expressed in \\(g/mol\\). As an example, the molar mass of water is approximately: \\(18.01528(33) \\; g/mol\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:symbol "kg/mol" ; + qudt:ucumCode "kg.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D74" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Mol"@en ; +. +unit:KiloGM-PER-MegaBTU_IT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilogram per Mega BTU}\\) is an Imperial unit for 'Mass Per Energy' expressed as \\(kg/MBtu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000000000947817 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kg/MBtu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "Kilogram per Mega BTU is an Imperial Unit for 'Mass Per Energy." ; + qudt:symbol "kg/MBtu{IT}" ; + qudt:ucumCode "k[g].[MBtu_IT]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Mega BTU"@en ; +. +unit:KiloGM-PER-MilliM + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearDensity ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB070" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "kg/mm" ; + qudt:ucumCode "kg.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KW" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Millimeter"@en-us ; + rdfs:label "Kilogram Per Millimetre"@en ; +. +unit:KiloGM-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilogram Per Second (kg/s) is a unit in the category of Mass flow rate. It is also known as kilogram/second, kilograms per second. This unit is commonly used in the SI unit system. Kilogram Per Second (kg/s) has a dimension of \\(MT^{-1}\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA629" ; + qudt:symbol "kg/s" ; + qudt:ucumCode "kg.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KGS" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Second"@en ; +. +unit:KiloGM-PER-SEC-M2 + a qudt:Unit ; + dcterms:description "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAA618" ; + qudt:plainTextDescription "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second" ; + qudt:symbol "kg/(s⋅m²)" ; + qudt:ucumCode "kg.(s.m2)-1"^^qudt:UCUMcs ; + qudt:ucumCode "kg.s-1.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "kg/(s.m2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H56" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Per Second Per Square Meter"@en-us ; + rdfs:label "Kilogram Per Second Per Square Metre"@en ; +. +unit:KiloGM-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg-per-sec2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:latexSymbol "\\(kg \\cdot s^2\\)"^^qudt:LatexString ; + qudt:symbol "kg/s²" ; + qudt:ucumCode "kg.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "kg/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram per Square Second"@en ; +. +unit:KiloGM-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kilog-sec2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg⋅s²" ; + qudt:ucumCode "kg.s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Square Second"@en ; +. +unit:KiloGM2-PER-SEC2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M2H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg²/s²" ; + qudt:ucumCode "kg2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Kilograms per square second"@en ; +. +unit:KiloGM_F + a qudt:Unit ; + dcterms:description "\"Kilogram Force\" is a unit for 'Force' expressed as \\(kgf\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; + qudt:symbol "kgf" ; + qudt:ucumCode "kgf"^^qudt:UCUMcs ; + qudt:udunitsCode "kgf" ; + qudt:uneceCommonCode "B37" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Force"@en ; +. +unit:KiloGM_F-M + a qudt:Unit ; + dcterms:description "product of the unit kilogram-force and the SI base unit metre"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA634" ; + qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre" ; + qudt:symbol "kgf⋅m" ; + qudt:ucumCode "kgf.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B38" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram_force Meter"@en-us ; + rdfs:label "Kilogram_force Metre"@en ; +. +unit:KiloGM_F-M-PER-CentiM2 + a qudt:Unit ; + dcterms:description "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:conversionMultiplier 98066.5 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB189" ; + qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kgf⋅m/cm²" ; + qudt:ucumCode "kgf.m.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E44" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Force Meter Per Square Centimeter"@en-us ; + rdfs:label "Kilogram Force Metre Per Square Centimetre"@en ; +. +unit:KiloGM_F-M-PER-SEC + a qudt:Unit ; + dcterms:description "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAB154" ; + qudt:plainTextDescription "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second" ; + qudt:symbol "kgf⋅m/s" ; + qudt:ucumCode "kgf.m.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B39" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram_force Meter Per Second"@en-us ; + rdfs:label "Kilogram_force Metre Per Second"@en ; +. +unit:KiloGM_F-PER-CentiM2 + a qudt:Unit ; + dcterms:description "\"Kilogram Force per Square Centimeter\" is a unit for 'Force Per Area' expressed as \\(kgf/cm^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 98066.5 ; + qudt:expression "\\(kgf/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "kgf/cm²" ; + qudt:ucumCode "kgf.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E42" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Force per Square Centimeter"@en-us ; + rdfs:label "Kilogram Force per Square Centimetre"@en ; +. +unit:KiloGM_F-PER-M2 + a qudt:Unit ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA635" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "kgf/m²" ; + qudt:ucumCode "kgf.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B40" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Force Per Square Meter"@en-us ; + rdfs:label "Kilogram Force Per Square Metre"@en ; +. +unit:KiloGM_F-PER-MilliM2 + a qudt:Unit ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA636" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "kgf/mm²" ; + qudt:ucumCode "kgf.mm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E41" ; + rdfs:isDefinedBy ; + rdfs:label "Kilogram Force Per Square Millimeter"@en-us ; + rdfs:label "Kilogram Force Per Square Millimetre"@en ; +. +unit:KiloHZ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Kilohertz\" is a C.G.S System unit for 'Frequency' expressed as \\(KHz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA566" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kHz" ; + qudt:ucumCode "kHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KHZ" ; + rdfs:isDefinedBy ; + rdfs:label "Kilohertz"@en ; +. +unit:KiloHZ-M + a qudt:Unit ; + dcterms:description "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ConductionSpeed ; + qudt:hasQuantityKind quantitykind:GroupSpeedOfSound ; + qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; + qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; + qudt:iec61360Code "0112/2///62720#UAA567" ; + qudt:plainTextDescription "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "kHz⋅m" ; + qudt:ucumCode "kHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M17" ; + rdfs:isDefinedBy ; + rdfs:label "Kilohertz Meter"@en-us ; + rdfs:label "Kilohertz Metre"@en ; +. +unit:KiloJ + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA568" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kJ" ; + qudt:ucumCode "kJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KJO" ; + rdfs:isDefinedBy ; + rdfs:label "Kilojoule"@en ; +. +unit:KiloJ-PER-K + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerTemperature ; + qudt:iec61360Code "0112/2///62720#UAA569" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin" ; + qudt:symbol "kJ/K" ; + qudt:ucumCode "kJ.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "kJ/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B41" ; + rdfs:isDefinedBy ; + rdfs:label "Kilojoule Per Kelvin"@en ; +. +unit:KiloJ-PER-KiloGM + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA570" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram" ; + qudt:symbol "kJ/kg" ; + qudt:ucumCode "kJ.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "kJ/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B42" ; + rdfs:isDefinedBy ; + rdfs:label "Kilojoule Per Kilogram"@en ; +. +unit:KiloJ-PER-KiloGM-K + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy ; + qudt:iec61360Code "0112/2///62720#UAA571" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin" ; + qudt:symbol "kJ/(kg⋅K)" ; + qudt:ucumCode "kJ.(kg.K)-1"^^qudt:UCUMcs ; + qudt:ucumCode "kJ.kg-1.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "kJ/(kg.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B43" ; + rdfs:isDefinedBy ; + rdfs:label "Kilojoule Per Kilogram Kelvin"@en ; +. +unit:KiloJ-PER-MOL + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEnergy ; + qudt:iec61360Code "0112/2///62720#UAA572" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit mol" ; + qudt:symbol "kJ/mol" ; + qudt:ucumCode "kJ.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B44" ; + rdfs:isDefinedBy ; + rdfs:label "Kilojoule Per Mole"@en ; +. +unit:KiloL + a qudt:Unit ; + dcterms:description "1 000-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB114" ; + qudt:plainTextDescription "1 000-fold of the unit litre" ; + qudt:symbol "kL" ; + qudt:ucumCode "kL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K6" ; + rdfs:isDefinedBy ; + rdfs:label "Kilolitre"@en ; + rdfs:label "Kilolitre"@en-us ; +. +unit:KiloL-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume kilolitres divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.00277777777778 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB121" ; + qudt:plainTextDescription "unit of the volume kilolitres divided by the unit hour" ; + qudt:symbol "kL/hr" ; + qudt:ucumCode "kL.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4X" ; + rdfs:isDefinedBy ; + rdfs:label "Kilolitre Per Hour"@en ; + rdfs:label "Kilolitre Per Hour"@en-us ; +. +unit:KiloLB_F + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4448.222 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "klbf" ; + rdfs:isDefinedBy ; + rdfs:label "KiloPound Force"@en ; +. +unit:KiloLB_F-FT-PER-A + a qudt:Unit ; + dcterms:description "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere"^^rdf:HTML ; + qudt:conversionMultiplier 2728.302797866667 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB483" ; + qudt:plainTextDescription "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere" ; + qudt:symbol "klbf⋅ft/A" ; + qudt:ucumCode "[lbf_av].[ft_i].A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F22" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Foot Per Ampere"@en ; +. +unit:KiloLB_F-FT-PER-LB + a qudt:Unit ; + dcterms:description "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2989.067 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB484" ; + qudt:plainTextDescription "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass" ; + qudt:symbol "klbf⋅ft/lb" ; + qudt:ucumCode "[lbf_av].[ft_i].[lb_av]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G20" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Foot Per Pound"@en ; +. +unit:KiloLB_F-PER-FT + a qudt:Unit ; + dcterms:description "unit of the length-related force"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 14593.904199475066 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB192" ; + qudt:plainTextDescription "unit of the length-related force" ; + qudt:symbol "klbf/ft" ; + qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F17" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Per Foot"@en ; +. +unit:KiloLB_F-PER-IN2 + a qudt:Unit ; + dcterms:description "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.89475789e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB138" ; + qudt:plainTextDescription "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "kpsi" ; + qudt:ucumCode "k[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "84" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopound Force Per Square Inch"@en ; +. +unit:KiloM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A common metric unit of length or distance. One kilometer equals exactly 1000 meters, about 0.621 371 19 mile, 1093.6133 yards, or 3280.8399 feet. Oddly, higher multiples of the meter are rarely used; even the distances to the farthest galaxies are usually measured in kilometers. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometre?oldid=494821851"^^xsd:anyURI ; + qudt:prefix prefix:Kilo ; + qudt:symbol "km" ; + qudt:ucumCode "km"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMT" ; + rdfs:isDefinedBy ; + rdfs:label "Kilometer"@en-us ; + rdfs:label "Kilometre"@en ; +. +unit:KiloM-PER-DAY + a qudt:Unit ; + dcterms:description "A change in location of a distance of one thousand metres in an elapsed time of one day (86400 seconds)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0115740740740741 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "kg/day" ; + qudt:ucumCode "km.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilometres per day"@en ; +. +unit:KiloM-PER-HR + a qudt:Unit ; + dcterms:description "\"Kilometer per Hour\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.2777777777777778 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometres_per_hour"^^xsd:anyURI ; + qudt:expression "\\(km/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA638" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometres_per_hour?oldid=487674812"^^xsd:anyURI ; + qudt:symbol "km/hr" ; + qudt:ucumCode "km.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "km/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMH" ; + rdfs:isDefinedBy ; + rdfs:label "Kilometer per Hour"@en-us ; + rdfs:label "Kilometre per Hour"@en ; +. +unit:KiloM-PER-SEC + a qudt:Unit ; + dcterms:description "\"Kilometer per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(km/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB392" ; + qudt:symbol "km/s" ; + qudt:ucumCode "km.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "km/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M62" ; + rdfs:isDefinedBy ; + rdfs:label "Kilometer per Second"@en-us ; + rdfs:label "Kilometre per Second"@en ; +. +unit:KiloM3-PER-SEC2 + a qudt:Unit ; + dcterms:description "\\(\\textit{Cubic Kilometer per Square Second}\\) is a unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(km^3/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:expression "\\(km^3/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:symbol "km³/s²" ; + qudt:ucumCode "km3.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "km3/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Kilometer per Square Second"@en-us ; + rdfs:label "Cubic Kilometre per Square Second"@en ; +. +unit:KiloMOL + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA640" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kmol" ; + qudt:ucumCode "kmol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B45" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomole"@en ; +. +unit:KiloMOL-PER-HR + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivity ; + qudt:iec61360Code "0112/2///62720#UAA641" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time hour" ; + qudt:symbol "kmol/hr" ; + qudt:ucumCode "kmol.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "kmol/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K58" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomole Per Hour"@en ; +. +unit:KiloMOL-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilomole Per Kilogram (\\(kmol/kg\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kmol/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:hasQuantityKind quantitykind:MolalityOfSolute ; + qudt:symbol "kmol/kg" ; + qudt:ucumCode "kmol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "kmol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P47" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomol per Kilogram"@en ; +. +unit:KiloMOL-PER-M3 + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA642" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kmol/m³" ; + qudt:ucumCode "kmol.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B46" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomole Per Cubic Meter"@en-us ; + rdfs:label "Kilomole Per Cubic Metre"@en ; +. +unit:KiloMOL-PER-MIN + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 16.94444 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA645" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time minute" ; + qudt:symbol "kmol/min" ; + qudt:ucumCode "kmol.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K61" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomole Per Minute"@en ; +. +unit:KiloMOL-PER-SEC + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit mol divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA646" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the SI base unit second" ; + qudt:symbol "kmol/s" ; + qudt:ucumCode "kmol.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E94" ; + rdfs:isDefinedBy ; + rdfs:label "Kilomole Per Second"@en ; +. +unit:KiloN + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA573" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit newton" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kN" ; + qudt:ucumCode "kN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B47" ; + rdfs:isDefinedBy ; + rdfs:label "Kilonewton"@en ; +. +unit:KiloN-M + a qudt:Unit ; + dcterms:description "1 000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA574" ; + qudt:plainTextDescription "1 000-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "kN⋅m" ; + qudt:ucumCode "kN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B48" ; + rdfs:isDefinedBy ; + rdfs:label "Kilonewton Meter"@en-us ; + rdfs:label "Kilonewton Metre"@en ; +. +unit:KiloN-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:WarpingMoment ; + qudt:symbol "kN⋅m²" ; + rdfs:isDefinedBy ; + rdfs:label "Kilo Newton Square Meter"@en-us ; + rdfs:label "Kilo Newton Square Metre"@en ; +. +unit:KiloOHM + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA555" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit ohm" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kΩ" ; + qudt:ucumCode "kOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B49" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloohm"@en ; +. +unit:KiloP + a qudt:Unit ; + dcterms:description "Same as kilogramForce"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB059" ; + qudt:symbol "kP" ; + qudt:ucumCode "kgf"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B51" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopond"@en ; +. +unit:KiloPA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Kilopascal is a unit of pressure. 1 kPa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 101.3 kPa = 1 atm. There are 1,000 pascals in 1 kilopascal."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal_%28unit%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA575" ; + qudt:symbol "kPa" ; + qudt:ucumCode "kPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KPA" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal"@en ; +. +unit:KiloPA-M2-PER-GM + a qudt:Unit ; + dcterms:description "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB130" ; + qudt:plainTextDescription "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kPa⋅m²/g" ; + qudt:ucumCode "kPa.m2.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "33" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal Square Meter per Gram"@en-us ; + rdfs:label "Kilopascal Square Metre per Gram"@en ; +. +unit:KiloPA-PER-BAR + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA577" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "kPa/bar" ; + qudt:ucumCode "kPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F03" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal Per Bar"@en ; +. +unit:KiloPA-PER-K + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA576" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "kPa/K" ; + qudt:ucumCode "kPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F83" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal Per Kelvin"@en ; +. +unit:KiloPA-PER-MilliM + a qudt:Unit ; + dcterms:description "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e05 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAB060" ; + qudt:plainTextDescription "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "kPa/mm" ; + qudt:ucumCode "kPa.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "34" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal Per Millimeter"@en-us ; + rdfs:label "Kilopascal Per Millimetre"@en ; +. +unit:KiloPA_A + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Kilopascal Absolute} is a SI System unit for 'Force Per Area' expressed as \\(KPaA\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "KPaA" ; + qudt:ucumCode "kPa{absolute}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Kilopascal Absolute"@en ; +. +unit:KiloPOND + a qudt:Unit ; + dcterms:description "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB059" ; + qudt:plainTextDescription "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton" ; + qudt:symbol "kp" ; + qudt:uneceCommonCode "B51" ; + rdfs:isDefinedBy ; + rdfs:label "Kilopond"@en ; +. +unit:KiloR + a qudt:Unit ; + dcterms:description "1 000-fold of the unit roentgen"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.258 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAB057" ; + qudt:plainTextDescription "1 000-fold of the unit roentgen" ; + qudt:symbol "kR" ; + qudt:ucumCode "kR"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KR" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloroentgen"@en ; +. +unit:KiloS + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA578" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit siemens" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kS" ; + qudt:ucumCode "kS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B53" ; + rdfs:isDefinedBy ; + rdfs:label "Kilosiemens"@en ; +. +unit:KiloS-PER-M + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA579" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "kS/m" ; + qudt:ucumCode "kS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B54" ; + rdfs:isDefinedBy ; + rdfs:label "Kilosiemens Per Meter"@en-us ; + rdfs:label "Kilosiemens Per Metre"@en ; +. +unit:KiloSEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Killosecond\" is an Imperial unit for 'Time' expressed as \\(ks\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA647" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; + qudt:prefix prefix:Kilo ; + qudt:symbol "ks" ; + qudt:ucumCode "ks"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B52" ; + rdfs:isDefinedBy ; + rdfs:label "kilosecond"@en ; +. +unit:KiloTONNE + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:exactMatch unit:KiloTON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "kt" ; + qudt:uneceCommonCode "KTN" ; + rdfs:isDefinedBy ; + rdfs:label "KiloTonne"@en ; +. +unit:KiloTON_Metric + a qudt:Unit ; + dcterms:description "1 000 000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:exactMatch unit:KiloTONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB080" ; + qudt:plainTextDescription "1 000 000-fold of the SI base unit kilogram" ; + qudt:symbol "kton{short}" ; + qudt:ucumCode "kt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KTN" ; + rdfs:isDefinedBy ; + rdfs:label "Metric KiloTON"@en ; +. +unit:KiloV + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA580" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit volt" ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kV" ; + qudt:ucumCode "kV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVT" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt"@en ; +. +unit:KiloV-A + a qudt:Unit ; + dcterms:description "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:iec61360Code "0112/2///62720#UAA581" ; + qudt:plainTextDescription "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "kV⋅A" ; + qudt:ucumCode "kV.A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVA" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt Ampere"@en ; +. +unit:KiloV-A-HR + a qudt:Unit ; + dcterms:description "product of the 1 000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.6e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB160" ; + qudt:plainTextDescription "product of the 1 000-fold of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "kV⋅A/hr" ; + qudt:ucumCode "kV.A.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C79" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt Ampere Hour"@en ; +. +unit:KiloV-A_Reactive + a qudt:Unit ; + dcterms:description "1 000-fold of the unit var"^^rdf:HTML ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAA648" ; + qudt:plainTextDescription "1 000-fold of the unit var" ; + qudt:symbol "kV⋅A{Reactive}" ; + qudt:ucumCode "kV.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVR" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt Ampere Reactive"@en ; +. +unit:KiloV-A_Reactive-HR + a qudt:Unit ; + dcterms:description "product of the 1,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3.6e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB195" ; + qudt:plainTextDescription "product of the 1 000-fold of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "kV⋅A{Reactive}⋅hr" ; + qudt:ucumCode "kV.A.h{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K3" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt Ampere Reactive Hour"@en ; +. +unit:KiloV-PER-M + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA582" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "kV/m" ; + qudt:ucumCode "kV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B55" ; + rdfs:isDefinedBy ; + rdfs:label "Kilovolt Per Meter"@en-us ; + rdfs:label "Kilovolt Per Metre"@en ; +. +unit:KiloW + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(The kilowatt is a derived unit of power in the International System of Units (SI), The unit, defined as 1,000 joule per second, measures the rate of energy conversion or transfer.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA583" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; + qudt:prefix prefix:Kilo ; + qudt:symbol "kW" ; + qudt:ucumCode "kW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KWT" ; + rdfs:isDefinedBy ; + rdfs:label "Kilowatt"@en ; +. +unit:KiloW-HR + a qudt:Unit ; + dcterms:description "The kilowatt hour, or kilowatt-hour, (symbol \\(kW \\cdot h\\), \\(kW h\\) or \\(kWh\\)) is a unit of energy equal to 1000 watt hours or 3.6 megajoules. For constant power, energy in watt hours is the product of power in watts and time in hours. The kilowatt hour is most commonly known as a billing unit for energy delivered to consumers by electric utilities."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.6e06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilowatt_hour"^^xsd:anyURI ; + qudt:expression "\\(kW-h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilowatt_hour?oldid=494927235"^^xsd:anyURI ; + qudt:symbol "kW⋅h" ; + qudt:ucumCode "kW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KWH" ; + rdfs:isDefinedBy ; + rdfs:label "Kilowatthour"@en ; +. +unit:KiloW-HR-PER-M2 + a qudt:Unit ; + dcterms:description "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.6e06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre." ; + qudt:symbol "kW⋅h/m²" ; + rdfs:isDefinedBy ; + rdfs:label "Kilowatt hour per square metre"@en ; +. +unit:KiloWB + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:symbol "kWb" ; + rdfs:isDefinedBy ; + rdfs:label "KiloWeber"@en ; +. +unit:KiloWB-PER-M + a qudt:Unit ; + dcterms:description "1 000-fold of the SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAA585" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit weber divided by the SI base unit metre" ; + qudt:symbol "kWb/m" ; + qudt:ucumCode "kWb.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B56" ; + rdfs:isDefinedBy ; + rdfs:label "Kiloweber Per Meter"@en-us ; + rdfs:label "Kiloweber Per Metre"@en ; +. +unit:KiloYR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:symbol "1000 yr" ; + rdfs:isDefinedBy ; + rdfs:label "KiloYear"@en ; +. +unit:L + a qudt:Unit ; + dcterms:description "The \\(litre\\) (American spelling: \\(\\textit{liter}\\); SI symbol \\(l\\) or \\(L\\)) is a non-SI metric system unit of volume equal to \\(1 \\textit{cubic decimetre}\\) (\\(dm^3\\)), 1,000 cubic centimetres (\\(cm^3\\)) or \\(1/1000 \\textit{cubic metre}\\). If the lower case \"L\" is used as the symbol, it is sometimes rendered as a cursive \"l\" to help distinguish it from the capital \"I\", although this usage has no official approval by any international bureau."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Litre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Litre?oldid=494846400"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "L" ; + qudt:ucumCode "L"^^qudt:UCUMcs ; + qudt:ucumCode "l"^^qudt:UCUMcs ; + qudt:udunitsCode "L" ; + qudt:uneceCommonCode "LTR" ; + rdfs:isDefinedBy ; + rdfs:label "Liter"@en-us ; + rdfs:label "Litre"@en ; + skos:altLabel "litre" ; +. +unit:L-PER-DAY + a qudt:Unit ; + dcterms:description "unit litre divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA652" ; + qudt:plainTextDescription "unit litre divided by the unit day" ; + qudt:symbol "L/day" ; + qudt:ucumCode "L.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LD" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Day"@en-us ; + rdfs:label "Litre Per Day"@en ; +. +unit:L-PER-HR + a qudt:Unit ; + dcterms:description "Unit litre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA655" ; + qudt:plainTextDescription "Unit litre divided by the unit hour" ; + qudt:symbol "L/hr" ; + qudt:ucumCode "L.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E32" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Hour"@en-us ; + rdfs:label "Litre Per Hour"@en ; +. +unit:L-PER-K + a qudt:Unit ; + dcterms:description "unit litre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA650" ; + qudt:plainTextDescription "unit litre divided by the SI base unit kelvin" ; + qudt:symbol "L/K" ; + qudt:ucumCode "L.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G28" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Kelvin"@en-us ; + rdfs:label "Litre Per Kelvin"@en ; +. +unit:L-PER-KiloGM + a qudt:Unit ; + dcterms:description "unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB380" ; + qudt:plainTextDescription "unit of the volume litre divided by the SI base unit kilogram" ; + qudt:symbol "L/kg" ; + qudt:ucumCode "L.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H83" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Kilogram"@en-us ; + rdfs:label "Litre Per Kilogram"@en ; +. +unit:L-PER-L + a qudt:Unit ; + dcterms:description "volume ratio consisting of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA658" ; + qudt:plainTextDescription "volume ratio consisting of the unit litre divided by the unit litre" ; + qudt:symbol "L/L" ; + qudt:ucumCode "L.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K62" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Liter"@en-us ; + rdfs:label "Litre Per Litre"@en ; +. +unit:L-PER-MIN + a qudt:Unit ; + dcterms:description "unit litre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA659" ; + qudt:plainTextDescription "unit litre divided by the unit minute" ; + qudt:symbol "L/min" ; + qudt:ucumCode "L.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L2" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Minute"@en-us ; + rdfs:label "Litre Per Minute"@en ; +. +unit:L-PER-MOL + a qudt:Unit ; + dcterms:description "unit litre divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA662" ; + qudt:plainTextDescription "unit litre divided by the SI base unit mol" ; + qudt:symbol "L/mol" ; + qudt:ucumCode "L.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B58" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Mole"@en-us ; + rdfs:label "Litre Per Mole"@en ; +. +unit:L-PER-MicroMOL + a qudt:Unit ; + dcterms:description "The inverse of a molar concentration - the untits of per molarity."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:symbol "L/µmol" ; + qudt:ucumCode "L.umol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Litres per micromole"@en ; +. +unit:L-PER-SEC + a qudt:Unit ; + dcterms:description "unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA664" ; + qudt:plainTextDescription "unit litre divided by the SI base unit second" ; + qudt:symbol "L/s" ; + qudt:ucumCode "L.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "L/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G51" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Second"@en-us ; + rdfs:label "Litre Per Second"@en ; +. +unit:L-PER-SEC-M2 + a qudt:Unit ; + dcterms:description "Ventilation rate in Litres per second divided by the floor area"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VentilationRatePerFloorArea ; + qudt:plainTextDescription "Ventilation rate in Litres per second divided by the floor area" ; + qudt:symbol "L/(m²⋅s)" ; + rdfs:isDefinedBy ; + rdfs:label "Liter Per Second Per Square Meter"@en-us ; + rdfs:label "Litre Per Second Per Square Metre"@en ; +. +unit:LA + a qudt:Unit ; + dcterms:description "The lambert (symbol \\(L\\), \\(la\\) or \\(Lb\\)) is a non-SI unit of luminance. A related unit of luminance, the foot-lambert, is used in the lighting, cinema and flight simulation industries. The SI unit is the candela per square metre (\\(cd/m^2\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3183.09886 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lambert"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB259" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lambert?oldid=494078267"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "L" ; + qudt:ucumCode "Lmb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P30" ; + rdfs:isDefinedBy ; + rdfs:label "Lambert"@en ; +. +unit:LB + a qudt:Unit ; + dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:LB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbm" ; + qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lb" ; + qudt:uneceCommonCode "LBR" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass"@en ; +. +unit:LB-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Pound Degree Fahrenheit} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "lb⋅°F" ; + qudt:ucumCode "[lb_av].[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Degree Fahrenheit"@en ; +. +unit:LB-DEG_R + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Pound Degree Rankine} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degR\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(lb-degR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "lb⋅°R" ; + qudt:ucumCode "[lb_av].[degR]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Degree Rankine"@en ; +. +unit:LB-FT2 + a qudt:Unit ; + dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.04214011 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA671" ; + qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2" ; + qudt:symbol "lb⋅ft²" ; + qudt:ucumCode "[lb_av].[sft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K65" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass (avoirdupois) Square Foot"@en ; +. +unit:LB-IN + a qudt:Unit ; + dcterms:description "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.011521246198 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB194" ; + qudt:plainTextDescription "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)" ; + qudt:symbol "lb⋅in" ; + qudt:ucumCode "[lb_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IA" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass (avoirdupois) Inch"@en ; +. +unit:LB-IN2 + a qudt:Unit ; + dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0002926397 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia ; + qudt:hasQuantityKind quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA672" ; + qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2" ; + qudt:symbol "lb⋅in²" ; + qudt:ucumCode "[lb_av].[sin_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F20" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass (avoirdupois) Square Inch"@en ; +. +unit:LB-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

Pound Mole is a unit for \\textit{'Mass Amount Of Substance'} expressed as \\(lb-mol\\).

."^^qudt:LatexString ; + qudt:conversionMultiplier 0.45359237 ; + qudt:expression "\\(lb-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB402" ; + qudt:symbol "lb⋅mol" ; + qudt:ucumCode "[lb_av].mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P44" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mole"@en ; +. +unit:LB-MOL-DEG_F + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Pound Mole Degree Fahrenheit} is a unit for 'Mass Amount Of Substance Temperature' expressed as \\(lb-mol-degF\\)."^^qudt:LatexString ; + qudt:expression "\\(lb-mol-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassAmountOfSubstanceTemperature ; + qudt:symbol "lb⋅mol⋅°F" ; + qudt:ucumCode "[lb_av].mol.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mole Degree Fahrenheit"@en ; +. +unit:LB-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.249912e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA673" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day" ; + qudt:symbol "lb/day" ; + qudt:ucumCode "[lb_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K66" ; + rdfs:isDefinedBy ; + rdfs:label "Pound (avoirdupois) Per Day"@en ; +. +unit:LB-PER-FT + a qudt:Unit ; + dcterms:description "\"Pound per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.4881639435695537 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "lb/ft" ; + qudt:ucumCode "[lb_av].[ft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P2" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Foot"@en ; +. +unit:LB-PER-FT-HR + a qudt:Unit ; + dcterms:description "\"Pound per Foot Hour\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-hr)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004133788732137649 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/(ft-hr)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "lb/(ft⋅hr)" ; + qudt:ucumCode "[lb_av].[ft_i]-1.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K67" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Foot Hour"@en ; +. +unit:LB-PER-FT-SEC + a qudt:Unit ; + dcterms:description "\"Pound per Foot Second\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.4881639435695537 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/(ft-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "lb/(ft⋅s)" ; + qudt:ucumCode "[lb_av].[ft_i]-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K68" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Foot Second"@en ; +. +unit:LB-PER-FT2 + a qudt:Unit ; + dcterms:description "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.882428 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB262" ; + qudt:plainTextDescription "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "lb/ft²" ; + qudt:ucumCode "[lb_av].[ft_i]-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FP" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass (avoirdupois) Per Square Foot"@en ; +. +unit:LB-PER-FT3 + a qudt:Unit ; + dcterms:description "\"Pound per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(lb/ft^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 16.018463373960138 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "lb/ft³" ; + qudt:ucumCode "[lb_av].[cft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "87" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Cubic Foot"@en ; +. +unit:LB-PER-GAL + a qudt:Unit ; + dcterms:description "\"Pound per Gallon\" is an Imperial unit for 'Density' expressed as \\(lb/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 99.7763727 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/gal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "lb/gal" ; + qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Gallon"@en ; +. +unit:LB-PER-GAL_UK + a qudt:Unit ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 99.77637 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA679" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units" ; + qudt:symbol "lb/gal{UK}" ; + qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K71" ; + rdfs:isDefinedBy ; + rdfs:label "Pound (avoirdupois) Per Gallon (UK)"@en ; +. +unit:LB-PER-GAL_US + a qudt:Unit ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 83.0812213 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA680" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units" ; + qudt:symbol "lb/gal{US}" ; + qudt:ucumCode "[lb_av].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GE" ; + rdfs:isDefinedBy ; + rdfs:label "Pound (avoirdupois) Per Gallon (US)"@en ; +. +unit:LB-PER-HR + a qudt:Unit ; + dcterms:description "Pound per hour is a mass flow unit. It is abbreviated as PPH or more conventionally as lb/h. Fuel flow for engines is usually expressed using this unit, it is particularly useful when dealing with gases or liquids as volume flow varies more with temperature and pressure. \\(1 lb/h = 0.4535927 kg/h = 126.00 mg/s\\). Minimum fuel intake on a jumbojet can be as low as 150 lb/h when idling, however this is not enough to sustain flight."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00012599788055555556 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_per_hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(PPH\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_per_hour?oldid=328571072"^^xsd:anyURI ; + qudt:symbol "PPH" ; + qudt:ucumCode "[lb_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4U" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Hour"@en ; +. +unit:LB-PER-IN + a qudt:Unit ; + dcterms:description "\"Pound per Inch\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 17.857967322834646 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "lb/in" ; + qudt:ucumCode "[lb_av].[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PO" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Inch"@en ; +. +unit:LB-PER-IN2 + a qudt:Unit ; + dcterms:description "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 703.06957963916 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:hasQuantityKind quantitykind:MeanMassRange ; + qudt:hasQuantityKind quantitykind:SurfaceDensity ; + qudt:iec61360Code "0112/2///62720#UAB137" ; + qudt:plainTextDescription "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "lb/in²" ; + qudt:ucumCode "[lb_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "80" ; + rdfs:isDefinedBy ; + rdfs:label "Pound (avoirdupois) Per Square Inch"@en ; +. +unit:LB-PER-IN3 + a qudt:Unit ; + dcterms:description "\"Pound per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(lb/in^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 27679.904710203125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/in^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "lb/in³" ; + qudt:ucumCode "[lb_av].[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LA" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Cubic Inch"@en ; +. +unit:LB-PER-M3 + a qudt:Unit ; + dcterms:description "\"Pound per Cubic Meter\" is a unit for 'Density' expressed as \\(lb/m^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:expression "\\(lb/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "lb/m³" ; + qudt:ucumCode "[lb_av].m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Cubic Meter"@en-us ; + rdfs:label "Pound per Cubic Metre"@en ; +. +unit:LB-PER-MIN + a qudt:Unit ; + dcterms:description "\"Pound per Minute\" is an Imperial unit for 'Mass Per Time' expressed as \\(lb/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.007559872833333333 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:symbol "lb/min" ; + qudt:ucumCode "[lb_av].min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Minute"@en ; +. +unit:LB-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.4535924 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA692" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second" ; + qudt:symbol "lb/s" ; + qudt:ucumCode "[lb_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K81" ; + rdfs:isDefinedBy ; + rdfs:label "Pound (avoirdupois) Per Second"@en ; +. +unit:LB-PER-YD3 + a qudt:Unit ; + dcterms:description "\"Pound per Cubic Yard\" is an Imperial unit for 'Density' expressed as \\(lb/yd^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5932764212577829 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lb/yd^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "lb/yd³" ; + qudt:ucumCode "[lb_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K84" ; + rdfs:isDefinedBy ; + rdfs:label "Pound per Cubic Yard"@en ; +. +unit:LB_F + a qudt:Unit ; + dcterms:description "\"Pound Force\" is an Imperial unit for 'Force' expressed as \\(lbf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.448222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; + qudt:symbol "lbf" ; + qudt:ucumCode "[lbf_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lbf" ; + qudt:uneceCommonCode "C78" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force"@en ; +. +unit:LB_F-FT + a qudt:Unit ; + dcterms:description "\"Pound Force Foot\" is an Imperial unit for 'Torque' expressed as \\(lbf-ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf-ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:symbol "lbf⋅ft" ; + qudt:ucumCode "[lbf_av].[ft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M92" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Foot"@en ; +. +unit:LB_F-IN + a qudt:Unit ; + dcterms:description "\"Pound Force Inch\" is an Imperial unit for 'Torque' expressed as \\(lbf-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.112984839 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:symbol "lbf⋅in" ; + qudt:ucumCode "[lbf_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F21" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Inch"@en ; +. +unit:LB_F-PER-FT + a qudt:Unit ; + dcterms:description "\"Pound Force per Foot\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:symbol "lbf/ft" ; + qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Foot"@en ; +. +unit:LB_F-PER-FT2 + a qudt:Unit ; + dcterms:description "Pounds or Pounds Force per Square Foot is a British (Imperial) and American pressure unit which is directly related to the psi pressure unit by a factor of 144 (1 sq ft = 12 in x 12 in = 144 sq in). 1 Pound per Square Foot equals 47.8803 Pascals. The psf pressure unit is mostly for lower pressure applications such as specifying building structures to withstand a certain wind force or rating a building floor for maximum weight load."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 47.8802631 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "lbf/ft²" ; + qudt:ucumCode "[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Square Foot"@en ; +. +unit:LB_F-PER-IN + a qudt:Unit ; + dcterms:description "\"Pound Force per Inch\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 175.12685 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:symbol "lbf/in" ; + qudt:ucumCode "[lbf_av].[in_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Inch"@en ; +. +unit:LB_F-PER-IN2 + a qudt:Unit ; + dcterms:description "\"Pound Force per Square Inch\" is an Imperial unit for 'Force Per Area' expressed as \\(psia\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pounds_per_square_inch"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:PSI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pounds_per_square_inch?oldid=485678341"^^xsd:anyURI ; + qudt:symbol "psia" ; + qudt:ucumCode "[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PS" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Square Inch"@en ; +. +unit:LB_F-PER-IN2-DEG_F + a qudt:Unit ; + dcterms:description "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 12410.56 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA702" ; + qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature" ; + qudt:symbol "lbf/(in²⋅°F)" ; + qudt:ucumCode "[lbf_av].[sin_i]-1.[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K86" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Per Square Inch Degree Fahrenheit"@en ; +. +unit:LB_F-PER-IN2-SEC + a qudt:Unit ; + dcterms:description "\"Pound Force per Square Inch Second\" is a unit for 'Force Per Area Time' expressed as \\(lbf / in^{2}-s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:expression "\\(lbf / in^{2}-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "lbf/in²⋅s" ; + qudt:ucumCode "[lbf_av].[sin_i]-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Square Inch Second"@en ; +. +unit:LB_F-PER-LB + a qudt:Unit ; + dcterms:description "\"Pound Force per Pound\" is an Imperial unit for 'Thrust To Mass Ratio' expressed as \\(lbf/lb\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 9.80665085 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf/lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:symbol "lbf/lb" ; + qudt:ucumCode "[lbf_av].[lb_av]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force per Pound"@en ; +. +unit:LB_F-SEC-PER-FT2 + a qudt:Unit ; + dcterms:description "\"Pound Force Second per Square Foot\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 47.8802631 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf-s/ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "lbf⋅s/ft²" ; + qudt:ucumCode "[lbf_av].s.[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Second per Square Foot"@en ; +. +unit:LB_F-SEC-PER-IN2 + a qudt:Unit ; + dcterms:description "\"Pound Force Second per Square Inch\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/in^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(lbf-s/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:symbol "lbf⋅s/in²" ; + qudt:ucumCode "[lbf_av].s.[sin_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pound Force Second per Square Inch"@en ; +. +unit:LB_M + a qudt:Unit ; + dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:LB ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbm" ; + qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lb" ; + qudt:uneceCommonCode "LBR" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Mass"@en ; +. +unit:LB_T + a qudt:Unit ; + dcterms:description "An obsolete unit of mass; the Troy Pound has been defined as exactly 5760 grains, or 0.3732417216 kg. A Troy Ounce is 1/12th of a Troy Pound."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3732417216 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbt" ; + qudt:ucumCode "[lb_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LBT" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Troy"@en ; +. +unit:LM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit for measuring the flux of light being produced by a light source or received by a surface. The intensity of a light source is measured in candelas. One lumen represents the total flux of light emitted, equal to the intensity in candelas multiplied by the solid angle in steradians into which the light is emitted. A full sphere has a solid angle of \\(4\\cdot\\pi\\) steradians. A light source that uniformly radiates one candela in all directions has a total luminous flux of \\(1 cd\\cdot 4 \\pi sr = 4 \\pi cd \\cdot sr \\approx 12.57 \\; \\text{lumens}\\). \"Lumen\" is a Latin word for light."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lumen"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFlux ; + qudt:iec61360Code "0112/2///62720#UAA718" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Lumen_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "cd.sr" ; + qudt:symbol "lm" ; + qudt:ucumCode "lm"^^qudt:UCUMcs ; + qudt:udunitsCode "LM" ; + qudt:uneceCommonCode "LUM" ; + rdfs:isDefinedBy ; + rdfs:label "Lumen"@de ; + rdfs:label "lumen"@cs ; + rdfs:label "lumen"@en ; + rdfs:label "lumen"@es ; + rdfs:label "lumen"@fr ; + rdfs:label "lumen"@hu ; + rdfs:label "lumen"@it ; + rdfs:label "lumen"@la ; + rdfs:label "lumen"@ms ; + rdfs:label "lumen"@pl ; + rdfs:label "lumen"@pt ; + rdfs:label "lumen"@ro ; + rdfs:label "lumen"@sl ; + rdfs:label "lümen"@tr ; + rdfs:label "λούμεν"@el ; + rdfs:label "лумен"@bg ; + rdfs:label "лумен"@ru ; + rdfs:label "לומן"@he ; + rdfs:label "لومن"@ar ; + rdfs:label "لومن"@fa ; + rdfs:label "ल्यूमैन"@hi ; + rdfs:label "ルーメン"@ja ; + rdfs:label "流明"@zh ; +. +unit:LM-PER-W + a qudt:Unit ; + dcterms:description "A measurement of luminous efficacy, which is the light output in lumens using one watt of electricity."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(lm-per-w\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:LuminousEfficacy ; + qudt:iec61360Code "0112/2///62720#UAA719" ; + qudt:symbol "lm/W" ; + qudt:ucumCode "lm.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B61" ; + rdfs:isDefinedBy ; + rdfs:label "Lumen per Watt"@en ; +. +unit:LM-SEC + a qudt:Unit ; + dcterms:description "In photometry, the lumen second is the SI derived unit of luminous energy. It is based on the lumen, the SI unit of luminous flux, and the second, the SI base unit of time. The lumen second is sometimes called the talbot (symbol T). An older name for the lumen second was the lumberg."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(lm s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LuminousEnergy ; + qudt:iec61360Code "0112/2///62720#UAA722" ; + qudt:symbol "lm⋅s" ; + qudt:ucumCode "lm.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B62" ; + rdfs:isDefinedBy ; + rdfs:label "lumen second"@en ; + skos:altLabel "lumberg" ; + skos:altLabel "talbot" ; +. +unit:LUX + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:iec61360Code "0112/2///62720#UAA723" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "lm/m^2" ; + qudt:symbol "lx" ; + qudt:ucumCode "lx"^^qudt:UCUMcs ; + qudt:udunitsCode "lx" ; + qudt:uneceCommonCode "LUX" ; + rdfs:isDefinedBy ; + rdfs:label "Lux"@de ; + rdfs:label "luks"@pl ; + rdfs:label "luks"@sl ; + rdfs:label "lux"@cs ; + rdfs:label "lux"@el ; + rdfs:label "lux"@en ; + rdfs:label "lux"@es ; + rdfs:label "lux"@fr ; + rdfs:label "lux"@hu ; + rdfs:label "lux"@it ; + rdfs:label "lux"@ms ; + rdfs:label "lux"@pt ; + rdfs:label "lux"@ro ; + rdfs:label "lüks"@tr ; + rdfs:label "лукс"@bg ; + rdfs:label "люкс"@ru ; + rdfs:label "לוקס"@he ; + rdfs:label "لكس"@ar ; + rdfs:label "لوکس"@fa ; + rdfs:label "लक्स"@hi ; + rdfs:label "ルクス"@ja ; + rdfs:label "勒克斯"@zh ; +. +unit:LUX-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; + qudt:expression "\\(lx hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:LuminousExposure ; + qudt:iec61360Code "0112/2///62720#UAA724" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; + qudt:siUnitsExpression "lm-hr/m^2" ; + qudt:symbol "lx⋅hr" ; + qudt:ucumCode "lx.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B63" ; + rdfs:isDefinedBy ; + rdfs:label "Lux Hour"@en ; +. +unit:LY + a qudt:Unit ; + dcterms:description "A unit of length defining the distance, in meters, that light travels in a vacuum in one year."^^rdf:HTML ; + qudt:conversionMultiplier 9.4607304725808e15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Light-year"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB069" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Light-year?oldid=495083584"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ly" ; + qudt:ucumCode "[ly]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B57" ; + rdfs:isDefinedBy ; + rdfs:label "Light Year"@en ; +. +unit:LunarMass + a qudt:Unit ; + qudt:conversionMultiplier 7.3460e22 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moon"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moon?oldid=494566371"^^xsd:anyURI ; + qudt:symbol "M☾" ; + rdfs:isDefinedBy ; + rdfs:label "Lunar mass"@en ; +. +unit:M + a qudt:Unit ; + dcterms:description "The metric and SI base unit of distance. The 17th General Conference on Weights and Measures in 1983 defined the meter as that distance that makes the speed of light in a vacuum equal to exactly 299 792 458 meters per second. The speed of light in a vacuum, \\(c\\), is one of the fundamental constants of nature. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Metre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA726" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Metre?oldid=495145797"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "The metric and SI base unit of distance. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches." ; + qudt:symbol "m" ; + qudt:ucumCode "m"^^qudt:UCUMcs ; + qudt:udunitsCode "m" ; + qudt:uneceCommonCode "MTR" ; + rdfs:isDefinedBy ; + rdfs:label "Meter"@de ; + rdfs:label "Meter"@en-us ; + rdfs:label "meter"@ms ; + rdfs:label "meter"@sl ; + rdfs:label "metr"@cs ; + rdfs:label "metr"@pl ; + rdfs:label "metre"@en ; + rdfs:label "metre"@tr ; + rdfs:label "metro"@es ; + rdfs:label "metro"@it ; + rdfs:label "metro"@pt ; + rdfs:label "metru"@ro ; + rdfs:label "metrum"@la ; + rdfs:label "mètre"@fr ; + rdfs:label "méter"@hu ; + rdfs:label "μέτρο"@el ; + rdfs:label "метр"@ru ; + rdfs:label "метър"@bg ; + rdfs:label "מטר"@he ; + rdfs:label "متر"@ar ; + rdfs:label "متر"@fa ; + rdfs:label "मीटर"@hi ; + rdfs:label "メートル"@ja ; + rdfs:label "米"@zh ; +. +unit:M-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Meter Kelvin} is a unit for 'Length Temperature' expressed as \\(m K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:iec61360Code "0112/2///62720#UAB170" ; + qudt:symbol "m⋅K" ; + qudt:ucumCode "m.K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D18" ; + rdfs:isDefinedBy ; + rdfs:label "Meter Kelvin"@en-us ; + rdfs:label "Meter mal Kelvin"@de ; + rdfs:label "meter kelvin"@ms ; + rdfs:label "metre kelvin"@en ; + rdfs:label "metro per kelvin"@it ; + rdfs:label "متر کلوین"@fa ; + rdfs:label "米开尔文"@zh ; +. +unit:M-K-PER-W + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Meter Kelvin per Watt} is a unit for 'Thermal Resistivity' expressed as \\(K-m/W\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K-m/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "K⋅m/W" ; + qudt:ucumCode "m.K.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H35" ; + rdfs:isDefinedBy ; + rdfs:label "Meter Kelvin per Watt"@en-us ; + rdfs:label "Metre Kelvin per Watt"@en ; +. +unit:M-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m-kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:symbol "m⋅kg" ; + qudt:ucumCode "m.kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Meter Kilogram"@en-us ; + rdfs:label "Metre Kilogram"@en ; +. +unit:M-PER-FARAD + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m-per-f\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:InversePermittivity ; + qudt:symbol "m/f" ; + qudt:ucumCode "m.F-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Meter per Farad"@en-us ; + rdfs:label "Metre per Farad"@en ; +. +unit:M-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Metre per hour is a metric unit of both speed (scalar) and velocity (Vector (geometry)). Its symbol is m/h or mu00b7h-1 (not to be confused with the imperial unit symbol mph. By definition, an object travelling at a speed of 1 m/h for an hour would move 1 metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(m/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB328" ; + qudt:symbol "m/h" ; + qudt:ucumCode "m.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "m/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M60" ; + rdfs:isDefinedBy ; + rdfs:label "Meter per Hour"@en-us ; + rdfs:label "Metre per Hour"@en ; +. +unit:M-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA728" ; + qudt:symbol "m/k" ; + qudt:ucumCode "m/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F52" ; + rdfs:isDefinedBy ; + rdfs:label "Meter per Kelvin"@en-us ; + rdfs:label "Metre per Kelvin"@en ; +. +unit:M-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Meter Per Minute (m/min) is a unit in the category of Velocity. It is also known as meter/minute, meters per minute, metre per minute, metres per minute. Meter Per Minute (m/min) has a dimension of LT-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m/s by multiplying its value by a factor of 0.016666666666"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0166666667 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(m/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA732" ; + qudt:symbol "m/min" ; + qudt:ucumCode "m.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "m/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2X" ; + rdfs:isDefinedBy ; + rdfs:label "Meter per Minute"@en-us ; + rdfs:label "Metre per Minute"@en ; +. +unit:M-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description """Metre per second is an SI derived unit of both speed (scalar) and velocity (vector quantity which specifies both magnitude and a specific direction), defined by distance in metres divided by time in seconds. +The official SI symbolic abbreviation is mu00b7s-1, or equivalently either m/s."""^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticWavePhaseSpeed ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA733" ; + qudt:symbol "m/s" ; + qudt:ucumCode "m.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "m/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTS" ; + rdfs:isDefinedBy ; + rdfs:label "Meter je Sekunde"@de ; + rdfs:label "Meter per Second"@en-us ; + rdfs:label "meter na sekundo"@sl ; + rdfs:label "meter per saat"@ms ; + rdfs:label "metr na sekundę"@pl ; + rdfs:label "metr za sekundu"@cs ; + rdfs:label "metra per secundum"@la ; + rdfs:label "metre bölü saniye"@tr ; + rdfs:label "metre per second"@en ; + rdfs:label "metro al secondo"@it ; + rdfs:label "metro por segundo"@es ; + rdfs:label "metro por segundo"@pt ; + rdfs:label "metru pe secundă"@ro ; + rdfs:label "mètre par seconde"@fr ; + rdfs:label "μέτρο ανά δευτερόλεπτο"@el ; + rdfs:label "метр в секунду"@ru ; + rdfs:label "метър в секунда"@bg ; + rdfs:label "מטרים לשנייה"@he ; + rdfs:label "متر بر ثانیه"@fa ; + rdfs:label "متر في الثانية"@ar ; + rdfs:label "मीटर प्रति सैकिण्ड"@hi ; + rdfs:label "メートル毎秒"@ja ; + rdfs:label "米每秒"@zh ; +. +unit:M-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \\(\\textit{meter per Square second}\\) is the unit of acceleration in the International System of Units (SI). As a derived unit it is composed from the SI base units of length, the metre, and the standard unit of time, the second. Its symbol is written in several forms as \\(m/s^2\\), or \\(m s^{-2}\\). As acceleration, the unit is interpreted physically as change in velocity or speed per time interval, that is, \\(\\textit{metre per second per second}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA736" ; + qudt:symbol "m/s²" ; + qudt:ucumCode "m.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "m/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MSK" ; + rdfs:isDefinedBy ; + rdfs:label "Meter per Square Second"@en-us ; + rdfs:label "Metre per Square Second"@en ; +. +unit:M-PER-YR + a qudt:Unit ; + dcterms:description "A rate of change of SI standard unit length over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.16880878140289e-08 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "m/yr" ; + qudt:ucumCode "m.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Metres per year"@en ; +. +unit:M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The S I unit of area is the square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Square_metre"^^xsd:anyURI ; + qudt:expression "\\(sq-m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:hasQuantityKind quantitykind:NuclearQuadrupoleMoment ; + qudt:iec61360Code "0112/2///62720#UAA744" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Square_metre?oldid=490945508"^^xsd:anyURI ; + qudt:symbol "m²" ; + qudt:ucumCode "m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTK" ; + rdfs:isDefinedBy ; + rdfs:label "Quadratmeter"@de ; + rdfs:label "Square Meter"@en-us ; + rdfs:label "kvadratni meter"@sl ; + rdfs:label "meter persegi"@ms ; + rdfs:label "metr kwadratowy"@pl ; + rdfs:label "metrekare"@tr ; + rdfs:label "metro cuadrado"@es ; + rdfs:label "metro quadrado"@pt ; + rdfs:label "metro quadrato"@it ; + rdfs:label "metru pătrat"@ro ; + rdfs:label "metrum quadratum"@la ; + rdfs:label "mètre carré"@fr ; + rdfs:label "négyzetméter"@hu ; + rdfs:label "square metre"@en ; + rdfs:label "čtvereční metr"@cs ; + rdfs:label "τετραγωνικό μέτρο"@el ; + rdfs:label "квадратен метър"@bg ; + rdfs:label "квадратный метр"@ru ; + rdfs:label "מטר רבוע"@he ; + rdfs:label "متر مربع"@ar ; + rdfs:label "متر مربع"@fa ; + rdfs:label "वर्ग मीटर"@hi ; + rdfs:label "平方メートル"@ja ; + rdfs:label "平方米"@zh ; +. +unit:M2-HR-DEG_C-PER-KiloCAL_IT + a qudt:Unit ; + dcterms:description "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.859845 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA749" ; + qudt:plainTextDescription "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie" ; + qudt:symbol "m²⋅hr⋅°C/kcal{IT}" ; + qudt:ucumCode "m2.h.Cel/kcal_IT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L14" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter Hour Degree Celsius Per Kilocalorie (international Table)"@en-us ; + rdfs:label "Square Metre Hour Degree Celsius Per Kilocalorie (international Table)"@en ; +. +unit:M2-HZ + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:symbol "m²⋅Hz" ; + qudt:ucumCode "m2.Hz"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres Hertz"@en ; +. +unit:M2-HZ2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz²" ; + qudt:ucumCode "m2.Hz2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Metres square Hertz"@en ; +. +unit:M2-HZ3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz³" ; + qudt:ucumCode "m2.Hz3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres cubic Hertz"@en ; +. +unit:M2-HZ4 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-4D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz⁴" ; + qudt:ucumCode "m2.Hz4"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres Hertz^4"@en ; +. +unit:M2-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Meter Kelvin} is a unit for 'Area Temperature' expressed as \\(m^{2}-K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2}-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:symbol "m²⋅K" ; + qudt:ucumCode "m2.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter Kelvin"@en-us ; + rdfs:label "Square Metre Kelvin"@en ; +. +unit:M2-K-PER-W + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Square Meter Kelvin per Watt} is a unit for 'Thermal Insulance' expressed as \\((K^{2})m/W\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\((K^{2})m/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA746" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:symbol "(K²)m/W" ; + qudt:ucumCode "m2.K.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D19" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter Kelvin per Watt"@en-us ; + rdfs:label "Square Metre Kelvin per Watt"@en ; +. +unit:M2-PER-GM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificSurfaceArea ; + qudt:symbol "m²/g" ; + qudt:ucumCode "m2.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per gram"@en ; +. +unit:M2-PER-GM_DRY + a qudt:Unit ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; + qudt:symbol "m²/g{dry sediment}" ; + qudt:ucumCode "m2.g-1{dry}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per gram of dry sediment"@en ; +. +unit:M2-PER-HA + a qudt:Unit ; + dcterms:description "Square metres per hectare."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AreaRatio ; + qudt:plainTextDescription "Square metres per hectare." ; + qudt:symbol "m²/ha" ; + qudt:ucumCode "m2.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "square meters per hectare"@en-us ; + rdfs:label "square metres per hectare"@en ; +. +unit:M2-PER-HZ + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/Hz" ; + qudt:ucumCode "m2.Hz-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per Hertz"@en ; +. +unit:M2-PER-HZ-DEG + a qudt:Unit ; + qudt:conversionMultiplier 57.2957795130823 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/(Hz⋅°)" ; + qudt:ucumCode "m2.Hz-1.deg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per Hertz per degree"@en ; +. +unit:M2-PER-HZ2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/Hz²" ; + qudt:ucumCode "m2.Hz-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per square Hertz"@en ; +. +unit:M2-PER-J + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/j\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:SpectralCrossSection ; + qudt:iec61360Code "0112/2///62720#UAA745" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/j" ; + qudt:ucumCode "m2.J-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D20" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Joule"@en-us ; + rdfs:label "Square Metre per Joule"@en ; +. +unit:M2-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m2-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaThermalExpansion ; + qudt:symbol "m²/k" ; + qudt:ucumCode "m2.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Kelvin"@en-us ; + rdfs:label "Square Metre per Kelvin"@en ; +. +unit:M2-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Square Meter Per Kilogram (m2/kg) is a unit in the category of Specific Area. It is also known as square meters per kilogram, square metre per kilogram, square metres per kilogram, square meter/kilogram, square metre/kilogram. This unit is commonly used in the SI unit system. Square Meter Per Kilogram (m2/kg) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:MassEnergyTransferCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificSurfaceArea ; + qudt:iec61360Code "0112/2///62720#UAA750" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/kg" ; + qudt:ucumCode "m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D21" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Kilogram"@en-us ; + rdfs:label "Square Metre per Kilogram"@en ; +. +unit:M2-PER-M2 + a qudt:Unit ; + dcterms:description "A square metre unit of area per square metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AreaRatio ; + qudt:plainTextDescription "A square metre unit of area per square metre" ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:symbol "m²/m²" ; + rdfs:isDefinedBy ; + rdfs:label "square meter per square meter"@en-us ; + rdfs:label "square metre per square metre"@en ; +. +unit:M2-PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Square Meter Per Mole (m2/mol) is a unit in the category of Specific Area. It is also known as square meters per mole, square metre per per, square metres per per, square meter/per, square metre/per. This unit is commonly used in the SI unit system. Square Meter Per Mole (m2/mol) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/mol\\)"^^qudt:LatexString ; + qudt:expression "\\(m^{2}/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:MolarAttenuationCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA751" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/mol" ; + qudt:ucumCode "m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D22" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Mole"@en-us ; + rdfs:label "Square Metre per Mole"@en ; +. +unit:M2-PER-N + a qudt:Unit ; + dcterms:description "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:iec61360Code "0112/2///62720#UAB492" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton" ; + qudt:symbol "m²/N" ; + qudt:ucumCode "m2.N-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H59" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter Per Newton"@en-us ; + rdfs:label "Square Metre Per Newton"@en ; +. +unit:M2-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(Square Metres per second is the SI derived unit of angular momentum, defined by distance or displacement in metres multiplied by distance again in metres and divided by time in seconds. The unit is written in symbols as m2/s or m2u00b7s-1 or m2s-1. It may be better understood when phrased as \"metres per second times metres\", i.e. the momentum of an object with respect to a position.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2} s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:hasQuantityKind quantitykind:DiffusionCoefficient ; + qudt:hasQuantityKind quantitykind:NeutronDiffusionCoefficient ; + qudt:hasQuantityKind quantitykind:ThermalDiffusionRatioCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA752" ; + qudt:symbol "m²/s" ; + qudt:ucumCode "m2.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "m2/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "S4" ; + rdfs:isDefinedBy ; + rdfs:label "Quadratmeter je Sekunde"@de ; + rdfs:label "Square Meter per Second"@en-us ; + rdfs:label "kvadratni meter na sekundo"@sl ; + rdfs:label "meter persegi per saat"@ms ; + rdfs:label "metr kwadratowy na sekundę"@pl ; + rdfs:label "metrekare bölü saniye"@tr ; + rdfs:label "metro cuadrado por segundo"@es ; + rdfs:label "metro quadrado por segundo"@pt ; + rdfs:label "metro quadrato al secondo"@it ; + rdfs:label "metru pătrat pe secundă"@ro ; + rdfs:label "mètre carré par seconde"@fr ; + rdfs:label "square metre per second"@en ; + rdfs:label "čtvereční metr za sekundu"@cs ; + rdfs:label "квадратный метр в секунду"@ru ; + rdfs:label "متر مربع بر ثانیه"@fa ; + rdfs:label "متر مربع في الثانية"@ar ; + rdfs:label "वर्ग मीटर प्रति सैकिण्ड"@hi ; + rdfs:label "平方メートル毎秒"@ja ; + rdfs:label "平方米每秒"@zh ; +. +unit:M2-PER-SEC2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/s²" ; + qudt:ucumCode "m2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metres per square second"@en ; +. +unit:M2-PER-SR + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularCrossSection ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/sr" ; + qudt:ucumCode "m2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D24" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Steradian"@en-us ; + rdfs:label "Square Metre per Steradian"@en ; +. +unit:M2-PER-SR-J + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/sr-j\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:SpectralAngularCrossSection ; + qudt:iec61360Code "0112/2///62720#UAA756" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/(sr⋅J)" ; + qudt:ucumCode "m2.sr-1.J-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D25" ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter per Steradian Joule"@en-us ; + rdfs:label "Square Metre per Steradian Joule"@en ; +. +unit:M2-PER-V-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/v-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Mobility ; + qudt:iec61360Code "0112/2///62720#UAA748" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/(V⋅s)" ; + qudt:ucumCode "m2.V-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D26" ; + rdfs:isDefinedBy ; + rdfs:label "Quadratmeter je Volt und Sekunde"@de ; + rdfs:label "Square Meter per Volt Second"@en-us ; + rdfs:label "metro quadrato al volt e al secondo"@it ; + rdfs:label "square metre per volt second"@en ; +. +unit:M2-SEC-PER-RAD + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅s/rad" ; + qudt:ucumCode "m2.s.rad-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square metre seconds per radian"@en ; +. +unit:M2-SR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Square Meter Steradian\" is a unit for 'Area Angle' expressed as \\(m^{2}-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2}-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AreaAngle ; + qudt:symbol "m²⋅sr" ; + qudt:ucumCode "m2.sr"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Meter Steradian"@en-us ; + rdfs:label "Square Metre Steradian"@en ; +. +unit:M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of volume, equal to 1.0e6 cm3, 1000 liters, 35.3147 ft3, or 1.30795 yd3. A cubic meter holds about 264.17 U.S. liquid gallons or 219.99 British Imperial gallons."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cubic_metre"^^xsd:anyURI ; + qudt:expression "\\(m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SectionModulus ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA757" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cubic_metre?oldid=490956678"^^xsd:anyURI ; + qudt:symbol "m³" ; + qudt:ucumCode "m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter"@en-us ; + rdfs:label "Kubikmeter"@de ; + rdfs:label "cubic metre"@en ; + rdfs:label "kubični meter"@sl ; + rdfs:label "meter kubik"@ms ; + rdfs:label "metr krychlový"@cs ; + rdfs:label "metr sześcienny"@pl ; + rdfs:label "metreküp"@tr ; + rdfs:label "metro cubo"@it ; + rdfs:label "metro cúbico"@es ; + rdfs:label "metro cúbico"@pt ; + rdfs:label "metru cub"@ro ; + rdfs:label "metrum cubicum"@la ; + rdfs:label "mètre cube"@fr ; + rdfs:label "κυβικό μετρο"@el ; + rdfs:label "кубичен метър"@bg ; + rdfs:label "кубический метр"@ru ; + rdfs:label "מטר מעוקב"@he ; + rdfs:label "متر مكعب"@ar ; + rdfs:label "متر مکعب"@fa ; + rdfs:label "घन मीटर"@hi ; + rdfs:label "立方メートル"@ja ; + rdfs:label "立方米"@zh ; +. +unit:M3-PER-C + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^3/c\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:HallCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB143" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "m³/C" ; + qudt:ucumCode "m3.C-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A38" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Coulomb"@en-us ; + rdfs:label "Cubic Metre per Coulomb"@en ; +. +unit:M3-PER-DAY + a qudt:Unit ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA760" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit day" ; + qudt:symbol "m³/day" ; + qudt:ucumCode "m3.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G52" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter Per Day"@en-us ; + rdfs:label "Cubic Metre Per Day"@en ; +. +unit:M3-PER-HA + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:VolumePerArea ; + qudt:iec61360Code "0112/2///62720#UAA757" ; + qudt:symbol "m³/ha" ; + qudt:ucumCode "m3.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Hectare"@en-us ; + rdfs:label "Cubic Metre per Hectare"@en ; +. +unit:M3-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Cubic Meter Per Hour (m3/h) is a unit in the category of Volume flow rate. It is also known as cubic meters per hour, cubic metre per hour, cubic metres per hour, cubic meter/hour, cubic metre/hour, cubic meter/hr, cubic metre/hr, flowrate. Cubic Meter Per Hour (m3/h) has a dimension of L3T-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m3/s by multiplying its value by a factor of 0.00027777777."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0002777777777777778 ; + qudt:expression "\\(m^{3}/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA763" ; + qudt:symbol "m³/hr" ; + qudt:ucumCode "m3.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "m3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MQH" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Hour"@en-us ; + rdfs:label "Cubic Metre per Hour"@en ; +. +unit:M3-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m3-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA758" ; + qudt:symbol "m³/K" ; + qudt:ucumCode "m3.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G29" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Kelvin"@en-us ; + rdfs:label "Cubic Metre per Kelvin"@en ; +. +unit:M3-PER-KiloGM + a qudt:Unit ; + dcterms:description "Cubic Meter Per Kilogram (m3/kg) is a unit in the category of Specific volume. It is also known as cubic meters per kilogram, cubic metre per kilogram, cubic metres per kilogram, cubic meter/kilogram, cubic metre/kilogram. This unit is commonly used in the SI unit system. Cubic Meter Per Kilogram (m3/kg) has a dimension of M-1L3 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3}/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAA766" ; + qudt:symbol "m³/kg" ; + qudt:ucumCode "m3.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "m3/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A39" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Kilogram"@en-us ; + rdfs:label "Cubic Metre per Kilogram"@en ; +. +unit:M3-PER-KiloGM-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3} kg^{-1} s^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m³/(kg⋅s²)" ; + qudt:ucumCode "m3.(kg.s2)-1"^^qudt:UCUMcs ; + qudt:ucumCode "m3.kg-1.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "m3/(kg.s2)"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Kilogram Square Second"@en-us ; + rdfs:label "Cubic Metre per Kilogram Square Second"@en ; +. +unit:M3-PER-M2 + a qudt:Unit ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:VolumePerArea ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "m³/m²" ; + qudt:ucumCode "m3.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H60" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter Per Square Meter"@en-us ; + rdfs:label "Cubic Metre Per Square Metre"@en ; +. +unit:M3-PER-M3 + a qudt:Unit ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA767" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "m³/m³" ; + qudt:ucumCode "m3.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H60" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter Per Cubic Meter"@en-us ; + rdfs:label "Cubic Metre Per Cubic Metre"@en ; +. +unit:M3-PER-MIN + a qudt:Unit ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA768" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit minute" ; + qudt:symbol "m³/min" ; + qudt:ucumCode "m3.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G53" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter Per Minute"@en-us ; + rdfs:label "Cubic Metre Per Minute"@en ; +. +unit:M3-PER-MOL + a qudt:Unit ; + dcterms:description "

The molar volume, symbol \\(Vm\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (M) divided by the mass density. It has the SI unit cubic metres per mole \\(m3/mol\\), although it is more practical to use the units cubic decimetres per mole \\(dm3/mol\\) for gases and cubic centimetres per mole \\(cm3/mol\\) for liquids and solids

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3} mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA771" ; + qudt:symbol "m³/mol" ; + qudt:ucumCode "m3.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "m3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A40" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Mole"@en-us ; + rdfs:label "Kubikmeter je Mol"@de ; + rdfs:label "cubic metre per mole"@en ; + rdfs:label "kubični meter na mol"@sl ; + rdfs:label "meter kubik per mole"@ms ; + rdfs:label "metr krychlový na mol"@cs ; + rdfs:label "metr sześcienny na mol"@pl ; + rdfs:label "metreküp bölü metre küp"@tr ; + rdfs:label "metro cubo alla mole"@it ; + rdfs:label "metro cúbico por mol"@es ; + rdfs:label "metro cúbico por mol"@pt ; + rdfs:label "metru cub pe mol"@ro ; + rdfs:label "mètre cube par mole"@fr ; + rdfs:label "кубический метр на моль"@ru ; + rdfs:label "متر مكعب لكل مول"@ar ; + rdfs:label "متر مکعب بر مول"@fa ; + rdfs:label "घन मीटर प्रति मोल (इकाई)"@hi ; + rdfs:label "立方メートル 毎立方メートル"@ja ; + rdfs:label "立方米每摩尔"@zh ; +. +unit:M3-PER-MOL-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit that is the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate ; + qudt:hasQuantityKind quantitykind:SecondOrderReactionRateConstant ; + qudt:symbol "m³/(mol⋅s)" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Centimeter per Mole Second"@en ; + rdfs:label "Cubic Centimeter per Mole Second"@en-us ; +. +unit:M3-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A cubic metre per second (\\(m^{3}s^{-1}, m^{3}/s\\)), cumecs or cubic meter per second in American English) is a derived SI unit of flow rate equal to that of a stere or cube with sides of one metre ( u0303 39.37 in) in length exchanged or moving each second. It is popularly used for water flow, especially in rivers and streams, and fractions for HVAC values measuring air flow."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:RecombinationCoefficient ; + qudt:hasQuantityKind quantitykind:SoundVolumeVelocity ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA772" ; + qudt:symbol "m³/s" ; + qudt:ucumCode "m3.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "m3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MQS" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Second"@en-us ; + rdfs:label "Cubic Metre per Second"@en ; +. +unit:M3-PER-SEC2 + a qudt:Unit ; + dcterms:description "\\(\\textit{Cubic Meter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(m^3/s^2\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^3/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:symbol "m³/s²" ; + qudt:ucumCode "m3.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "m3/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Meter per Square Second"@en-us ; + rdfs:label "Cubic Metre per Square Second"@en ; +. +unit:M4 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit associated with area moments of inertia."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quartic_metre"^^xsd:anyURI ; + qudt:expression "\\(m^{4}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; + qudt:symbol "m⁴" ; + qudt:ucumCode "m4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B83" ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Meter"@en-us ; + rdfs:label "Quartic Metre"@en ; +. +unit:M4-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m⁴/s" ; + qudt:ucumCode "m4.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Metres to the power four per second"@en ; +. +unit:M5 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{5}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SectionAreaIntegral ; + qudt:symbol "m⁵" ; + rdfs:isDefinedBy ; + rdfs:label "Quintic Meter"@en-us ; + rdfs:label "Quintic Metre"@en ; +. +unit:M6 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{6}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:WarpingConstant ; + qudt:symbol "m⁶" ; + rdfs:isDefinedBy ; + rdfs:label "Sextic Meter"@en-us ; + rdfs:label "Sextic Metre"@en ; +. +unit:MACH + a qudt:DimensionlessUnit ; + a qudt:Unit ; + dcterms:description "\"Mach\" is a unit for 'Dimensionless Ratio' expressed as \\(mach\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mach"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MachNumber ; + qudt:iec61360Code "0112/2///62720#UAB595" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mach?oldid=492058934"^^xsd:anyURI ; + qudt:symbol "Mach" ; + rdfs:isDefinedBy ; + rdfs:label "Mach"@en ; +. +unit:MDOLLAR-PER-FLIGHT + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:isReplacedBy unit:MegaDOLLAR_US-PER-FLIGHT ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:deprecated true ; + qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; + qudt:symbol "$M/flight" ; + rdfs:isDefinedBy ; + rdfs:label "Million US Dollars per Flight"@en ; +. +unit:MESH + a qudt:Unit ; + dcterms:description "\"Mesh\" is a measure of particle size or fineness of a woven product."@en ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mesh_(scale)"^^xsd:anyURI ; + qudt:symbol "mesh" ; + qudt:ucumCode "[mesh_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "57" ; + rdfs:isDefinedBy ; + rdfs:label "Mesh"@en ; +. +unit:MHO + a qudt:Unit ; + dcterms:description "\"Mho\" is a C.G.S System unit for 'Electric Conductivity' expressed as \\(mho\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Siemens_%28unit%29"^^xsd:anyURI ; + qudt:exactMatch unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:iec61360Code "0112/2///62720#UAB200" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "℧" ; + qudt:ucumCode "mho"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NQ" ; + rdfs:isDefinedBy ; + rdfs:label "Mho"@en ; +. +unit:MHO_Stat + a qudt:Unit ; + dcterms:description "\"StatMHO\" is the unit of conductance, admittance, and susceptance in the C.G.S e.s.u system of units. One \\(statmho\\) is the conductance between two points in a conductor when a constant potential difference of \\(1 \\; statvolt\\) applied between the points produces in the conductor a current of \\(1 \\; statampere\\), the conductor not being the source of any electromotive force, approximately \\(1.1126 \\times 10^{-12} mho\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.1126e-12 ; + qudt:exactMatch unit:S_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "stat℧" ; + rdfs:isDefinedBy ; + rdfs:label "Statmho"@en ; +. +unit:MI + a qudt:Unit ; + dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002% less than the US survey mile)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1609.344 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; + qudt:symbol "mi" ; + qudt:ucumCode "[mi_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "mi" ; + qudt:uneceCommonCode "SMI" ; + rdfs:isDefinedBy ; + rdfs:label "International Mile"@en ; +. +unit:MI-PER-HR + a qudt:Unit ; + dcterms:description "Miles per hour is an imperial unit of speed expressing the number of statute miles covered in one hour. It is currently the standard unit used for speed limits, and to express speeds generally, on roads in the United Kingdom and the United States. A common abbreviation is mph or MPH."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.44704 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Miles_per_hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(mi/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB111" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Miles_per_hour?oldid=482840548"^^xsd:anyURI ; + qudt:symbol "mi/hr" ; + qudt:ucumCode "[mi_i].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[mi_i]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HM" ; + rdfs:isDefinedBy ; + rdfs:label "Mile per Hour"@en ; +. +unit:MI-PER-MIN + a qudt:Unit ; + dcterms:description "Miles per minute is an imperial unit of speed expressing the number of statute miles covered in one minute."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 26.8224 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(mi/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB229" ; + qudt:symbol "mi/min" ; + qudt:ucumCode "[mi_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[mi_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M57" ; + rdfs:isDefinedBy ; + rdfs:label "Mile per Minute"@en ; +. +unit:MI-PER-SEC + a qudt:Unit ; + dcterms:description "Miles per second is an imperial unit of speed expressing the number of statute miles covered in one second."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1609.344 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(mi/sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "mi/sec" ; + qudt:ucumCode "[mi_i].sec-1"^^qudt:UCUMcs ; + qudt:ucumCode "[mi_i]/sec"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mile per Second"@en ; +. +unit:MI2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The square mile (abbreviated as sq mi and sometimes as mi) is an imperial and US unit of measure for an area equal to the area of a square of one statute mile. It should not be confused with miles square, which refers to the number of miles on each side squared. For instance, 20 miles square (20 × 20 miles) is equal to 400 square miles. One square mile is equivalent to: 4,014,489,600 square inches 27,878,400 square feet, 3,097,600 square yards, 640 acres, 258.9988110336 hectares, 2560 roods, 25,899,881,103.36 square centimetres, 2,589,988.110336 square metres, 2.589988110336 square kilometres When applied to a portion of the earth's surface, which is curved rather than flat, 'square mile' is an informal synonym for section."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.58998811e06 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(square-mile\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB050" ; + qudt:symbol "mi²" ; + qudt:ucumCode "[mi_i]2"^^qudt:UCUMcs ; + qudt:ucumCode "[mi_us]2"^^qudt:UCUMcs ; + qudt:ucumCode "[smi_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MIK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Mile"@en ; +. +unit:MI3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A cubic mile is an imperial / U.S. customary unit of volume, used in the United States, Canada, and the United Kingdom. It is defined as the volume of a cube with sides of 1 mile in length. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.168181830e09 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(mi^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "mi³" ; + qudt:ucumCode "[mi_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M69" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Mile"@en ; +. +unit:MIL + a qudt:Unit ; + dcterms:description "The Mil unit of plane angle, as defined by NATO to be 1/6400 of a circle."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000490873852 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:symbol "mil{NATO}" ; + rdfs:isDefinedBy ; + rdfs:label "Mil Angle (NATO)"@en ; +. +unit:MIL_Circ + a qudt:Unit ; + dcterms:description "A circular mil is a unit of area, equal to the area of a circle with a diameter of one mil (one thousandth of an inch). It is a convenient unit for referring to the area of a wire with a circular cross section, because the area in circular mils can be calculated without reference to pi (\\(\\pi\\)). The area in circular mils, A, of a circle with a diameter of d mils, is given by the formula: Electricians in Canada and the United States are familiar with the circular mil because the National Electrical Code (NEC) uses the circular mil to define wire sizes larger than 0000 AWG. In many NEC publications and uses, large wires may be expressed in thousands of circular mils, which is abbreviated in two different ways: MCM or kcmil. For example, one common wire size used in the NEC has a cross-section of 250,000 circular mils, written as 250 kcmil or 250 MCM, which is the first size larger than 0000 AWG used within the NEC. "^^qudt:LatexString ; + qudt:conversionMultiplier 5.067075e-10 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAB207" ; + qudt:omUnit ; + qudt:symbol "cmil" ; + qudt:ucumCode "[cml_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M47" ; + rdfs:isDefinedBy ; + rdfs:label "Circular Mil"@en ; +. +unit:MIN + a qudt:Unit ; + dcterms:description "A minute is a unit of measurement of time. The minute is a unit of time equal to 1/60 (the first sexagesimal fraction of an hour or 60 seconds. In the UTC time scale, a minute on rare occasions has 59 or 61 seconds; see leap second. The minute is not an SI unit; however, it is accepted for use with SI units. The SI symbol for minute or minutes is min (for time measurement) or the prime symbol after a number, e.g. 5' (for angle measurement, even if it is informally used for time)."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 60.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA842" ; + qudt:omUnit ; + qudt:symbol "min" ; + qudt:ucumCode "min"^^qudt:UCUMcs ; + qudt:udunitsCode "min" ; + qudt:uneceCommonCode "MIN" ; + rdfs:isDefinedBy ; + rdfs:label "Minute"@en ; +. +unit:MIN_Angle + a qudt:Unit ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0002908882 ; + qudt:exactMatch unit:ARCMIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA097" ; + qudt:symbol "'" ; + qudt:ucumCode "'"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D61" ; + rdfs:isDefinedBy ; + rdfs:label "Minute Angle"@en ; +. +unit:MIN_Sidereal + a qudt:Unit ; + dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about \\(23 h 56 m 4.1 s\\) in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Minute is \\(1/60^{th}\\) of a Sidereal Hour, which is \\(1/24^{th}\\) of a Sidereal Day."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 59.83617 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; + qudt:symbol "min{sidereal}" ; + qudt:ucumCode "min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Sidereal Minute"@en ; +. +unit:MI_N + a qudt:Unit ; + dcterms:description "A unit of distance used primarily at sea and in aviation. The nautical mile is defined to be the average distance on the Earth's surface represented by one minute of latitude. In 1929 an international conference in Monaco redefined the nautical mile to be exactly 1852 meters or 6076.115 49 feet, a distance known as the international nautical mile. The international nautical mile equals about 1.1508 statute miles. There are usually 3 nautical miles in a league. The unit is designed to equal 1/60 degree, although actual degrees of latitude vary from about 59.7 to 60.3 nautical miles. (Note: using data from the Geodetic Reference System 1980, the \"true\" length of a nautical mile would be 1852.216 meters.)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1852.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB065" ; + qudt:symbol "nmi" ; + qudt:ucumCode "[nmi_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NMI" ; + rdfs:isDefinedBy ; + rdfs:label "Nautical Mile"@en ; +. +unit:MI_N-PER-HR + a qudt:Unit ; + dcterms:description "The knot is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation kn is preferred by the International Hydrographic Organization (IHO), which includes every major seafaring nation; but the abbreviations kt (singular) and kts (plural) are also widely used conflicting with the SI symbol for kilotonne which is also \"kt\". The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation-for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.514444 ; + qudt:exactMatch unit:KN ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "nmi/hr" ; + qudt:ucumCode "[nmi_i].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[nmi_i]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nautical Mile per Hour"@en ; +. +unit:MI_N-PER-MIN + a qudt:Unit ; + dcterms:description """The SI derived unit for speed is the meter/second. +1 meter/second is equal to 0.0323974082073 nautical mile per minute. """^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(nmi/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:symbol "nmi/min" ; + qudt:ucumCode "[nmi_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[nmi_i]/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nautical Mile per Minute"@en ; +. +unit:MI_US + a qudt:Unit ; + dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002\\% less than the US survey mile)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1609.347 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; + qudt:symbol "mi{US}" ; + qudt:ucumCode "[mi_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M52" ; + rdfs:isDefinedBy ; + rdfs:label "Mile US Statute"@en ; +. +unit:MO + a qudt:Unit ; + dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks. Also known as the 'Synodic Month' and calculated as 29.53059 days."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.551442976e06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Month"^^xsd:anyURI ; + qudt:exactMatch unit:MO_Synodic ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA880" ; + qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Month"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "mo" ; + qudt:ucumCode "mo"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MON" ; + rdfs:isDefinedBy ; + rdfs:label "Month"@en ; +. +unit:MOHM + a qudt:Unit ; + dcterms:description "A unit of mechanical mobility for sound waves, being the reciprocal of the mechanical ohm unit of impedance, i.e., for an acoustic medium, the ratio of the flux or volumic speed (area times particle speed) of the resulting waves through it to the effective sound pressure (i.e. force) causing them, the unit being qualified, according to the units used, as m.k.s. or c.g.s. The mechanical ohm is equivalent to \\(1\\,dyn\\cdot\\,s\\cdot cm^{-1}\\) or \\(10^{-3} N\\cdot s\\cdot m^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(mohm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:MechanicalMobility ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-914"^^xsd:anyURI ; + qudt:latexDefinition "\\(1\\:{mohm_{cgs}} = 1\\:\\frac {cm} {dyn.s}\\: (=\\:1\\:\\frac s g \\:in\\:base\\:c.g.s.\\:terms)\\)"^^qudt:LatexString ; + qudt:latexDefinition "\\(1\\:{mohm_{mks}} = 10^{3}\\:\\frac m {N.s}\\:(=\\:10^{3}\\: \\frac s {kg}\\:in\\:base\\:m.k.s.\\:terms)\\)"^^qudt:LatexString ; + qudt:symbol "mohm" ; + rdfs:isDefinedBy ; + rdfs:label "Mohm"@en ; +. +unit:MOL + a qudt:Unit ; + dcterms:description "The mole is a unit of measurement used in chemistry to express amounts of a chemical substance. The official definition, adopted as part of the SI system in 1971, is that one mole of a substance contains just as many elementary entities (atoms, molecules, ions, or other kinds of particles) as there are atoms in 12 grams of carbon-12 (carbon-12 is the most common atomic form of carbon, consisting of atoms having 6 protons and 6 neutrons). This corresponds to a value of \\(6.02214179(30) \\times 10^{23}\\) elementary entities of the substance. It is one of the base units in the International System of Units, and has the unit symbol \\(mol\\). A Mole is the SI base unit of the amount of a substance (as distinct from its mass or weight). Moles measure the actual number of atoms or molecules in an object. An earlier name is gram molecular weight, because one mole of a chemical compound is the same number of grams as the molecular weight of a molecule of that compound measured in atomic mass units."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_%28unit%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasQuantityKind quantitykind:ExtentOfReaction ; + qudt:iec61360Code "0112/2///62720#UAA882" ; + qudt:iec61360Code "0112/2///62720#UAD716" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mole_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "mol" ; + qudt:ucumCode "mol"^^qudt:UCUMcs ; + qudt:udunitsCode "mol" ; + qudt:uneceCommonCode "C34" ; + rdfs:isDefinedBy ; + rdfs:label "Mol"@de ; + rdfs:label "mol"@cs ; + rdfs:label "mol"@es ; + rdfs:label "mol"@pl ; + rdfs:label "mol"@pt ; + rdfs:label "mol"@ro ; + rdfs:label "mol"@sl ; + rdfs:label "mol"@tr ; + rdfs:label "mole"@en ; + rdfs:label "mole"@fr ; + rdfs:label "mole"@it ; + rdfs:label "mole"@ms ; + rdfs:label "moles"@la ; + rdfs:label "mól"@hu ; + rdfs:label "μολ"@el ; + rdfs:label "мол"@bg ; + rdfs:label "моль"@ru ; + rdfs:label "מול"@he ; + rdfs:label "مول"@ar ; + rdfs:label "مول"@fa ; + rdfs:label "मोल (इकाई)"@hi ; + rdfs:label "モル"@ja ; + rdfs:label "摩尔"@zh ; +. +unit:MOL-DEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Mole Degree Celsius} is a C.G.S System unit for 'Temperature Amount Of Substance' expressed as \\(mol-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(mol-deg-c\\)"^^qudt:LatexString ; + qudt:expression "\\(mol-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:symbol "mol⋅°C" ; + qudt:ucumCode "mol.Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mole Degree Celsius"@en ; +. +unit:MOL-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

Mole Kelvin is a unit for \\textit{'Temperature Amount Of Substance'} expressed as \\(mol-K\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:symbol "mol⋅K" ; + qudt:ucumCode "mol.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mole Kelvin"@en ; +. +unit:MOL-PER-DeciM3 + a qudt:Unit ; + dcterms:description "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA883" ; + qudt:plainTextDescription "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mol/dm³" ; + qudt:ucumCode "mol.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C35" ; + rdfs:isDefinedBy ; + rdfs:label "Mole Per Cubic Decimeter"@en-us ; + rdfs:label "Mole Per Cubic Decimetre"@en ; +. +unit:MOL-PER-GM-HR + a qudt:Unit ; + dcterms:description "SI unit of the quantity of matter per SI unit of mass per unit of time expressed in hour."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(g⋅hr)" ; + qudt:ucumCode "mol.g-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per gram per hour"@en ; +. +unit:MOL-PER-HR + a qudt:Unit ; + dcterms:description "SI base unit mole divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA884" ; + qudt:plainTextDescription "SI base unit mole divided by the unit for time hour" ; + qudt:symbol "mol/hr" ; + qudt:ucumCode "mol.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L23" ; + rdfs:isDefinedBy ; + rdfs:label "Mole Per Hour"@en ; +. +unit:MOL-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Mole Per Kilogram (\\(mol/kg\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mol/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:hasQuantityKind quantitykind:MolalityOfSolute ; + qudt:symbol "mol/kg" ; + qudt:ucumCode "mol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C19" ; + rdfs:isDefinedBy ; + rdfs:label "Mol per Kilogram"@en ; +. +unit:MOL-PER-KiloGM-PA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Mole Per Kilogram Pascal (\\(mol/kg-pa\\)) is a unit of Molar Mass variation due to Pressure."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(mol/(kg.pa)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; + qudt:iec61360Code "0112/2///62720#UAB317" ; + qudt:symbol "mol/(kg⋅Pa)" ; + qudt:ucumCode "mol.kg-1.Pa-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P51" ; + rdfs:isDefinedBy ; + rdfs:label "Mole per Kilogram Pascal"@en ; +. +unit:MOL-PER-L + a qudt:Unit ; + dcterms:description "SI base unit mol divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA888" ; + qudt:plainTextDescription "SI base unit mol divided by the unit litre" ; + qudt:symbol "mol/L" ; + qudt:ucumCode "mol.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "mol/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C38" ; + rdfs:isDefinedBy ; + rdfs:label "Mole Per Liter"@en-us ; + rdfs:label "Mole Per Litre"@en ; +. +unit:MOL-PER-M2 + a qudt:Unit ; + dcterms:description "SI unit of quantity of matter per SI unit area."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/m²" ; + qudt:ucumCode "mol.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre"@en ; +. +unit:MOL-PER-M2-DAY + a qudt:Unit ; + dcterms:description "quantity of matter per unit area per unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-05 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅day)" ; + qudt:ucumCode "mol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre per day" ; +. +unit:MOL-PER-M2-SEC + a qudt:Unit ; + dcterms:description "SI unit of quantity of matter per SI unit area per SI unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s)" ; + qudt:ucumCode "mol.m-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre per second"@en ; +. +unit:MOL-PER-M2-SEC-M + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅m)" ; + qudt:ucumCode "mol.m-2.s-1.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre per second per metre"@en ; +. +unit:MOL-PER-M2-SEC-M-SR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅m⋅sr)" ; + qudt:ucumCode "mol.m-2.s-1.m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre per second per metre per steradian"@en ; +. +unit:MOL-PER-M2-SEC-SR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅sr)" ; + qudt:ucumCode "mol.m-2.s-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per square metre per second per steradian"@en ; +. +unit:MOL-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI derived unit for amount-of-substance concentration is the mole/cubic meter."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mol/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA891" ; + qudt:symbol "mol/m³" ; + qudt:ucumCode "mol.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "mol/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C36" ; + rdfs:isDefinedBy ; + rdfs:label "Mole per Cubic Meter"@en-us ; + rdfs:label "Mole per Cubic Metre"@en ; +. +unit:MOL-PER-M3-SEC + a qudt:Unit ; + dcterms:description "SI unit of quantity of matter per SI unit volume per SI unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m³⋅s)" ; + qudt:ucumCode "mol.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per cubic metre per second"@en ; +. +unit:MOL-PER-MIN + a qudt:Unit ; + dcterms:description "SI base unit mole divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.016666667 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA894" ; + qudt:plainTextDescription "SI base unit mole divided by the unit for time minute" ; + qudt:symbol "mol/min" ; + qudt:ucumCode "mol.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L30" ; + rdfs:isDefinedBy ; + rdfs:label "Mole Per Minute"@en ; +. +unit:MOL-PER-MOL + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "mol/mol" ; + qudt:ucumCode "mol.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Moles per mole"@en ; +. +unit:MOL-PER-SEC + a qudt:Unit ; + dcterms:description "SI base unit mol divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA895" ; + qudt:plainTextDescription "SI base unit mol divided by the SI base unit second" ; + qudt:symbol "mol/s" ; + qudt:ucumCode "mol.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "mol/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E95" ; + rdfs:isDefinedBy ; + rdfs:label "Mole Per Second"@en ; +. +unit:MOL-PER-TONNE + a qudt:Unit ; + dcterms:description "Mole Per Tonne (mol/t) is a unit of Molality"^^rdf:HTML ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:plainTextDescription "Mole Per Tonne (mol/t) is a unit of Molality" ; + qudt:symbol "mol/t" ; + qudt:ucumCode "mol.t-1"^^qudt:UCUMcs ; + qudt:ucumCode "mol/t"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mol per Tonne"@en ; +. +unit:MO_MeanGREGORIAN + a qudt:Unit ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; + qudt:ucumCode "mo_g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MON" ; + rdfs:isDefinedBy ; + rdfs:label "Mean Gregorian Month"@en ; +. +unit:MO_MeanJulian + a qudt:Unit ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; + qudt:ucumCode "mo_j"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mean Julian Month"@en ; +. +unit:MO_Synodic + a qudt:Unit ; + dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks and calculated as 29.53059 days."^^rdf:HTML ; + qudt:exactMatch unit:MO ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI ; + qudt:ucumCode "mo_s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Synodic month"@en ; +. +unit:MX + a qudt:Unit ; + dcterms:description "\"Maxwell\" is a C.G.S System unit for 'Magnetic Flux' expressed as \\(Mx\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maxwell"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB155" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maxwell?oldid=478391976"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Mx" ; + qudt:ucumCode "Mx"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B65" ; + rdfs:isDefinedBy ; + rdfs:label "Maxwell"@en ; +. +unit:MebiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The mebibyte is a multiple of the unit byte for digital information equivalent to \\(1024^{2} bytes\\) or \\(2^{20} bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.814539984022601702139868711921e05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Mebi ; + qudt:symbol "MiB" ; + qudt:uneceCommonCode "E63" ; + rdfs:isDefinedBy ; + rdfs:label "Mebibyte"@en ; +. +unit:MegaA + a qudt:Unit ; + dcterms:description "1 000 000-fold of the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA202" ; + qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MA" ; + qudt:ucumCode "MA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H38" ; + rdfs:isDefinedBy ; + rdfs:label "Megaampere"@en ; +. +unit:MegaA-PER-M2 + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA203" ; + qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mol/m²" ; + qudt:ucumCode "MA.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B66" ; + rdfs:isDefinedBy ; + rdfs:label "Megaampere Per Square Meter"@en-us ; + rdfs:label "Megaampere Per Square Metre"@en ; +. +unit:MegaBAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix:Mega ; + qudt:symbol "Mbar" ; + qudt:ucumCode "Mbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Megabar"@en ; +. +unit:MegaBIT-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A megabit per second (Mbit/s or Mb/s; not to be confused with mbit/s which means millibit per second, or with Mbitps which means megabit picosecond) is a unit of data transfer rate equal to 1,000,000 bits per second or 1,000 kilobits per second or 125,000 bytes per second or 125 kilobytes per second."^^rdf:HTML ; + qudt:conversionMultiplier 6.9314718055994530941723212145818e05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAA226" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units"^^xsd:anyURI ; + qudt:symbol "mbps" ; + qudt:ucumCode "MBd"^^qudt:UCUMcs ; + qudt:ucumCode "Mbit/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E20" ; + rdfs:isDefinedBy ; + rdfs:label "Megabit per Second"@en ; +. +unit:MegaBQ + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA205" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit becquerel" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MBq" ; + qudt:ucumCode "MBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4N" ; + rdfs:isDefinedBy ; + rdfs:label "Megabecquerel"@en ; +. +unit:MegaBTU_IT-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 293071.07 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(MBtu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "MBtu{IT}/hr" ; + qudt:ucumCode "M[Btu_IT].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "M[Btu_IT]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega British Thermal Unit (International Definition) per Hour"@en ; +. +unit:MegaBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The megabyte is defined here as one million Bytes. Also, see unit:MebiBYTE."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.54517744447956e06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Megabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Megabyte?oldid=487094486"^^xsd:anyURI ; + qudt:prefix prefix:Mega ; + qudt:symbol "MB" ; + qudt:ucumCode "MBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4L" ; + rdfs:isDefinedBy ; + rdfs:label "Mega byte"@en ; +. +unit:MegaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A MegaCoulomb is \\(10^{6} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA206" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MC" ; + qudt:ucumCode "MC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D77" ; + rdfs:isDefinedBy ; + rdfs:label "MegaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:MegaC-PER-M2 + a qudt:Unit ; + dcterms:description "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA207" ; + qudt:plainTextDescription "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "MC/m²" ; + qudt:ucumCode "MC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B70" ; + rdfs:isDefinedBy ; + rdfs:label "Megacoulomb Per Square Meter"@en-us ; + rdfs:label "Megacoulomb Per Square Metre"@en ; +. +unit:MegaC-PER-M3 + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:iec61360Code "0112/2///62720#UAA208" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "MC/m³" ; + qudt:ucumCode "MC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B69" ; + rdfs:isDefinedBy ; + rdfs:label "Megacoulomb Per Cubic Meter"@en-us ; + rdfs:label "Megacoulomb Per Cubic Metre"@en ; +. +unit:MegaDOLLAR_US-PER-FLIGHT + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; + qudt:symbol "$M/flight" ; + rdfs:isDefinedBy ; + rdfs:label "Million US Dollars per Flight"@en ; +. +unit:MegaEV + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Mega Electron Volt} is a unit for 'Energy And Work' expressed as \\(MeV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-13 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "MeV" ; + qudt:ucumCode "MeV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B71" ; + rdfs:isDefinedBy ; + rdfs:label "Mega Electron Volt"@en ; +. +unit:MegaEV-FemtoM + a qudt:Unit ; + dcterms:description "\\(\\textbf{Mega Electron Volt Femtometer} is a unit for 'Length Energy' expressed as \\(MeV fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-28 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LengthEnergy ; + qudt:prefix prefix:Mega ; + qudt:symbol "MeV⋅fm" ; + qudt:ucumCode "MeV.fm"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Electron Volt Femtometer"@en-us ; + rdfs:label "Mega Electron Volt Femtometre"@en ; +. +unit:MegaEV-PER-CentiM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Mega Electron Volt per Centimeter\" is a unit for 'Linear Energy Transfer' expressed as \\(MeV/cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602176634e-11 ; + qudt:expression "\\(MeV/cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; + qudt:symbol "MeV/cm" ; + qudt:ucumCode "MeV.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Electron Volt per Centimeter"@en-us ; + rdfs:label "Mega Electron Volt per Centimetre"@en ; +. +unit:MegaEV-PER-SpeedOfLight + a qudt:Unit ; + dcterms:description "\"Mega Electron Volt per Speed of Light\" is a unit for 'Linear Momentum' expressed as \\(MeV/c\\)."^^qudt:LatexString ; + qudt:expression "\\(MeV/c\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:symbol "MeV/c" ; + qudt:ucumCode "MeV.[c]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Electron Volt per Speed of Light"@en ; +. +unit:MegaGM + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA228" ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Mega ; + qudt:symbol "Mg" ; + qudt:ucumCode "Mg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2U" ; + rdfs:isDefinedBy ; + rdfs:label "Megagram"@en ; +. +unit:MegaGM-PER-HA + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:TONNE-PER-HA ; + qudt:exactMatch unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "Mg/ha" ; + qudt:ucumCode "Mg.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Megagram Per Hectare"@en ; + rdfs:label "Megagram Per Hectare"@en-us ; +. +unit:MegaGM-PER-M3 + a qudt:Unit ; + dcterms:description "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA229" ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "Mg/m³" ; + qudt:ucumCode "Mg.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B72" ; + rdfs:isDefinedBy ; + rdfs:label "Megagram Per Cubic Meter"@en-us ; + rdfs:label "Megagram Per Cubic Metre"@en ; +. +unit:MegaHZ + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Megahertz\" is a C.G.S System unit for 'Frequency' expressed as \\(MHz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA209" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MHz" ; + qudt:ucumCode "MHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MHZ" ; + rdfs:isDefinedBy ; + rdfs:label "Megahertz"@en ; +. +unit:MegaHZ-M + a qudt:Unit ; + dcterms:description "product of the 1,000,000-fold of the SI derived unit hertz and the 1,000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA210" ; + qudt:plainTextDescription "product of the 1,000,000-fold of the SI derived unit hertz and the 1 000-fold of the SI base unit metre" ; + qudt:symbol "MHz⋅m" ; + qudt:ucumCode "MHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H39" ; + rdfs:isDefinedBy ; + rdfs:label "Megahertz Meter"@en-us ; + rdfs:label "Megahertz Metre"@en ; +. +unit:MegaHZ-PER-K + a qudt:Unit ; + dcterms:description "\\(\\textbf{Mega Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(MHz K^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:expression "\\(MHz K^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:symbol "MHz/K" ; + qudt:ucumCode "MHz.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Hertz per Kelvin"@en ; +. +unit:MegaHZ-PER-T + a qudt:Unit ; + dcterms:description "\"Mega Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(MHz T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:expression "\\(MHz T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "MHz/T" ; + qudt:ucumCode "MHz.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Hertz per Tesla"@en ; +. +unit:MegaJ + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA211" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit joule" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MJ" ; + qudt:ucumCode "MJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "3B" ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule"@en ; +. +unit:MegaJ-PER-HR + a qudt:Unit ; + dcterms:description "SI derived unit MegaJoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit Megajoule divided by the 3600 times the SI base unit second" ; + qudt:symbol "MJ/hr" ; + qudt:ucumCode "MJ.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule Per Hour"@en ; +. +unit:MegaJ-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "MegaJoule Per Kelvin (MegaJ/K) is a unit in the category of Entropy."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:expression "\\(MegaJ/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "MJ/K" ; + qudt:ucumCode "MJ.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MegaJoule per Kelvin"@en ; +. +unit:MegaJ-PER-KiloGM + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB093" ; + qudt:plainTextDescription "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram" ; + qudt:symbol "MJ/kg" ; + qudt:ucumCode "MJ.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JK" ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule Per Kilogram"@en ; +. +unit:MegaJ-PER-M2 + a qudt:Unit ; + dcterms:description "MegaJoule Per Square Meter (\\(MegaJ/m^2\\)) is a unit in the category of Energy density."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "MJ/m²" ; + qudt:ucumCode "MJ.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule Per Square Meter"@en-us ; + rdfs:label "Megajoule Per Square Metre"@en ; +. +unit:MegaJ-PER-M3 + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA212" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "MJ/m³" ; + qudt:ucumCode "MJ.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JM" ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule Per Cubic Meter"@en-us ; + rdfs:label "Megajoule Per Cubic Metre"@en ; +. +unit:MegaJ-PER-SEC + a qudt:Unit ; + dcterms:description "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAB177" ; + qudt:plainTextDescription "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second" ; + qudt:symbol "MJ/s" ; + qudt:ucumCode "MJ.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D78" ; + rdfs:isDefinedBy ; + rdfs:label "Megajoule Per Second"@en ; +. +unit:MegaL + a qudt:Unit ; + dcterms:description "1 000 000-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB112" ; + qudt:plainTextDescription "1 000 000-fold of the unit litre" ; + qudt:symbol "ML" ; + qudt:ucumCode "ML"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAL" ; + rdfs:isDefinedBy ; + rdfs:label "Megalitre"@en ; + rdfs:label "Megalitre"@en-us ; +. +unit:MegaLB_F + a qudt:Unit ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4448.222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; + qudt:symbol "Mlbf" ; + qudt:ucumCode "M[lbf_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mega Pound Force"@en ; +. +unit:MegaN + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA213" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit newton" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MN" ; + qudt:ucumCode "MN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B73" ; + rdfs:isDefinedBy ; + rdfs:label "Meganewton"@en ; +. +unit:MegaN-M + a qudt:Unit ; + dcterms:description "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA214" ; + qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "MN⋅m" ; + qudt:ucumCode "MN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B74" ; + rdfs:isDefinedBy ; + rdfs:label "Meganewton Meter"@en-us ; + rdfs:label "Meganewton Metre"@en ; +. +unit:MegaOHM + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA198" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit ohm" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MΩ" ; + qudt:ucumCode "MOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B75" ; + rdfs:isDefinedBy ; + rdfs:label "Megaohm"@en ; +. +unit:MegaPA + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA215" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit pascal" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MPa" ; + qudt:ucumCode "MPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MPA" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal"@en ; +. +unit:MegaPA-L-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA218" ; + qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "MPa⋅L/s" ; + qudt:ucumCode "MPa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F97" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal Liter Per Second"@en-us ; + rdfs:label "Megapascal Litre Per Second"@en ; +. +unit:MegaPA-M0pt5 + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit Pascal Square Root Meter"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StressIntensityFactor ; + qudt:plainTextDescription "1,000,000-fold of the derived unit Pascal Square Root Meter" ; + qudt:prefix prefix:Mega ; + qudt:symbol "MPa√m" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal Square Root Meter"@en-us ; + rdfs:label "Megapascal Square Root Metre"@en ; +. +unit:MegaPA-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA219" ; + qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "MPa⋅m³/s" ; + qudt:ucumCode "MPa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F98" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal Cubic Meter Per Second"@en-us ; + rdfs:label "Megapascal Cubic Metre Per Second"@en ; +. +unit:MegaPA-PER-BAR + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA217" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "MPa/bar" ; + qudt:ucumCode "MPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F05" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal Per Bar"@en ; +. +unit:MegaPA-PER-K + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA216" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "MPa/K" ; + qudt:ucumCode "MPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F85" ; + rdfs:isDefinedBy ; + rdfs:label "Megapascal Per Kelvin"@en ; +. +unit:MegaPSI + a qudt:Unit ; + dcterms:description "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6894757800.0 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:plainTextDescription "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; + qudt:symbol "Mpsi" ; + qudt:ucumCode "[Mpsi]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MPSI"@en ; +. +unit:MegaS + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:symbol "MS" ; + rdfs:isDefinedBy ; + rdfs:label "MegaSiemens"@en ; +. +unit:MegaS-PER-M + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA220" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "MS/m" ; + qudt:ucumCode "MS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B77" ; + rdfs:isDefinedBy ; + rdfs:label "Megasiemens Per Meter"@en-us ; + rdfs:label "Megasiemens Per Metre"@en ; +. +unit:MegaTOE + a qudt:Unit ; + dcterms:description """The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy).

+

Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"""^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.18680e16 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; + qudt:symbol "megatoe" ; + rdfs:isDefinedBy ; + rdfs:label "Megaton of Oil Equivalent"@en ; +. +unit:MegaV + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA221" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit volt" ; + qudt:prefix prefix:Mega ; + qudt:symbol "mV" ; + qudt:ucumCode "MV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B78" ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt"@en ; +. +unit:MegaV-A + a qudt:Unit ; + dcterms:description "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:iec61360Code "0112/2///62720#UAA222" ; + qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "MV⋅A" ; + qudt:ucumCode "MV.A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MVA" ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt Ampere"@en ; +. +unit:MegaV-A-HR + a qudt:Unit ; + dcterms:description "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.60e09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "MV⋅A⋅hr" ; + qudt:ucumCode "MV.A.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt Ampere Hour"@en ; +. +unit:MegaV-A_Reactive + a qudt:Unit ; + dcterms:description "1,000,000-fold of the unit volt ampere reactive"^^rdf:HTML ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAB199" ; + qudt:plainTextDescription "1,000,000-fold of the unit volt ampere reactive" ; + qudt:symbol "MV⋅A{Reactive}" ; + qudt:ucumCode "MV.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAR" ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt Ampere Reactive"@en ; +. +unit:MegaV-A_Reactive-HR + a qudt:Unit ; + dcterms:description "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3.60e09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB198" ; + qudt:plainTextDescription "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "MV⋅A{Reactive}⋅hr" ; + qudt:ucumCode "MV.A{reactive}.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAH" ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt Ampere Reactive Hour"@en ; +. +unit:MegaV-PER-M + a qudt:Unit ; + dcterms:description "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA223" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "MV/m" ; + qudt:ucumCode "MV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B79" ; + rdfs:isDefinedBy ; + rdfs:label "Megavolt Per Meter"@en-us ; + rdfs:label "Megavolt Per Metre"@en ; +. +unit:MegaW + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:prefix prefix:Mega ; + qudt:symbol "MW" ; + qudt:ucumCode "MW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAW" ; + rdfs:isDefinedBy ; + rdfs:label "MegaW"@en ; +. +unit:MegaW-HR + a qudt:Unit ; + dcterms:description "1,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.60e09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA225" ; + qudt:plainTextDescription "1 000 000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "MW⋅hr" ; + qudt:ucumCode "MW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MWH" ; + rdfs:isDefinedBy ; + rdfs:label "Megawatt Hour"@en ; +. +unit:MegaYR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "1,000,000-fold of the derived unit year."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.155760e13 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "https://en.wiktionary.org/wiki/megayear"^^xsd:anyURI ; + qudt:plainTextDescription "1,000,000-fold of the derived unit year." ; + qudt:prefix prefix:Mega ; + qudt:symbol "Myr" ; + qudt:ucumCode "Ma"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Million Years"@en ; + skos:altLabel "Ma" ; + skos:altLabel "Mega Year"@en ; + skos:altLabel "megannum"@la ; +. +unit:MicroA + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA057" ; + qudt:latexSymbol "\\(\\mu A\\)"^^qudt:LatexString ; + qudt:prefix prefix:Micro ; + qudt:symbol "µA" ; + qudt:ucumCode "uA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B84" ; + rdfs:isDefinedBy ; + rdfs:label "microampere"@en ; +. +unit:MicroATM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.101325 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "µatm" ; + qudt:ucumCode "uatm"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microatmospheres"@en ; +. +unit:MicroBAR + a qudt:Unit ; + dcterms:description "0.000001-fold of the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB089" ; + qudt:plainTextDescription "0.000001-fold of the unit bar" ; + qudt:symbol "μbar" ; + qudt:ucumCode "ubar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B85" ; + rdfs:isDefinedBy ; + rdfs:label "Microbar"@en ; +. +unit:MicroBQ + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA058" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit becquerel" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μBq" ; + qudt:ucumCode "uBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H08" ; + rdfs:isDefinedBy ; + rdfs:label "Microbecquerel"@en ; +. +unit:MicroBQ-PER-KiloGM + a qudt:Unit ; + dcterms:description "One radioactive disintegration per hundred thousand seconds from an SI standard unit of mass of sample."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "µBq/kg" ; + qudt:ucumCode "uBq.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microbecquerels per kilogram"@en ; +. +unit:MicroBQ-PER-L + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "µBq/L" ; + qudt:ucumCode "uBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microbecquerels per litre"@en ; +. +unit:MicroC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A MicroCoulomb is \\(10^{-6} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA059" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µC" ; + qudt:ucumCode "uC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B86" ; + rdfs:isDefinedBy ; + rdfs:label "MicroCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:MicroC-PER-M2 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA060" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "μC/m²" ; + qudt:ucumCode "uC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B88" ; + rdfs:isDefinedBy ; + rdfs:label "Microcoulomb Per Square Meter"@en-us ; + rdfs:label "Microcoulomb Per Square Metre"@en ; +. +unit:MicroC-PER-M3 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:iec61360Code "0112/2///62720#UAA061" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "μC/m³" ; + qudt:ucumCode "uC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B87" ; + rdfs:isDefinedBy ; + rdfs:label "Microcoulomb Per Cubic Meter"@en-us ; + rdfs:label "Microcoulomb Per Cubic Metre"@en ; +. +unit:MicroCi + a qudt:Unit ; + dcterms:description "Another commonly used measure of radioactivity, the microcurie: \\(1 \\micro Ci = 3.7 \\times 10 disintegrations per second = 2.22 \\times 10 disintegrations per minute\\). A radiotherapy machine may have roughly 1000 Ci of a radioisotope such as caesium-137 or cobalt-60. This quantity of radioactivity can produce serious health effects with only a few minutes of close-range, un-shielded exposure. The typical human body contains roughly \\(0.1\\micro Ci\\) of naturally occurring potassium-40. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 37000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA062" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; + qudt:symbol "μCi" ; + qudt:ucumCode "uCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M5" ; + rdfs:isDefinedBy ; + rdfs:label "MicroCurie"@en ; +. +unit:MicroFARAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \"microfarad\" (symbolized \\(\\mu F\\)) is a unit of capacitance, equivalent to 0.000001 (10 to the -6th power) farad. The microfarad is a moderate unit of capacitance. In utility alternating-current (AC) and audio-frequency (AF) circuits, capacitors with values on the order of \\(1 \\mu F\\) or more are common. At radio frequencies (RF), a smaller unit, the picofarad (pF), is often used."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA063" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µF" ; + qudt:ucumCode "uF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4O" ; + rdfs:isDefinedBy ; + rdfs:label "microfarad"@en ; +. +unit:MicroFARAD-PER-KiloM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA064" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre" ; + qudt:symbol "μF/km" ; + qudt:ucumCode "uF.km-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H28" ; + rdfs:isDefinedBy ; + rdfs:label "Microfarad Per Kilometer"@en-us ; + rdfs:label "Microfarad Per Kilometre"@en ; +. +unit:MicroFARAD-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA065" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "μF/m" ; + qudt:ucumCode "uF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B89" ; + rdfs:isDefinedBy ; + rdfs:label "Microfarad Per Meter"@en-us ; + rdfs:label "Microfarad Per Metre"@en ; +. +unit:MicroG + a qudt:Unit ; + dcterms:description "\"Microgravity\" is a unit for 'Linear Acceleration' expressed as \\(microG\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:latexSymbol "\\(\\mu G\\)"^^qudt:LatexString ; + qudt:symbol "µG" ; + qudt:ucumCode "u[g]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microgravity"@en ; +. +unit:MicroG-PER-CentiM2 + a qudt:Unit ; + dcterms:description "A unit of mass per area, equivalent to 0.01 grammes per square metre"^^rdf:HTML ; + qudt:conversionMultiplier 0.01 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A unit of mass per area, equivalent to 0.01 grammes per square metre" ; + qudt:symbol "µg/cm²" ; + rdfs:isDefinedBy ; + rdfs:label "Microgram per square centimetre"@en ; +. +unit:MicroGAL-PER-M + a qudt:Unit ; + dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a distance of one metre."@en ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µGal/m" ; + qudt:ucumCode "uGal.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MicroGals per metre"@en ; +. +unit:MicroGM + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA082" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μg" ; + qudt:ucumCode "ug"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MC" ; + rdfs:isDefinedBy ; + rdfs:label "Microgram"@en ; +. +unit:MicroGM-PER-DeciL + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:plainTextDescription "0.0000000001-fold of the SI base unit kilogram divided by the unit decilitre" ; + qudt:symbol "μg/dL" ; + qudt:ucumCode "ug.dL-1"^^qudt:UCUMcs ; + qudt:ucumCode "ug/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microgram Per Deciliter"@en-us ; + rdfs:label "Microgram Per Decilitre"@en ; +. +unit:MicroGM-PER-GM + a qudt:Unit ; + dcterms:description "One part per 10**6 (million) by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "µg/g" ; + qudt:ucumCode "ug.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micrograms per gram"@en ; +. +unit:MicroGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA083" ; + qudt:plainTextDescription "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "μg/kg" ; + qudt:ucumCode "ug.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "ug/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J33" ; + rdfs:isDefinedBy ; + rdfs:label "Microgram Per Kilogram"@en ; +. +unit:MicroGM-PER-L + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA084" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "μg/L" ; + qudt:ucumCode "ug.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "ug/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H29" ; + rdfs:isDefinedBy ; + rdfs:label "Microgram Per Liter"@en-us ; + rdfs:label "Microgram Per Litre"@en ; +. +unit:MicroGM-PER-L-HR + a qudt:Unit ; + dcterms:description "A rate of change of mass of a measurand equivalent to 10^-9 kilogram (the SI unit of mass) per litre volume of matrix over a period of 1 hour."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(L⋅hr)" ; + qudt:ucumCode "ug.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micrograms per litre per hour"@en ; +. +unit:MicroGM-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-14 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "µg/(m²⋅day)" ; + qudt:ucumCode "ug.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micrograms per square metre per day"@en ; +. +unit:MicroGM-PER-M3 + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA085" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "μg/m³" ; + qudt:ucumCode "ug.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "ug/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GQ" ; + rdfs:isDefinedBy ; + rdfs:label "Microgram Per Cubic Meter"@en-us ; + rdfs:label "Microgram Per Cubic Metre"@en ; +. +unit:MicroGM-PER-M3-HR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-13 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(m³⋅day)" ; + qudt:ucumCode "ug.m-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micrograms per cubic metre per hour"@en ; +. +unit:MicroGM-PER-MilliL + a qudt:Unit ; + dcterms:description "One 10**6 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassConcentration ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the unit microlitre" ; + qudt:symbol "µg/mL" ; + qudt:symbol "μg/mL" ; + qudt:ucumCode "ug.mL-1"^^qudt:UCUMcs ; + qudt:ucumCode "ug/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microgram Per MilliLitre"@en ; + rdfs:label "Microgram Per Milliliter"@en-us ; + rdfs:label "Micrograms per millilitre"@en ; +. +unit:MicroGRAY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "0.000001 fold of the SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; + qudt:omUnit ; + qudt:prefix prefix:Micro ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µGy" ; + qudt:ucumCode "uGy"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MicroGray"@en ; +. +unit:MicroH + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI derived unit for inductance is the henry. 1 henry is equal to 1000000 microhenry. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA066" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µH" ; + qudt:ucumCode "uH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B90" ; + rdfs:isDefinedBy ; + rdfs:label "Microhenry"@en ; +. +unit:MicroH-PER-KiloOHM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA068" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm" ; + qudt:symbol "µH/kΩ" ; + qudt:ucumCode "uH.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G98" ; + rdfs:isDefinedBy ; + rdfs:label "Microhenry Per Kiloohm"@en ; +. +unit:MicroH-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:hasQuantityKind quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA069" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI base unit metre" ; + qudt:symbol "μH/m" ; + qudt:ucumCode "uH.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B91" ; + rdfs:isDefinedBy ; + rdfs:label "Microhenry Per Meter"@en-us ; + rdfs:label "Microhenry Per Metre"@en ; +. +unit:MicroH-PER-OHM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA067" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "µH/Ω" ; + qudt:ucumCode "uH.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G99" ; + rdfs:isDefinedBy ; + rdfs:label "Microhenry Per Ohm"@en ; +. +unit:MicroIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Microinch\" is an Imperial unit for 'Length' expressed as \\(in^{-6}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.54e-08 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:latexSymbol "\\(\\mu in\\)"^^qudt:LatexString ; + qudt:prefix prefix:Micro ; + qudt:symbol "µin" ; + qudt:ucumCode "u[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M7" ; + rdfs:isDefinedBy ; + rdfs:label "Microinch"@en ; +. +unit:MicroJ + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit joule" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µJ" ; + rdfs:isDefinedBy ; + rdfs:label "Micro Joule"@en ; + rdfs:label "Micro Joule"@en-us ; + rdfs:label "Mikrojoule "@de ; +. +unit:MicroKAT-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "ukat/L" ; + qudt:ucumCode "ukat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Microkatal Per Liter"@en-us ; + rdfs:label "Microkatal Per Litre"@en ; +. +unit:MicroL + a qudt:Unit ; + dcterms:description "0.000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA088" ; + qudt:plainTextDescription "0.000001-fold of the unit litre" ; + qudt:symbol "μL" ; + qudt:ucumCode "uL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4G" ; + rdfs:isDefinedBy ; + rdfs:label "Microlitre"@en ; + rdfs:label "Microlitre"@en-us ; +. +unit:MicroL-PER-L + a qudt:Unit ; + dcterms:description "volume ratio as 0.000001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA089" ; + qudt:plainTextDescription "volume ratio as 0.000001-fold of the unit litre divided by the unit litre" ; + qudt:symbol "μL/L" ; + qudt:ucumCode "uL.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "uL/L"^^qudt:UCUMcs ; + qudt:udunitsCode "ppmv" ; + qudt:uneceCommonCode "J36" ; + rdfs:isDefinedBy ; + rdfs:label "Microlitre Per Liter"@en-us ; + rdfs:label "Microlitre Per Litre"@en ; +. +unit:MicroM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Micrometer\" is a unit for 'Length' expressed as \\(microm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Micrometer"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA090" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Micrometer?oldid=491270437"^^xsd:anyURI ; + qudt:prefix prefix:Micro ; + qudt:symbol "µm" ; + qudt:ucumCode "um"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4H" ; + rdfs:isDefinedBy ; + rdfs:label "Micrometer"@en-us ; + rdfs:label "Micrometre"@en ; +. +unit:MicroM-PER-K + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA091" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "μm/K" ; + qudt:ucumCode "um.K-1"^^qudt:UCUMcs ; + qudt:ucumCode "um/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F50" ; + rdfs:isDefinedBy ; + rdfs:label "Micrometer Per Kelvin"@en-us ; + rdfs:label "Micrometre Per Kelvin"@en ; +. +unit:MicroM-PER-L-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-08 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µm/(L⋅day)" ; + qudt:ucumCode "um.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per litre per day"@en ; +. +unit:MicroM-PER-MilliL + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µm/mL" ; + qudt:ucumCode "um2.mL-1"^^qudt:UCUMcs ; + qudt:ucumCode "um2/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square microns per millilitre"@en ; +. +unit:MicroM-PER-N + a qudt:Unit ; + dcterms:description "Micro metres measured per Newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:LinearCompressibility ; + qudt:plainTextDescription "Micro metres measured per Newton" ; + qudt:symbol "µJ/N" ; + rdfs:isDefinedBy ; + rdfs:label "Micro meter per Newton"@en-us ; + rdfs:label "Micro metre per Newton"@en ; + rdfs:label "Mikrometer pro Newton"@de ; +. +unit:MicroM2 + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA092" ; + qudt:plainTextDescription "0.000000000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μm²" ; + qudt:ucumCode "um2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H30" ; + rdfs:isDefinedBy ; + rdfs:label "Square Micrometer"@en-us ; + rdfs:label "Square Micrometre"@en ; +. +unit:MicroM3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:prefix prefix:Micro ; + qudt:symbol "µm³" ; + qudt:ucumCode "um3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic micrometres (microns)"@en ; +. +unit:MicroM3-PER-M3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "µm³/m³" ; + qudt:ucumCode "um3.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic microns per cubic metre"@en ; +. +unit:MicroM3-PER-MilliL + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "µm³/mL" ; + qudt:ucumCode "um3.mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic microns per millilitre"@en ; +. +unit:MicroMHO + a qudt:Unit ; + dcterms:description "0.000001-fold of the obsolete unit mho of the electric conductance"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:iec61360Code "0112/2///62720#UAB201" ; + qudt:plainTextDescription "0.000001-fold of the obsolete unit mho of the electric conductance" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μmho" ; + qudt:ucumCode "umho"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NR" ; + rdfs:isDefinedBy ; + rdfs:label "Micromho"@en ; +. +unit:MicroMOL + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA093" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit mol" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μmol" ; + qudt:ucumCode "umol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FH" ; + rdfs:isDefinedBy ; + rdfs:label "Micromole"@en ; +. +unit:MicroMOL-PER-GM + a qudt:Unit ; + dcterms:description "Micromole Per Gram (\\(umol/g\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:hasQuantityKind quantitykind:MolalityOfSolute ; + qudt:plainTextDescription "0.000001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "µmol/g" ; + qudt:ucumCode "umol.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per gram"@en ; +. +unit:MicroMOL-PER-GM-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(g⋅h)" ; + qudt:ucumCode "umol.g-1.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/g/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per gram per hour"@en ; +. +unit:MicroMOL-PER-GM-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "μmol/(g⋅s)" ; + qudt:ucumCode "umol.g-1.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/g/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per gram per second"@en ; +. +unit:MicroMOL-PER-KiloGM + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "µmol/kg" ; + qudt:ucumCode "umol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per kilogram"@en ; +. +unit:MicroMOL-PER-L + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "µmol/L" ; + qudt:ucumCode "umol.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per litre"@en ; +. +unit:MicroMOL-PER-L-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(L⋅hr)" ; + qudt:ucumCode "umol.L-1.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/L/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per litre per hour"@en ; +. +unit:MicroMOL-PER-M2 + a qudt:Unit ; + dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/m²" ; + qudt:ucumCode "umol.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "umol/m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per square metre"@en ; +. +unit:MicroMOL-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-11 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(m²⋅day)" ; + qudt:ucumCode "umol.m-2.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/m2/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per square metre per day"@en ; +. +unit:MicroMOL-PER-M2-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-10 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(m²⋅hr)" ; + qudt:ucumCode "umol.m-2.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/m2/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per square metre per hour"@en ; +. +unit:MicroMOL-PER-M2-SEC + a qudt:Unit ; + dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area per SI unit of time. This term is based on the number of photons in a certain waveband incident per unit time (s) on a unit area (m2) divided by the Avogadro constant (6.022 x 1023 mol-1). It is used commonly to describe PAR in the 400-700 nm waveband. Definition Source: Thimijan, Richard W., and Royal D. Heins. 1982. Photometric, Radiometric, and Quantum Light Units of Measure: A Review of Procedures for Interconversion. HortScience 18:818-822."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFluxDensity ; + qudt:symbol "µmol/(m²⋅s)" ; + qudt:ucumCode "umol.m-2.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/m2/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per square metre per second"@en ; +. +unit:MicroMOL-PER-MOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "µmol/mol" ; + qudt:ucumCode "umol.mol-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/mol"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per mole"@en ; +. +unit:MicroMOL-PER-MicroMOL-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(µmol⋅day)" ; + qudt:ucumCode "umol.umol-1.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/umol/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromole per micromole of biomass per day"@en ; +. +unit:MicroMOL-PER-SEC + a qudt:Unit ; + dcterms:description " This unit is used commonly to describe Photosynthetic Photon Flux (PPF) - the total number of photons emitted by a light source each second within the PAR wavelength range. "@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFlux ; + qudt:symbol "µmol/s" ; + qudt:ucumCode "umol.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "umol/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Micromoles per second"@en ; +. +unit:MicroN + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA070" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit newton" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μN" ; + qudt:ucumCode "uN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B92" ; + rdfs:isDefinedBy ; + rdfs:label "Micronewton"@en ; +. +unit:MicroN-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the product out of the derived SI newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA071" ; + qudt:plainTextDescription "0.000001-fold of the product out of the derived SI newton and the SI base unit metre" ; + qudt:symbol "μN⋅m" ; + qudt:ucumCode "uN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B93" ; + rdfs:isDefinedBy ; + rdfs:label "Micronewton Meter"@en-us ; + rdfs:label "Micronewton Metre"@en ; +. +unit:MicroOHM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA055" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit ohm" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μΩ" ; + qudt:ucumCode "uOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B94" ; + rdfs:isDefinedBy ; + rdfs:label "Microohm"@en ; +. +unit:MicroPA + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA073" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit pascal" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μPa" ; + qudt:ucumCode "uPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B96" ; + rdfs:isDefinedBy ; + rdfs:label "Micropascal"@en ; +. +unit:MicroPOISE + a qudt:Unit ; + dcterms:description "0.000001-fold of the CGS unit of the dynamic viscosity poise"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA072" ; + qudt:plainTextDescription "0.000001-fold of the CGS unit of the dynamic viscosity poise" ; + qudt:symbol "μP" ; + qudt:ucumCode "uP"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J32" ; + rdfs:isDefinedBy ; + rdfs:label "Micropoise"@en ; +. +unit:MicroRAD + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA094" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µrad" ; + qudt:ucumCode "urad"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B97" ; + rdfs:isDefinedBy ; + rdfs:label "microradian"@en ; +. +unit:MicroS + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA074" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit siemens" ; + qudt:prefix prefix:Micro ; + qudt:symbol "μS" ; + qudt:ucumCode "uS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B99" ; + rdfs:isDefinedBy ; + rdfs:label "Microsiemens"@en ; +. +unit:MicroS-PER-CentiM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA075" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "μS/cm" ; + qudt:ucumCode "uS.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G42" ; + rdfs:isDefinedBy ; + rdfs:label "Microsiemens Per Centimeter"@en-us ; + rdfs:label "Microsiemens Per Centimetre"@en ; +. +unit:MicroS-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA076" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "μS/m" ; + qudt:ucumCode "uS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G43" ; + rdfs:isDefinedBy ; + rdfs:label "Microsiemens Per Meter"@en-us ; + rdfs:label "Microsiemens Per Metre"@en ; +. +unit:MicroSEC + a qudt:Unit ; + dcterms:description "\"Microsecond\" is a unit for 'Time' expressed as \\(microsec\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA095" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µs" ; + qudt:ucumCode "us"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B98" ; + rdfs:isDefinedBy ; + rdfs:label "microsecond"@en ; +. +unit:MicroSV + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used. 0.000001-fold of the SI derived unit sievert."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:prefix prefix:Micro ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µSv" ; + qudt:ucumCode "uSv"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MicroSievert"@en ; +. +unit:MicroSV-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "0.000001-fold of the derived SI unit sievert divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77778e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAB466" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µSv/hr" ; + qudt:ucumCode "uSv.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P72" ; + rdfs:isDefinedBy ; + rdfs:label "MicroSievert per hour"@en ; +. +unit:MicroT + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA077" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit tesla" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µT" ; + qudt:ucumCode "uT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D81" ; + rdfs:isDefinedBy ; + rdfs:label "Microtesla"@en ; +. +unit:MicroTORR + a qudt:Unit ; + dcterms:description "\"MicroTorr\" is a unit for 'Force Per Area' expressed as \\(microtorr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.000133322 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "µTorr" ; + rdfs:isDefinedBy ; + rdfs:label "MicroTorr"@en ; +. +unit:MicroV + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA078" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt" ; + qudt:prefix prefix:Micro ; + qudt:symbol "µV" ; + qudt:ucumCode "uV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D82" ; + rdfs:isDefinedBy ; + rdfs:label "Microvolt"@en ; +. +unit:MicroV-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA079" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "µV/m" ; + qudt:ucumCode "uV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C3" ; + rdfs:isDefinedBy ; + rdfs:label "Microvolt Per Meter"@en-us ; + rdfs:label "Microvolt Per Metre"@en ; +. +unit:MicroW + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA080" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit watt" ; + qudt:prefix prefix:Micro ; + qudt:symbol "mW" ; + qudt:ucumCode "uW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D80" ; + rdfs:isDefinedBy ; + rdfs:label "Microwatt"@en ; +. +unit:MicroW-PER-M2 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA081" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "µW/m²" ; + qudt:ucumCode "uW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D85" ; + rdfs:isDefinedBy ; + rdfs:label "Microwatt Per Square Meter"@en-us ; + rdfs:label "Microwatt Per Square Metre"@en ; +. +unit:MilLength + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Mil Length\" is a C.G.S System unit for 'Length' expressed as \\(mil\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:symbol "mil" ; + qudt:ucumCode "[mil_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Mil Length"@en ; +. +unit:MilliA + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA775" ; + qudt:prefix prefix:Micro ; + qudt:symbol "mA" ; + qudt:ucumCode "mA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4K" ; + rdfs:isDefinedBy ; + rdfs:label "MilliAmpere"@en ; +. +unit:MilliA-HR + a qudt:Unit ; + dcterms:description "product of the 0.001-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.6 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA777" ; + qudt:plainTextDescription "product of the 0.001-fold of the SI base unit ampere and the unit hour" ; + qudt:symbol "µA⋅hr" ; + qudt:ucumCode "mA.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E09" ; + rdfs:isDefinedBy ; + rdfs:label "Milliampere Hour"@en ; +. +unit:MilliA-HR-PER-GM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Milliampere hour per gram}\\) is a practical unit of electric charge relative to the mass of the (active) parts. 1mAh/g describes the capability of a material to store charge equivalent to 1h charge with 1mA per gram. The unit is often used in electrochemistry to describe the properties of active components like electrodes."^^qudt:LatexString ; + qudt:conversionMultiplier 3600.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:SpecificElectricCharge ; + qudt:symbol "mA⋅h/g" ; + rdfs:isDefinedBy ; + rdfs:label "Milliampere Hour per Gram"@en ; +. +unit:MilliA-PER-IN + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 0.03937008 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA778" ; + qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "µA/in" ; + qudt:ucumCode "mA.[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F08" ; + rdfs:isDefinedBy ; + rdfs:label "Milliampere Per Inch"@en ; +. +unit:MilliA-PER-MilliM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA781" ; + qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "mA/mm" ; + qudt:ucumCode "mA.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F76" ; + rdfs:isDefinedBy ; + rdfs:label "Milliampere Per Millimeter"@en-us ; + rdfs:label "Milliampere Per Millimetre"@en ; +. +unit:MilliARCSEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. the milliarcsecond, abbreviated mas, is used in astronomy."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.84813681e-09 ; + qudt:exactMatch unit:RAD ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; + qudt:symbol "mas" ; + qudt:ucumCode "m''"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milli ArcSecond"@en ; +. +unit:MilliBAR + a qudt:Unit ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:HectoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA810" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix:Milli ; + qudt:symbol "mbar" ; + qudt:ucumCode "mbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MBR" ; + rdfs:isDefinedBy ; + rdfs:label "Millibar"@en ; +. +unit:MilliBAR-L-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA813" ; + qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second" ; + qudt:symbol "mbar⋅L/s" ; + qudt:ucumCode "mbar.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F95" ; + rdfs:isDefinedBy ; + rdfs:label "Millibar Liter Per Second"@en-us ; + rdfs:label "Millibar Litre Per Second"@en ; +. +unit:MilliBAR-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA327" ; + qudt:plainTextDescription "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "mbar⋅m³/s" ; + qudt:ucumCode "mbar.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F96" ; + rdfs:isDefinedBy ; + rdfs:label "Millibar Cubic Meter Per Second"@en-us ; + rdfs:label "Millibar Cubic Metre Per Second"@en ; +. +unit:MilliBAR-PER-BAR + a qudt:Unit ; + dcterms:description "0.01-fold of the unit bar divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA812" ; + qudt:plainTextDescription "0.01-fold of the unit bar divided by the unit bar" ; + qudt:symbol "mbar/bar" ; + qudt:ucumCode "mbar.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F04" ; + rdfs:isDefinedBy ; + rdfs:label "Millibar Per Bar"@en ; +. +unit:MilliBAR-PER-K + a qudt:Unit ; + dcterms:description "0.001-fold of the unit bar divided by the unit temperature kelvin"^^rdf:HTML ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA811" ; + qudt:plainTextDescription "0.001-fold of the unit bar divided by the unit temperature kelvin" ; + qudt:symbol "mbar/K" ; + qudt:ucumCode "mbar.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F84" ; + rdfs:isDefinedBy ; + rdfs:label "Millibar Per Kelvin"@en ; +. +unit:MilliBQ + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:symbol "mBq" ; + rdfs:isDefinedBy ; + rdfs:label "MilliBecquerel"@en ; +. +unit:MilliBQ-PER-GM + a qudt:Unit ; + dcterms:description "One radioactive disintegration per thousand seconds per 1000th SI unit of sample mass."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "mBq/g" ; + qudt:ucumCode "mBq.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millibecquerels per gram"@en ; +. +unit:MilliBQ-PER-KiloGM + a qudt:Unit ; + dcterms:description "One radioactive disintegration per thousand seconds from an SI standard unit of mass of sample."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "mBq/kg" ; + qudt:ucumCode "mBq.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millibecquerels per kilogram"@en ; +. +unit:MilliBQ-PER-L + a qudt:Unit ; + dcterms:description "One radioactive disintegration per second from the SI unit of volume (cubic metre). Equivalent to Becquerels per cubic metre."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "mBq/L" ; + qudt:ucumCode "mBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millibecquerels per litre"@en ; +. +unit:MilliBQ-PER-M2-DAY + a qudt:Unit ; + dcterms:description "One radioactive disintegration per thousand seconds in material passing through an area of one square metre during a period of one day (86400 seconds)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-08 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mBq/(m²⋅day)" ; + qudt:ucumCode "mBq.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millibecquerels per square metre per day"@en ; +. +unit:MilliC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A MilliCoulomb is \\(10^{-3} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA782" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mC" ; + qudt:ucumCode "mC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D86" ; + rdfs:isDefinedBy ; + rdfs:label "MilliCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:MilliC-PER-KiloGM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA783" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram" ; + qudt:symbol "mC/kg" ; + qudt:ucumCode "mC.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C8" ; + rdfs:isDefinedBy ; + rdfs:label "Millicoulomb Per Kilogram"@en ; +. +unit:MilliC-PER-M2 + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA784" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mC/m²" ; + qudt:ucumCode "mC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D89" ; + rdfs:isDefinedBy ; + rdfs:label "Millicoulomb Per Square Meter"@en-us ; + rdfs:label "Millicoulomb Per Square Metre"@en ; +. +unit:MilliC-PER-M3 + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA785" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mC/m³" ; + qudt:ucumCode "mC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D88" ; + rdfs:isDefinedBy ; + rdfs:label "Millicoulomb Per Cubic Meter"@en-us ; + rdfs:label "Millicoulomb Per Cubic Metre"@en ; +. +unit:MilliCi + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit curie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.70e07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA786" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit curie" ; + qudt:symbol "mCi" ; + qudt:ucumCode "mCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MCU" ; + rdfs:isDefinedBy ; + rdfs:label "Millicurie"@en ; +. +unit:MilliDARCY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length2.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier .0000000000000009869233 ; + qudt:expression "\\(d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length²." ; + qudt:symbol "md" ; + rdfs:isDefinedBy ; + rdfs:label "Millidarcy"@en ; +. +unit:MilliDEG_C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(Millidegree Celsius is a scaled unit of measurement for temperature.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:conversionOffset 273.15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; + qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML ; + qudt:guidance "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; + qudt:latexDefinition "millieDegree Celsius"^^qudt:LatexString ; + qudt:symbol "m°C" ; + qudt:ucumCode "mCel"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millidegree Celsius"@en ; +. +unit:MilliFARAD + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit farad"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA787" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit farad" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mF" ; + qudt:ucumCode "mF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C10" ; + rdfs:isDefinedBy ; + rdfs:label "Millifarad"@en ; +. +unit:MilliG + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Milligravity\" is a unit for 'Linear Acceleration' expressed as \\(mG\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00980665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:symbol "mG" ; + qudt:ucumCode "m[g]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligravity"@en ; +. +unit:MilliGAL + a qudt:Unit ; + dcterms:description "0.001-fold of the unit of acceleration called gal according to the CGS system of units"^^rdf:HTML ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB043" ; + qudt:plainTextDescription "0.001-fold of the unit of acceleration called gal according to the CGS system of units" ; + qudt:symbol "mgal" ; + qudt:ucumCode "mGal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C11" ; + rdfs:isDefinedBy ; + rdfs:label "Milligal"@en ; +. +unit:MilliGAL-PER-MO + a qudt:Unit ; + dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a time duration of 30.4375 days or 2629800 seconds."@en ; + qudt:conversionMultiplier 3.80257053768347e-10 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mgal/mo" ; + qudt:ucumCode "mGal.mo-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MilliGals per month"@en ; +. +unit:MilliGM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA815" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mg" ; + qudt:ucumCode "mg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MGM" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram"@en ; +. +unit:MilliGM-PER-CentiM2 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA818" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/cm²" ; + qudt:ucumCode "mg.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H63" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Square Centimeter"@en-us ; + rdfs:label "Milligram Per Square Centimetre"@en ; +. +unit:MilliGM-PER-DAY + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA819" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit day" ; + qudt:symbol "mg/day" ; + qudt:ucumCode "mg.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F32" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Day"@en ; +. +unit:MilliGM-PER-DeciL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A derived unit for amount-of-substance concentration measured in mg/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:expression "\\(mg/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:BloodGlucoseLevel_Mass ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "mg/dL" ; + qudt:ucumCode "mg.dL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "milligrams per decilitre"@en ; + rdfs:label "milligrams per decilitre"@en-us ; +. +unit:MilliGM-PER-GM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA822" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "mg/gm" ; + qudt:ucumCode "mg.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "mg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H64" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Gram"@en ; +. +unit:MilliGM-PER-HA + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA818" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/ha" ; + qudt:ucumCode "mg.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Hectare"@en ; +. +unit:MilliGM-PER-HR + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA823" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit hour" ; + qudt:symbol "mg/hr" ; + qudt:ucumCode "mg.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4M" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Hour"@en ; +. +unit:MilliGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA826" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "mg/kg" ; + qudt:ucumCode "mg.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mg/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NA" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Kilogram"@en ; +. +unit:MilliGM-PER-L + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA827" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "mg/L" ; + qudt:ucumCode "mg.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "mg/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M1" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Liter"@en-us ; + rdfs:label "Milligram Per Litre"@en ; +. +unit:MilliGM-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA828" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre" ; + qudt:symbol "mg/m" ; + qudt:ucumCode "mg.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C12" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Meter"@en-us ; + rdfs:label "Milligram Per Metre"@en ; +. +unit:MilliGM-PER-M2 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA829" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/m²" ; + qudt:ucumCode "mg.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "mg/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GO" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Square Meter"@en-us ; + rdfs:label "Milligram Per Square Metre"@en ; +. +unit:MilliGM-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅day)" ; + qudt:ucumCode "mg.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per square metre per day"@en ; +. +unit:MilliGM-PER-M2-HR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅hr)" ; + qudt:ucumCode "mg.m-2.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per square metre per hour"@en ; +. +unit:MilliGM-PER-M2-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅s)" ; + qudt:ucumCode "mg.m-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per square metre per second"@en ; +. +unit:MilliGM-PER-M3 + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA830" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mg/m³" ; + qudt:ucumCode "mg.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "mg/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GP" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Cubic Meter"@en-us ; + rdfs:label "Milligram Per Cubic Metre"@en ; +. +unit:MilliGM-PER-M3-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅day)" ; + qudt:ucumCode "mg.m-3.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per cubic metre per day"@en ; +. +unit:MilliGM-PER-M3-HR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅hr)" ; + qudt:ucumCode "mg.m-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per cubic metre per hour"@en ; +. +unit:MilliGM-PER-M3-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅s)" ; + qudt:ucumCode "mg.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligrams per cubic metre per second"@en ; +. +unit:MilliGM-PER-MIN + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA833" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit minute" ; + qudt:symbol "mg/min" ; + qudt:ucumCode "mg/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F33" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Minute"@en ; +. +unit:MilliGM-PER-MilliL + a qudt:Unit ; + dcterms:description "A scaled unit of mass concentration."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassConcentration ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit millilitre" ; + qudt:symbol "mg/mL" ; + qudt:ucumCode "mg.mL-1"^^qudt:UCUMcs ; + qudt:ucumCode "mg/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Milliliter"@en-us ; + rdfs:label "Milligram Per Millilitre"@en ; +. +unit:MilliGM-PER-SEC + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA836" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit second" ; + qudt:symbol "mg/s" ; + qudt:ucumCode "mg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F34" ; + rdfs:isDefinedBy ; + rdfs:label "Milligram Per Second"@en ; +. +unit:MilliGRAY + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit gray"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:iec61360Code "0112/2///62720#UAA788" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit gray" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mGy" ; + qudt:ucumCode "mGy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C13" ; + rdfs:isDefinedBy ; + rdfs:label "Milligray"@en ; +. +unit:MilliH + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of inductance equal to one thousandth of a henry. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA789" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mH" ; + qudt:ucumCode "mH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C14" ; + rdfs:isDefinedBy ; + rdfs:label "Millihenry"@en ; +. +unit:MilliH-PER-KiloOHM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA791" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; + qudt:symbol "mH/kΩ" ; + qudt:ucumCode "mH.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H05" ; + rdfs:isDefinedBy ; + rdfs:label "Millihenry Per Kiloohm"@en ; +. +unit:MilliH-PER-OHM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA790" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "mH/Ω" ; + qudt:ucumCode "mH.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H06" ; + rdfs:isDefinedBy ; + rdfs:label "Millihenry Per Ohm"@en ; +. +unit:MilliIN + a qudt:Unit ; + dcterms:description "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA841" ; + qudt:plainTextDescription "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "mil" ; + qudt:ucumCode "m[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "77" ; + rdfs:isDefinedBy ; + rdfs:label "Milli-inch"@en ; + skos:altLabel "mil"@en-us ; + skos:altLabel "thou"@en-gb ; +. +unit:MilliJ + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA792" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit joule" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mJ" ; + qudt:ucumCode "mJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C15" ; + rdfs:isDefinedBy ; + rdfs:label "Millijoule"@en ; +. +unit:MilliJ-PER-GM + a qudt:Unit ; + dcterms:description "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA174" ; + qudt:plainTextDescription "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "mJ/g" ; + qudt:ucumCode "mJ.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millijoule Per Gram"@en ; +. +unit:MilliKAT-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "mkat/L" ; + qudt:ucumCode "mkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millikatal Per Liter"@en-us ; + rdfs:label "Millikatal Per Litre"@en ; +. +unit:MilliL + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA844" ; + qudt:plainTextDescription "0.001-fold of the unit litre" ; + qudt:symbol "mL" ; + qudt:ucumCode "mL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MLT" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre"@en ; + rdfs:label "Millilitre"@en-us ; +. +unit:MilliL-PER-CentiM2-MIN + a qudt:Unit ; + dcterms:description "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.00016666667 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumetricFlux ; + qudt:iec61360Code "0112/2///62720#UAA858" ; + qudt:plainTextDescription "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mL/(cm²⋅min)" ; + qudt:ucumCode "mL.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "35" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Square Centimeter Minute"@en-us ; + rdfs:label "Millilitre Per Square Centimetre Minute"@en ; +. +unit:MilliL-PER-CentiM2-SEC + a qudt:Unit ; + dcterms:description "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumetricFlux ; + qudt:iec61360Code "0112/2///62720#UAB085" ; + qudt:plainTextDescription "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "mL/(cm²⋅s)" ; + qudt:ucumCode "mL.cm-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "35" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Square Centimeter Second"@en-us ; + rdfs:label "Millilitre Per Square Centimetre Second"@en ; +. +unit:MilliL-PER-DAY + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA847" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit day" ; + qudt:symbol "mL/day" ; + qudt:ucumCode "mL.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G54" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Day"@en ; + rdfs:label "Millilitre Per Day"@en-us ; +. +unit:MilliL-PER-GM + a qudt:Unit ; + dcterms:description "Milliliter Per Gram (mm3/g) is a unit in the category of Specific Volume. It is also known as milliliters per gram, millilitre per gram, millilitres per gram, milliliter/gram, millilitre/gram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mL/g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:symbol "mL/g" ; + qudt:ucumCode "mL.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "mL/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milliliter per Gram"@en-us ; + rdfs:label "Millilitre per Gram"@en ; +. +unit:MilliL-PER-HR + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA850" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit hour" ; + qudt:symbol "mL/hr" ; + qudt:ucumCode "mL.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G55" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Hour"@en ; + rdfs:label "Millilitre Per Hour"@en-us ; +. +unit:MilliL-PER-K + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA845" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit kelvin" ; + qudt:symbol "mL/K" ; + qudt:ucumCode "mL.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G30" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Kelvin"@en ; + rdfs:label "Millilitre Per Kelvin"@en-us ; +. +unit:MilliL-PER-KiloGM + a qudt:Unit ; + dcterms:description "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB095" ; + qudt:plainTextDescription "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram" ; + qudt:symbol "mL/kg" ; + qudt:ucumCode "mL.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mL/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KX" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Kilogram"@en ; + rdfs:label "Millilitre Per Kilogram"@en-us ; +. +unit:MilliL-PER-L + a qudt:Unit ; + dcterms:description "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA853" ; + qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre" ; + qudt:symbol "mL/L" ; + qudt:ucumCode "mL.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "mL/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L19" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Liter"@en-us ; + rdfs:label "Millilitre Per Litre"@en ; +. +unit:MilliL-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-11 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mL/(m²⋅day)" ; + qudt:ucumCode "mL.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millilitres per square metre per day"@en ; +. +unit:MilliL-PER-M3 + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA854" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mL/m³" ; + qudt:ucumCode "mL.m-3"^^qudt:UCUMcs ; + qudt:ucumCode "mL/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H65" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Cubic Meter"@en-us ; + rdfs:label "Millilitre Per Cubic Metre"@en ; +. +unit:MilliL-PER-MIN + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA855" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit minute" ; + qudt:symbol "mL/min" ; + qudt:ucumCode "mL.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "mL/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "41" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Minute"@en ; + rdfs:label "Millilitre Per Minute"@en-us ; +. +unit:MilliL-PER-SEC + a qudt:Unit ; + dcterms:description "0.001-fold of the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA859" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit second" ; + qudt:symbol "mL/s" ; + qudt:ucumCode "mL.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "40" ; + rdfs:isDefinedBy ; + rdfs:label "Millilitre Per Second"@en ; + rdfs:label "Millilitre Per Second"@en-us ; +. +unit:MilliM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The millimetre (International spelling as used by the International Bureau of Weights and Measures) or millimeter (American spelling) (SI unit symbol mm) is a unit of length in the metric system, equal to one thousandth of a metre, which is the SI base unit of length. It is equal to 1000 micrometres or 1000000 nanometres. A millimetre is equal to exactly 5/127 (approximately 0.039370) of an inch."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millimetre"^^xsd:anyURI ; + qudt:expression "\\(mm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA862" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millimetre?oldid=493032457"^^xsd:anyURI ; + qudt:prefix prefix:Milli ; + qudt:symbol "mm" ; + qudt:ucumCode "mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMT" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter"@en-us ; + rdfs:label "Millimetre"@en ; + skos:altLabel "mil"@en-gb ; +. +unit:MilliM-PER-DAY + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15741e-08 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:informativeReference "https://www.wmo.int/pages/prog/www/IMOP/CIMO-Guide.html"^^xsd:anyURI ; + qudt:plainTextDescription "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)" ; + qudt:symbol "mm/day" ; + qudt:ucumCode "mm.d-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "millimeters per day"@en-us ; + rdfs:label "millimetres per day"@en ; +. +unit:MilliM-PER-HR + a qudt:Unit ; + dcterms:description "0001-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA866" ; + qudt:plainTextDescription "0001-fold of the SI base unit metre divided by the unit hour" ; + qudt:symbol "mm/hr" ; + qudt:ucumCode "mm.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H67" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter Per Hour"@en-us ; + rdfs:label "Millimetre Per Hour"@en ; +. +unit:MilliM-PER-K + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA864" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "mm/K" ; + qudt:ucumCode "mm.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F53" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter Per Kelvin"@en-us ; + rdfs:label "Millimetre Per Kelvin"@en ; +. +unit:MilliM-PER-MIN + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit metre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB378" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit minute" ; + qudt:symbol "mm/min" ; + qudt:ucumCode "mm.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H81" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter Per Minute"@en-us ; + rdfs:label "Millimetre Per Minute"@en ; +. +unit:MilliM-PER-SEC + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA867" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit second" ; + qudt:symbol "mm/s" ; + qudt:ucumCode "mm.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C16" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter Per Second"@en-us ; + rdfs:label "Millimetre Per Second"@en ; +. +unit:MilliM-PER-YR + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit metre divided by the unit year"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.71e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:hasQuantityKind quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA868" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit year" ; + qudt:symbol "mm/yr" ; + qudt:ucumCode "mm.a-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm/a"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H66" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter Per Year"@en-us ; + rdfs:label "Millimetre Per Year"@en ; +. +unit:MilliM2 + a qudt:Unit ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA871" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mm²" ; + qudt:ucumCode "mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Millimeter"@en-us ; + rdfs:label "Square Millimetre"@en ; +. +unit:MilliM2-PER-SEC + a qudt:Unit ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA872" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second" ; + qudt:symbol "mm²/s" ; + qudt:ucumCode "mm2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C17" ; + rdfs:isDefinedBy ; + rdfs:label "Square Millimeter Per Second"@en-us ; + rdfs:label "Square Millimetre Per Second"@en ; +. +unit:MilliM3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A metric measure of volume or capacity equal to a cube 1 millimeter on each edge"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA873" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mm³" ; + qudt:ucumCode "mm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Millimeter"@en-us ; + rdfs:label "Cubic Millimetre"@en ; +. +unit:MilliM3-PER-GM + a qudt:Unit ; + dcterms:description "Cubic Millimeter Per Gram (mm3/g) is a unit in the category of Specific Volume. It is also known as cubic millimeters per gram, cubic millimetre per gram, cubic millimetres per gram, cubic millimeter/gram, cubic millimetre/gram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}/g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:symbol "mm³/g" ; + qudt:ucumCode "mm3.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm3/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Millimeter per Gram"@en-us ; + rdfs:label "Cubic Millimetre per Gram"@en ; +. +unit:MilliM3-PER-KiloGM + a qudt:Unit ; + dcterms:description "Cubic Millimeter Per Kilogram (mm3/kg) is a unit in the category of Specific Volume. It is also known as cubic millimeters per kilogram, cubic millimetre per kilogram, cubic millimetres per kilogram, cubic millimeter/kilogram, cubic millimetre/kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:symbol "mm³/kg" ; + qudt:ucumCode "mm3.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mm3/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Millimeter per Kilogram"@en-us ; + rdfs:label "Cubic Millimetre per Kilogram"@en ; +. +unit:MilliM3-PER-M3 + a qudt:Unit ; + dcterms:description "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA874" ; + qudt:plainTextDescription "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mm³/m³" ; + qudt:ucumCode "mm3.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L21" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Millimeter Per Cubic Meter"@en-us ; + rdfs:label "Cubic Millimetre Per Cubic Metre"@en ; +. +unit:MilliM4 + a qudt:Unit ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 4"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; + qudt:iec61360Code "0112/2///62720#UAA869" ; + qudt:plainTextDescription "0.001-fold of the power of the SI base unit metre with the exponent 4" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mm⁴" ; + qudt:ucumCode "mm4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G77" ; + rdfs:isDefinedBy ; + rdfs:label "Quartic Millimeter"@en-us ; + rdfs:label "Quartic Millimetre"@en ; +. +unit:MilliMOL + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA877" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mmol" ; + qudt:ucumCode "mmol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C18" ; + rdfs:isDefinedBy ; + rdfs:label "Millimole"@en ; +. +unit:MilliMOL-PER-GM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:iec61360Code "0112/2///62720#UAA878" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "mmol/g" ; + qudt:ucumCode "mmol.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H68" ; + rdfs:isDefinedBy ; + rdfs:label "Millimole Per Gram"@en ; +. +unit:MilliMOL-PER-KiloGM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI base unit mol divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:hasQuantityKind quantitykind:IonicStrength ; + qudt:iec61360Code "0112/2///62720#UAA879" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the SI base unit kilogram" ; + qudt:symbol "mmol/kg" ; + qudt:ucumCode "mmol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mmol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D87" ; + rdfs:isDefinedBy ; + rdfs:label "Millimole Per Kilogram"@en ; +. +unit:MilliMOL-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI derived unit for amount-of-substance concentration is the mmo/L."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(mmo/L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:BloodGlucoseLevel ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "mmol/L" ; + qudt:ucumCode "mmol.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "mmol/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M33" ; + rdfs:isDefinedBy ; + rdfs:label "millimoles per litre"@en ; + rdfs:label "millimoles per litre"@en-us ; +. +unit:MilliMOL-PER-M2 + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/m²" ; + qudt:ucumCode "mmol.m-2"^^qudt:UCUMcs ; + qudt:udunitsCode "DU" ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per square metre"@en ; +. +unit:MilliMOL-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-08 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/(m²⋅day)" ; + qudt:ucumCode "mmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per square metre per day"@en ; +. +unit:MilliMOL-PER-M2-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(m²⋅s)" ; + qudt:ucumCode "mmol.m-2.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "mmol/m2/s1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per square metre per second"@en ; +. +unit:MilliMOL-PER-M3 + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "mmol/m³" ; + qudt:ucumCode "mmol.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per cubic metre"@en ; +. +unit:MilliMOL-PER-M3-DAY + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-08 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/(m³⋅day)" ; + qudt:ucumCode "mmol.m-3.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per cubic metre per day"@en ; +. +unit:MilliMOL-PER-MOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "mmol/mol" ; + qudt:ucumCode "mmol.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimoles per mole"@en ; +. +unit:MilliM_H2O + a qudt:Unit ; + dcterms:description "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA875" ; + qudt:plainTextDescription "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm" ; + qudt:symbol "mmH₂0" ; + qudt:ucumCode "mm[H2O]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HP" ; + rdfs:isDefinedBy ; + rdfs:label "Conventional Millimeter Of Water"@en-us ; + rdfs:label "Conventional Millimetre Of Water"@en ; +. +unit:MilliM_HG + a qudt:Unit ; + dcterms:description "The millimeter of mercury is defined as the pressure exerted at the base of a column of fluid exactly 1 mm high, when the density of the fluid is exactly \\(13.5951 g/cm^{3}\\), at a place where the acceleration of gravity is exactly \\(9.80665 m/s^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 133.322387415 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; + qudt:symbol "mmHg" ; + qudt:ucumCode "mm[Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "mmHg" ; + qudt:udunitsCode "mm_Hg" ; + qudt:udunitsCode "mm_hg" ; + qudt:udunitsCode "mmhg" ; + qudt:uneceCommonCode "HN" ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter of Mercury"@en-us ; + rdfs:label "Millimetre of Mercury"@en ; +. +unit:MilliM_HGA + a qudt:Unit ; + dcterms:description "Millimeters of Mercury inclusive of atmospheric pressure"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "mmHgA" ; + qudt:ucumCode "mm[Hg]{absolute}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millimeter of Mercury - Absolute"@en-us ; + rdfs:label "Millimetre of Mercury - Absolute"@en ; +. +unit:MilliN + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA793" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit newton" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mN" ; + qudt:ucumCode "mN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C20" ; + rdfs:isDefinedBy ; + rdfs:label "Millinewton"@en ; +. +unit:MilliN-M + a qudt:Unit ; + dcterms:description "0.001-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA794" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "mN⋅m" ; + qudt:ucumCode "mN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D83" ; + rdfs:isDefinedBy ; + rdfs:label "Millinewton Meter"@en-us ; + rdfs:label "Millinewton Metre"@en ; +. +unit:MilliN-PER-M + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit newton divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA795" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit newton divided by the SI base unit metre" ; + qudt:symbol "mN/m" ; + qudt:ucumCode "mN.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C22" ; + rdfs:isDefinedBy ; + rdfs:label "Millinewton Per Meter"@en-us ; + rdfs:label "Millinewton Per Metre"@en ; +. +unit:MilliOHM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA741" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit ohm" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mΩ" ; + qudt:ucumCode "mOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E45" ; + rdfs:isDefinedBy ; + rdfs:label "Milliohm"@en ; +. +unit:MilliPA + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA796" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit pascal" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mPa" ; + qudt:ucumCode "mPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "74" ; + rdfs:isDefinedBy ; + rdfs:label "Millipascal"@en ; +. +unit:MilliPA-SEC + a qudt:Unit ; + dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA797" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second" ; + qudt:symbol "mPa⋅s" ; + qudt:ucumCode "mPa.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C24" ; + rdfs:isDefinedBy ; + rdfs:label "Millipascal Second"@en ; +. +unit:MilliPA-SEC-PER-BAR + a qudt:Unit ; + dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA799" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar" ; + qudt:symbol "mPa⋅s/bar" ; + qudt:ucumCode "mPa.s.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L16" ; + rdfs:isDefinedBy ; + rdfs:label "Millipascal Second Per Bar"@en ; +. +unit:MilliR + a qudt:Unit ; + dcterms:description "0.001-fold of the unit roentgen."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.58e-07 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA898" ; + qudt:iec61360Code "0112/2///62720#UAB056" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "0.001-fold of the unit roentgen." ; + qudt:symbol "mR" ; + qudt:ucumCode "mR"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Y" ; + rdfs:isDefinedBy ; + rdfs:label "Milliroentgen"@en ; +. +unit:MilliRAD + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:guidance ""^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA897" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mrad" ; + qudt:ucumCode "mrad"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C25" ; + rdfs:isDefinedBy ; + rdfs:label "milliradian"@en ; +. +unit:MilliRAD_R + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.00001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:symbol "mrad" ; + rdfs:isDefinedBy ; + rdfs:label "MilliRad"@en ; +. +unit:MilliRAD_R-PER-HR + a qudt:Unit ; + dcterms:description "One thousandth part of an absorbed ionizing radiation dose equal to 100 ergs per gram of irradiated material received per hour."@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 2.77777777777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mrad/hr" ; + qudt:ucumCode "mRAD.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Millirads per hour"@en ; +. +unit:MilliR_man + a qudt:Unit ; + dcterms:description "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body."^^rdf:HTML ; + qudt:conversionMultiplier 2.58e-07 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA898" ; + qudt:iec61360Code "0112/2///62720#UAB056" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; + qudt:plainTextDescription "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body." ; + qudt:symbol "mrem" ; + qudt:ucumCode "mREM"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L31" ; + rdfs:isDefinedBy ; + rdfs:label "Milliroentgen Equivalent Man"@en ; +. +unit:MilliS + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA800" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit siemens" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mS" ; + qudt:ucumCode "mS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C27" ; + rdfs:isDefinedBy ; + rdfs:label "Millisiemens"@en ; +. +unit:MilliS-PER-CentiM + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA801" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "mS/cm" ; + qudt:ucumCode "mS.cm-1"^^qudt:UCUMcs ; + qudt:ucumCode "mS/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H61" ; + rdfs:isDefinedBy ; + rdfs:label "Millisiemens Per Centimeter"@en-us ; + rdfs:label "Millisiemens Per Centimetre"@en ; +. +unit:MilliS-PER-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:symbol "mS/m" ; + qudt:ucumCode "mS.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "MilliSiemens per metre"@en ; +. +unit:MilliSEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Millisecond\" is an Imperial unit for 'Time' expressed as \\(ms\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA899" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; + qudt:prefix prefix:Milli ; + qudt:symbol "ms" ; + qudt:ucumCode "ms"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C26" ; + rdfs:isDefinedBy ; + rdfs:label "millisecond"@en ; +. +unit:MilliSV + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit sievert"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA802" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit sievert" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mSv" ; + qudt:ucumCode "mSv"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C28" ; + rdfs:isDefinedBy ; + rdfs:label "Millisievert"@en ; +. +unit:MilliT + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA803" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit tesla" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mT" ; + qudt:ucumCode "mT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C29" ; + rdfs:isDefinedBy ; + rdfs:label "Millitesla"@en ; +. +unit:MilliTORR + a qudt:Unit ; + dcterms:description "\"MilliTorr\" is a unit for 'Force Per Area' expressed as \\(utorr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.133322 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "mTorr" ; + rdfs:isDefinedBy ; + rdfs:label "MilliTorr"@en ; +. +unit:MilliV + a qudt:Unit ; + dcterms:description "0,001-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA804" ; + qudt:plainTextDescription "0,001-fold of the SI derived unit volt" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mV" ; + qudt:ucumCode "mV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Z" ; + rdfs:isDefinedBy ; + rdfs:label "Millivolt"@en ; +. +unit:MilliV-PER-M + a qudt:Unit ; + dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA805" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "mV/m" ; + qudt:ucumCode "mV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C30" ; + rdfs:isDefinedBy ; + rdfs:label "Millivolt Per Meter"@en-us ; + rdfs:label "Millivolt Per Metre"@en ; +. +unit:MilliV-PER-MIN + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit volt divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA806" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit volt divided by the unit minute" ; + qudt:symbol "mV/min" ; + qudt:ucumCode "mV.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H62" ; + rdfs:isDefinedBy ; + rdfs:label "Millivolt Per Minute"@en ; +. +unit:MilliW + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:prefix prefix:Milli ; + qudt:symbol "mW" ; + qudt:ucumCode "mW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C31" ; + rdfs:isDefinedBy ; + rdfs:label "MilliW"@en ; +. +unit:MilliW-PER-CentiM2-MicroM-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅µm⋅sr)" ; + qudt:ucumCode "mW.cm-2.um-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milliwatts per square centimetre per micrometre per steradian"@en ; +. +unit:MilliW-PER-M2 + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA808" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mW/m²" ; + qudt:ucumCode "mW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C32" ; + rdfs:isDefinedBy ; + rdfs:label "Milliwatt Per Square Meter"@en-us ; + rdfs:label "Milliwatt Per Square Metre"@en ; +. +unit:MilliW-PER-M2-NanoM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅nm)" ; + qudt:ucumCode "mW.m-2.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milliwatts per square metre per nanometre"@en ; +. +unit:MilliW-PER-M2-NanoM-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅nm⋅sr)" ; + qudt:ucumCode "mW.m-2.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milliwatts per square metre per nanometre per steradian"@en ; +. +unit:MilliW-PER-MilliGM + a qudt:Unit ; + dcterms:description "SI derived unit milliwatt divided by the SI derived unit milligram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:W-PER-GM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:hasQuantityKind quantitykind:SpecificPower ; + qudt:plainTextDescription "SI derived unit milliwatt divided by the SI derived unit milligram" ; + qudt:symbol "mW/mg" ; + qudt:ucumCode "mW.mg-1"^^qudt:UCUMcs ; + qudt:ucumCode "mW/mg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Milliwatt per Milligram"@en ; +. +unit:MilliWB + a qudt:Unit ; + dcterms:description "0.001-fold of the SI derived unit weber"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA809" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit weber" ; + qudt:prefix prefix:Milli ; + qudt:symbol "mWb" ; + qudt:ucumCode "mWb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C33" ; + rdfs:isDefinedBy ; + rdfs:label "Milliweber"@en ; +. +unit:MillionUSD-PER-YR + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:expression "\\(\\(M\\$/yr\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + rdfs:isDefinedBy ; + rdfs:label "Million US Dollars per Year"@en ; +. +unit:N + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \"Newton\" is the SI unit of force. A force of one newton will accelerate a mass of one kilogram at the rate of one meter per second per second. The newton is named for Isaac Newton (1642-1727), the British mathematician, physicist, and natural philosopher. He was the first person to understand clearly the relationship between force (F), mass (m), and acceleration (a) expressed by the formula \\(F = m \\cdot a\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA235" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Newton?oldid=488427661"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "N" ; + qudt:ucumCode "N"^^qudt:UCUMcs ; + qudt:udunitsCode "N" ; + qudt:uneceCommonCode "NEW" ; + rdfs:isDefinedBy ; + rdfs:label "Newton"@de ; + rdfs:label "newton"@cs ; + rdfs:label "newton"@en ; + rdfs:label "newton"@es ; + rdfs:label "newton"@fr ; + rdfs:label "newton"@hu ; + rdfs:label "newton"@it ; + rdfs:label "newton"@ms ; + rdfs:label "newton"@pt ; + rdfs:label "newton"@ro ; + rdfs:label "newton"@sl ; + rdfs:label "newton"@tr ; + rdfs:label "newtonium"@la ; + rdfs:label "niuton"@pl ; + rdfs:label "νιούτον"@el ; + rdfs:label "ньютон"@ru ; + rdfs:label "нютон"@bg ; + rdfs:label "ניוטון"@he ; + rdfs:label "نيوتن"@ar ; + rdfs:label "نیوتن"@fa ; + rdfs:label "न्यूटन"@hi ; + rdfs:label "ニュートン"@ja ; + rdfs:label "牛顿"@zh ; +. +unit:N-CentiM + a qudt:Unit ; + dcterms:description "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA237" ; + qudt:plainTextDescription "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre" ; + qudt:symbol "N⋅cm" ; + qudt:ucumCode "N.cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F88" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Centimeter"@en-us ; + rdfs:label "Newton Centimetre"@en ; +. +unit:N-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Torque\" is the tendency of a force to cause a rotation, is the product of the force and the distance from the center of rotation to the point where the force is applied. Torque has the same units as work or energy, but it is a different physical concept. To stress the difference, scientists measure torque in newton meters rather than in joules, the SI unit of work. One newton meter is approximately 0.737562 pound foot."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA239" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Newton_metre?oldid=493923333"^^xsd:anyURI ; + qudt:siUnitsExpression "N.m" ; + qudt:symbol "N⋅m" ; + qudt:ucumCode "N.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NU" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter"@en-us ; + rdfs:label "Newtonmeter"@de ; + rdfs:label "newton meter"@ms ; + rdfs:label "newton meter"@sl ; + rdfs:label "newton metr"@cs ; + rdfs:label "newton metre"@en ; + rdfs:label "newton metre"@tr ; + rdfs:label "newton metro"@es ; + rdfs:label "newton per metro"@it ; + rdfs:label "newton-metro"@pt ; + rdfs:label "newton-metru"@ro ; + rdfs:label "newton-mètre"@fr ; + rdfs:label "niutonometr; dżul na radian"@pl ; + rdfs:label "νιούτον επί μέτρο; νιουτόμετρο"@el ; + rdfs:label "ньютон-метр"@ru ; + rdfs:label "нютон-метър"@bg ; + rdfs:label "نيوتن متر"@ar ; + rdfs:label "نیوتون متر"@fa ; + rdfs:label "न्यूटन मीटर"@hi ; + rdfs:label "ニュートンメートル"@ja ; + rdfs:label "牛米"@zh ; +. +unit:N-M-PER-A + a qudt:Unit ; + dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA241" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere" ; + qudt:symbol "N⋅m/A" ; + qudt:ucumCode "N.m.A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F90" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter Per Ampere"@en-us ; + rdfs:label "Newton Metre Per Ampere"@en ; +. +unit:N-M-PER-KiloGM + a qudt:Unit ; + dcterms:description "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB490" ; + qudt:plainTextDescription "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram" ; + qudt:symbol "N⋅m/kg" ; + qudt:ucumCode "N.m.kg-1"^^qudt:UCUMcs ; + qudt:udunitsCode "gp" ; + qudt:uneceCommonCode "G19" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter Per Kilogram"@en-us ; + rdfs:label "Newton Metre Per Kilogram"@en ; +. +unit:N-M-PER-M + a qudt:Unit ; + dcterms:description "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TorquePerLength ; + qudt:plainTextDescription "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton" ; + qudt:symbol "N⋅m/m" ; + qudt:uneceCommonCode "Q27" ; + rdfs:isDefinedBy ; + rdfs:label "Newton meter per meter"@en-us ; + rdfs:label "Newton metre per metre"@en ; + rdfs:label "Newtonmeter pro Meter"@de ; +. +unit:N-M-PER-M-RAD + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:N-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ModulusOfRotationalSubgradeReaction ; + qudt:symbol "N⋅m/(m⋅rad)" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Metre per Metre per Radians" ; + owl:sameAs unit:N-PER-RAD ; +. +unit:N-M-PER-M2 + a qudt:Unit ; + dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA244" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "N⋅m/m²" ; + qudt:ucumCode "N.m.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H86" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter Per Square Meter"@en-us ; + rdfs:label "Newton Metre Per Square Metre"@en ; +. +unit:N-M-PER-RAD + a qudt:Unit ; + dcterms:description "Newton Meter per Radian is the SI unit for Torsion Constant"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TorquePerAngle ; + qudt:plainTextDescription "Newton Meter per Radian is the SI unit for Torsion Constant" ; + qudt:symbol "N⋅m/rad" ; + qudt:uneceCommonCode "M93" ; + rdfs:isDefinedBy ; + rdfs:label "Newton meter per radian"@en-us ; + rdfs:label "Newton metre per radian"@en ; + rdfs:label "Newtonmeter pro Radian"@de ; +. +unit:N-M-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI derived unit of angular momentum. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse ; + qudt:hasQuantityKind quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAA245" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/SI_derived_unit"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:siUnitsExpression "N.m.sec" ; + qudt:symbol "N⋅m⋅s" ; + qudt:ucumCode "N.m.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C53" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter Second"@en-us ; + rdfs:label "Newtonmetersekunde"@de ; + rdfs:label "newton meter saat"@ms ; + rdfs:label "newton metr sekunda"@cs ; + rdfs:label "newton metre saniye"@tr ; + rdfs:label "newton metre second"@en ; + rdfs:label "newton metro segundo"@es ; + rdfs:label "newton per metro per secondo"@it ; + rdfs:label "newton-metro-segundo"@pt ; + rdfs:label "newton-metru-secundă"@ro ; + rdfs:label "newton-mètre-seconde"@fr ; + rdfs:label "niutonometrosekunda"@pl ; + rdfs:label "ньютон-метр-секунда"@ru ; + rdfs:label "نيوتن متر ثانية"@ar ; + rdfs:label "نیوتون ثانیه"@fa ; + rdfs:label "न्यूटन मीटर सैकण्ड"@hi ; + rdfs:label "ニュートンメートル秒"@ja ; + rdfs:label "牛秒"@zh ; +. +unit:N-M-SEC-PER-M + a qudt:Unit ; + dcterms:description "Newton metre seconds measured per metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:plainTextDescription "Newton metre seconds measured per metre" ; + qudt:symbol "N⋅m⋅s/m" ; + rdfs:isDefinedBy ; + rdfs:label "Newton meter seconds per meter"@en-us ; + rdfs:label "Newton metre seconds per metre"@en ; + rdfs:label "Newtonmetersekunden pro Meter"@de ; +. +unit:N-M-SEC-PER-RAD + a qudt:Unit ; + dcterms:description "Newton metre seconds measured per radian"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularMomentumPerAngle ; + qudt:plainTextDescription "Newton metre seconds measured per radian" ; + qudt:symbol "N⋅m⋅s/rad" ; + rdfs:isDefinedBy ; + rdfs:label "Newton meter seconds per radian"@en-us ; + rdfs:label "Newton metre seconds per radian"@en ; + rdfs:label "Newtonmetersekunden pro Radian"@de ; +. +unit:N-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:WarpingMoment ; + qudt:symbol "N⋅m²" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Square Meter"@en-us ; + rdfs:label "Newton Square Metre"@en ; +. +unit:N-M2-PER-A + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:WB-M ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:symbol "N⋅m²/A" ; + qudt:ucumCode "N.m2.A-1"^^qudt:UCUMcs ; + qudt:ucumCode "N.m2/A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P49" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Meter Squared per Ampere"@en-us ; + rdfs:label "Newton Metre Squared per Ampere"@en ; +. +unit:N-M2-PER-KiloGM2 + a qudt:Unit ; + dcterms:description "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAB491" ; + qudt:plainTextDescription "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2" ; + qudt:symbol "N⋅m²/kg²" ; + qudt:ucumCode "N.m2.kg-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C54" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Square Meter Per Square Kilogram"@en-us ; + rdfs:label "Newton Square Metre Per Square Kilogram"@en ; +. +unit:N-PER-A + a qudt:Unit ; + dcterms:description "SI derived unit newton divided by the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:iec61360Code "0112/2///62720#UAA236" ; + qudt:plainTextDescription "SI derived unit newton divided by the SI base unit ampere" ; + qudt:symbol "N/A" ; + qudt:ucumCode "N.A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H40" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Per Ampere"@en ; +. +unit:N-PER-C + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Newton Per Coulomb ( N/C) is a unit in the category of Electric field strength. It is also known as newtons/coulomb. Newton Per Coulomb ( N/C) has a dimension of MLT-3I-1 where M is mass, L is length, T is time, and I is electric current. It essentially the same as the corresponding standard SI unit V/m."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/C\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerElectricCharge ; + qudt:symbol "N/C" ; + qudt:ucumCode "N.C-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Newton per Coulomb"@en ; +. +unit:N-PER-CentiM + a qudt:Unit ; + dcterms:description "SI derived unit newton divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA238" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "N/cm" ; + qudt:ucumCode "N.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M23" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Per Centimeter"@en-us ; + rdfs:label "Newton Per Centimetre"@en ; +. +unit:N-PER-CentiM2 + a qudt:Unit ; + dcterms:description "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB183" ; + qudt:plainTextDescription "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "N/cm²" ; + qudt:ucumCode "N.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E01" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Per Square Centimeter"@en-us ; + rdfs:label "Newton Per Square Centimetre"@en ; +. +unit:N-PER-KiloGM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Gravitational field strength at a point is the gravitational force per unit mass at that point. It is a vector and its S.I. unit is N kg-1."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:symbol "N/kg" ; + qudt:ucumCode "N.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Newton per Kilogram"@en ; +. +unit:N-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Newton Per Meter (N/m) is a unit in the category of Surface tension. It is also known as newtons per meter, newton per metre, newtons per metre, newton/meter, newton/metre. This unit is commonly used in the SI unit system. Newton Per Meter (N/m) has a dimension of MT-2 where M is mass, and T is time. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA246" ; + qudt:symbol "N/m" ; + qudt:ucumCode "N.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "N/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4P" ; + rdfs:isDefinedBy ; + rdfs:label "Newton je Meter"@de ; + rdfs:label "Newton per Meter"@en-us ; + rdfs:label "newton al metro"@it ; + rdfs:label "newton bölü metre"@tr ; + rdfs:label "newton na meter"@sl ; + rdfs:label "newton par mètre"@fr ; + rdfs:label "newton pe metru"@ro ; + rdfs:label "newton per meter"@ms ; + rdfs:label "newton per metre"@en ; + rdfs:label "newton por metro"@es ; + rdfs:label "newton por metro"@pt ; + rdfs:label "newtonů na metr"@cs ; + rdfs:label "niuton na metr"@pl ; + rdfs:label "ньютон на метр"@ru ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "نیوتن بر متر"@fa ; + rdfs:label "प्रति मीटर न्यूटन"@hi ; + rdfs:label "ニュートン毎メートル"@ja ; + rdfs:label "牛顿每米"@zh ; +. +unit:N-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:KiloGM-PER-M-SEC2 ; + qudt:exactMatch unit:PA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfLinearSubgradeReaction ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:siUnitsExpression "N/m^2" ; + qudt:symbol "N/m²" ; + qudt:ucumCode "N.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C55" ; + rdfs:isDefinedBy ; + rdfs:label "Newtons Per Square Meter"@en-us ; + rdfs:label "Newtons Per Square Metre"@en ; +. +unit:N-PER-M3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ModulusOfSubgradeReaction ; + qudt:symbol "N/m³" ; + qudt:ucumCode "N.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Newtons per cubic metre"@en ; +. +unit:N-PER-MilliM + a qudt:Unit ; + dcterms:description "SI derived unit newton divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA249" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "N/mm" ; + qudt:ucumCode "N.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F47" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Per Millimeter"@en-us ; + rdfs:label "Newton Per Millimetre"@en ; +. +unit:N-PER-MilliM2 + a qudt:Unit ; + dcterms:description "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA250" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "N/mm²" ; + qudt:ucumCode "N.mm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C56" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Per Square Millimeter"@en-us ; + rdfs:label "Newton Per Square Millimetre"@en ; +. +unit:N-PER-RAD + a qudt:Unit ; + dcterms:description "A one-newton force applied for one angle/torsional torque"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:exactMatch unit:N-M-PER-M-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAngle ; + qudt:plainTextDescription "A one-newton force applied for one angle/torsional torque" ; + qudt:symbol "N/rad" ; + rdfs:isDefinedBy ; + rdfs:label "Newton per radian"@en ; + rdfs:label "Newton per radian"@en-us ; + rdfs:label "Newton pro Radian"@de ; +. +unit:N-SEC + a qudt:Unit ; + dcterms:description "product of the SI derived unit newton and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:iec61360Code "0112/2///62720#UAA251" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit second" ; + qudt:symbol "N⋅s" ; + qudt:ucumCode "N.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C57" ; + rdfs:isDefinedBy ; + rdfs:label "Newtonsekunde"@de ; + rdfs:label "newton per secondo"@it ; + rdfs:label "newton saat"@ms ; + rdfs:label "newton saniye"@tr ; + rdfs:label "newton second"@en ; + rdfs:label "newton segundo"@es ; + rdfs:label "newton sekunda"@cs ; + rdfs:label "newton-seconde"@fr ; + rdfs:label "newton-secundă"@ro ; + rdfs:label "newton-segundo"@pt ; + rdfs:label "niutonosekunda"@pl ; + rdfs:label "ньютон-секунда"@ru ; + rdfs:label "نيوتن ثانية"@ar ; + rdfs:label "نیوتون ثانیه"@fa ; + rdfs:label "न्यूटन सैकण्ड"@hi ; + rdfs:label "ニュートン秒"@ja ; + rdfs:label "牛秒"@zh ; +. +unit:N-SEC-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Newton second measured per metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:expression "\\(N-s/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA252" ; + qudt:plainTextDescription "Newton second measured per metre" ; + qudt:symbol "N⋅s/m" ; + qudt:ucumCode "N.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C58" ; + rdfs:isDefinedBy ; + rdfs:label "Newton Second per Meter"@en-us ; + rdfs:label "Newton Second per Metre"@en ; + rdfs:label "Newtonsekunden pro Meter"@de ; +. +unit:N-SEC-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is \\(1 N \\cdot s \\cdot m^{-3} \\) if unit pressure produces unit velocity."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; + qudt:latexSymbol "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; + qudt:symbol "N⋅s/m³" ; + qudt:ucumCode "N.s.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Newton second per Cubic Meter"@en-us ; + rdfs:label "Newton second per Cubic Metre"@en ; +. +unit:N-SEC-PER-RAD + a qudt:Unit ; + dcterms:description "Newton seconds measured per radian"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MomentumPerAngle ; + qudt:plainTextDescription "Newton seconds measured per radian" ; + qudt:symbol "N⋅s/rad" ; + rdfs:isDefinedBy ; + rdfs:label "Newton seconds per radian"@en ; + rdfs:label "Newton seconds per radian"@en-us ; + rdfs:label "Newtonsekunden pro Radian"@de ; +. +unit:NAT + a qudt:Unit ; + dcterms:description "A nat is a logarithmic unit of information or entropy, based on natural logarithms and powers of e, rather than the powers of 2 and base 2 logarithms which define the bit. The nat is the natural unit for information entropy. Physical systems of natural units which normalize Boltzmann's constant to 1 are effectively measuring thermodynamic entropy in nats."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; + qudt:symbol "nat" ; + qudt:uneceCommonCode "Q16" ; + rdfs:isDefinedBy ; + rdfs:label "Nat"@en ; +. +unit:NAT-PER-SEC + a qudt:Unit ; + dcterms:description "\"Nat per Second\" is information rate in natural units."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(nat-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "nat/s" ; + qudt:uneceCommonCode "Q19" ; + rdfs:isDefinedBy ; + rdfs:label "Nat per Second"@en ; +. +unit:NP + a qudt:DimensionlessUnit ; + a qudt:LogarithmicUnit ; + a qudt:Unit ; + dcterms:description "The neper is a logarithmic unit for ratios of measurements of physical field and power quantities, such as gain and loss of electronic signals. It has the unit symbol Np. The unit's name is derived from the name of John Napier, the inventor of logarithms. As is the case for the decibel and bel, the neper is not a unit in the International System of Units (SI), but it is accepted for use alongside the SI. Like the decibel, the neper is a unit in a logarithmic scale. While the bel uses the decadic (base-10) logarithm to compute ratios, the neper uses the natural logarithm, based on Euler's number"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Neper"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:iec61360Code "0112/2///62720#UAA253" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Neper"^^xsd:anyURI ; + qudt:symbol "Np" ; + qudt:ucumCode "Np"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C50" ; + rdfs:isDefinedBy ; + rdfs:label "Neper"@en ; +. +unit:NTU + a qudt:Unit ; + dcterms:description "\"Nephelometry Turbidity Unit\" is a C.G.S System unit for 'Turbidity' expressed as \\(NTU\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Turbidity ; + qudt:symbol "NTU" ; + rdfs:isDefinedBy ; + rdfs:label "Nephelometry Turbidity Unit"@en ; +. +unit:NUM + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "\"Number\" is a unit for 'Dimensionless' expressed as (\\#\\)."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:ChargeNumber ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:hasQuantityKind quantitykind:FrictionCoefficient ; + qudt:hasQuantityKind quantitykind:HyperfineStructureQuantumNumber ; + qudt:hasQuantityKind quantitykind:IonTransportNumber ; + qudt:hasQuantityKind quantitykind:Landau-GinzburgNumber ; + qudt:hasQuantityKind quantitykind:MagneticQuantumNumber ; + qudt:hasQuantityKind quantitykind:MassNumber ; + qudt:hasQuantityKind quantitykind:NeutronNumber ; + qudt:hasQuantityKind quantitykind:NuclearSpinQuantumNumber ; + qudt:hasQuantityKind quantitykind:NucleonNumber ; + qudt:hasQuantityKind quantitykind:OrbitalAngularMomentumQuantumNumber ; + qudt:hasQuantityKind quantitykind:Population ; + qudt:hasQuantityKind quantitykind:PrincipalQuantumNumber ; + qudt:hasQuantityKind quantitykind:QuantumNumber ; + qudt:hasQuantityKind quantitykind:ReynoldsNumber ; + qudt:hasQuantityKind quantitykind:SpinQuantumNumber ; + qudt:hasQuantityKind quantitykind:StoichiometricNumber ; + qudt:hasQuantityKind quantitykind:TotalAngularMomentumQuantumNumber ; + qudt:symbol "#" ; + qudt:ucumCode "1"^^qudt:UCUMcs ; + qudt:ucumCode "{#}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number"@en ; +. +unit:NUM-PER-CentiM-KiloYR + a qudt:Unit ; + qudt:conversionMultiplier 3.16880878140289e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(cm⋅1000 yr)" ; + qudt:ucumCode "{#}.cm-2.ka-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per square centimetre per thousand years"@en ; +. +unit:NUM-PER-GM + a qudt:Unit ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/g" ; + qudt:ucumCode "{#}.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per gram"@en ; +. +unit:NUM-PER-HA + a qudt:Unit ; + dcterms:description "Count of an entity or phenomenon's occurrence in 10,000 times the SI unit area (square metre)."@en ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/ha" ; + qudt:ucumCode "{#}.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per hectare"@en ; +. +unit:NUM-PER-HR + a qudt:Unit ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/hr" ; + qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per hour"@en ; +. +unit:NUM-PER-HectoGM + a qudt:Unit ; + dcterms:description "Count of an entity or phenomenon occurrence in one 10th of the SI unit of mass (kilogram)."@en ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/hg" ; + qudt:ucumCode "{#}.hg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per 100 grams"@en ; +. +unit:NUM-PER-KiloM2 + a qudt:Unit ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/km²" ; + qudt:ucumCode "{#}.km-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per square kilometre"@en ; +. +unit:NUM-PER-L + a qudt:Unit ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/L" ; + qudt:ucumCode "/L"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per litre"@en ; +. +unit:NUM-PER-M + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:symbol "/m" ; + qudt:ucumCode "/m"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per metre"@en ; +. +unit:NUM-PER-M2 + a qudt:Unit ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/m²" ; + qudt:ucumCode "/m2"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per square metre"@en ; +. +unit:NUM-PER-M2-DAY + a qudt:Unit ; + qudt:conversionMultiplier 1.15740740740741e-05 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux ; + qudt:symbol "/(m²⋅day)" ; + qudt:ucumCode "{#}.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per square metre per day"@en ; +. +unit:NUM-PER-M3 + a qudt:Unit ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/m³" ; + qudt:ucumCode "/m3"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per cubic metre"@en ; +. +unit:NUM-PER-MicroL + a qudt:Unit ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/µL" ; + qudt:ucumCode "/uL"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.uL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per microlitre"@en ; +. +unit:NUM-PER-MilliGM + a qudt:Unit ; + dcterms:description "Count of an entity or phenomenon occurrence in one millionth of the SI unit of mass (kilogram)."@en ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/mg" ; + qudt:ucumCode "/mg"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.mg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per milligram"@en ; +. +unit:NUM-PER-MilliM3 + a qudt:Unit ; + qudt:conversionMultiplier 1000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/mm³" ; + qudt:ucumCode "/mm3"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.mm-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per cubic millimeter"@en ; +. +unit:NUM-PER-NanoL + a qudt:Unit ; + qudt:conversionMultiplier 1.0E12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/nL" ; + qudt:ucumCode "/nL"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.nL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per nanoliter"@en ; + rdfs:label "Number per nanolitre"@en ; +. +unit:NUM-PER-PicoL + a qudt:Unit ; + qudt:conversionMultiplier 1000000000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/pL" ; + qudt:ucumCode "/pL"^^qudt:UCUMcs ; + qudt:ucumCode "{#}.pL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per picoliter"@en ; +. +unit:NUM-PER-SEC + a qudt:Unit ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/s" ; + qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Counts per second"@en ; +. +unit:NUM-PER-YR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Number per Year\" is a unit for 'Frequency' expressed as \\(\\#/yr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.168808781402895023702689684893655e-08 ; + qudt:expression "\\(\\#/yr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "#/yr" ; + qudt:ucumCode "{#}.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Number per Year"@en ; +. +unit:NanoA + a qudt:Unit ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA901" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nA" ; + qudt:ucumCode "nA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C39" ; + rdfs:isDefinedBy ; + rdfs:label "nanoampere"@en ; +. +unit:NanoBQ + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:symbol "nBq" ; + rdfs:isDefinedBy ; + rdfs:label "NanoBecquerel"@en ; +. +unit:NanoBQ-PER-L + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "nBq/L" ; + qudt:ucumCode "nBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanobecquerels per litre"@en ; +. +unit:NanoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A NanoCoulomb is \\(10^{-9} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA902" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nC" ; + qudt:ucumCode "nC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C40" ; + rdfs:isDefinedBy ; + rdfs:label "NanoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:NanoFARAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A common metric unit of electric capacitance equal to \\(10^{-9} farad\\). This unit was previously called the \\(millimicrofarad\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA903" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:prefix prefix:Nano ; + qudt:symbol "nF" ; + qudt:ucumCode "nF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C41" ; + rdfs:isDefinedBy ; + rdfs:label "Nanofarad"@en ; +. +unit:NanoFARAD-PER-M + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA904" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "nF/m" ; + qudt:ucumCode "nF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C42" ; + rdfs:isDefinedBy ; + rdfs:label "Nanofarad Per Meter"@en-us ; + rdfs:label "Nanofarad Per Metre"@en ; +. +unit:NanoGM + a qudt:Unit ; + dcterms:description "10**-9 grams or one 10**-12 of the SI standard unit of mass (kilogram)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:prefix prefix:Nano ; + qudt:symbol "ng" ; + qudt:ucumCode "ng"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms"@en ; +. +unit:NanoGM-PER-DAY + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-17 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:symbol "ng/day" ; + qudt:ucumCode "ng.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms per day"@en ; +. +unit:NanoGM-PER-DeciL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A derived unit for amount-of-substance concentration measured in ng/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.00000001 ; + qudt:expression "\\(ng/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "ng/dL" ; + qudt:ucumCode "ng.dL-1"^^qudt:UCUMcs ; + qudt:ucumCode "ng/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "nanograms per decilitre"@en ; + rdfs:label "nanograms per decilitre"@en-us ; +. +unit:NanoGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA911" ; + qudt:plainTextDescription "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "ng/Kg" ; + qudt:ucumCode "ng.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "ng/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L32" ; + rdfs:isDefinedBy ; + rdfs:label "Nanogram Per Kilogram"@en ; +. +unit:NanoGM-PER-L + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "ng/L" ; + qudt:ucumCode "ng.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms per litre"@en ; +. +unit:NanoGM-PER-M2-PA-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "kg/(m²⋅s⋅Pa)" ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms per square metre per Pascal per second"@en ; +. +unit:NanoGM-PER-M3 + a qudt:Unit ; + dcterms:description "\"0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3\""^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "ng/m³" ; + qudt:ucumCode "ng.m-3"^^qudt:UCUMcs ; + rdfs:comment "\"Derived from GM-PER-M3 which exists in QUDT\"" ; + rdfs:isDefinedBy ; + rdfs:label "Nanogram Per Cubic Meter"@en-us ; + rdfs:label "Nanogram Per Cubic Metre"@en ; +. +unit:NanoGM-PER-MicroL + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "ng/µL" ; + qudt:ucumCode "ng.uL-1"^^qudt:UCUMcs ; + qudt:ucumCode "ng/uL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms per microlitre"@en ; +. +unit:NanoGM-PER-MilliL + a qudt:Unit ; + dcterms:description "One 10**12 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassConcentration ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "ng/mL" ; + qudt:ucumCode "ng.mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanograms per millilitre"@en ; +. +unit:NanoH + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit henry"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:hasQuantityKind quantitykind:Permeance ; + qudt:iec61360Code "0112/2///62720#UAA905" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nH" ; + qudt:ucumCode "nH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C43" ; + rdfs:isDefinedBy ; + rdfs:label "Nanohenry"@en ; +. +unit:NanoH-PER-M + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:hasQuantityKind quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA906" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre" ; + qudt:symbol "nH/m" ; + qudt:ucumCode "nH.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C44" ; + rdfs:isDefinedBy ; + rdfs:label "Nanohenry Per Meter"@en-us ; + rdfs:label "Nanohenry Per Metre"@en ; +. +unit:NanoKAT-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:symbol "nkat/L" ; + qudt:ucumCode "nkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanokatal Per Liter"@en-us ; + rdfs:label "Nanokatal Per Litre"@en ; +. +unit:NanoL + a qudt:Unit ; + dcterms:description "0.000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000001-fold of the unit litre" ; + qudt:symbol "nL" ; + qudt:ucumCode "nL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q34" ; + rdfs:isDefinedBy ; + rdfs:label "Nanolitre"@en ; + rdfs:label "Nanolitre"@en-us ; +. +unit:NanoM + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA912" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit metre" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nM" ; + qudt:ucumCode "nm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C45" ; + rdfs:isDefinedBy ; + rdfs:label "Nanometer"@en-us ; + rdfs:label "Nanometre"@en ; +. +unit:NanoM-PER-CentiM-MegaPA + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/cm/MPa" ; + qudt:symbol "nm/(cm⋅MPa)" ; + qudt:ucumCode "nm.cm-1.MPa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanometer Per Centimeter Megapascal"@en ; +. +unit:NanoM-PER-CentiM-PSI + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:conversionMultiplier 1.45037738e-11 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/cm/PSI" ; + qudt:symbol "nm/(cm⋅PSI)" ; + qudt:ucumCode "nm.cm-1.PSI-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanometer Per Centimeter PSI"@en ; +. +unit:NanoM-PER-MilliM-MegaPA + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/mm/MPa" ; + qudt:symbol "nm/(mm⋅MPa)" ; + qudt:ucumCode "nm.mm-1.MPa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanometer Per Millimeter Megapascal"@en ; +. +unit:NanoM2 + a qudt:Unit ; + dcterms:description "A unit of area equal to that of a square, of sides 1nm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-18 ; + qudt:expression "\\(sqnm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:hasQuantityKind quantitykind:NuclearQuadrupoleMoment ; + qudt:plainTextDescription "A unit of area equal to that of a square, of sides 1nm" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nm²" ; + qudt:ucumCode "nm2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Nanometer"@en-us ; + rdfs:label "Square Nanometre"@en ; +. +unit:NanoMOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasQuantityKind quantitykind:ExtentOfReaction ; + qudt:symbol "nmol" ; + rdfs:isDefinedBy ; + rdfs:label "NanoMole"@en ; +. +unit:NanoMOL-PER-CentiM3-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(cm³⋅hr)" ; + qudt:ucumCode "nmol.cm-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per cubic centimetre per hour"@en ; +. +unit:NanoMOL-PER-GM-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(g⋅s)" ; + qudt:ucumCode "nmol.g-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per gram per second"@en ; +. +unit:NanoMOL-PER-KiloGM + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "nmol/kg" ; + qudt:ucumCode "nmol.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "nmol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per kilogram"@en ; +. +unit:NanoMOL-PER-L + a qudt:Unit ; + dcterms:description "A scaled unit of amount-of-substance concentration."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:symbol "nmol/L" ; + qudt:ucumCode "nmol.L-1"^^qudt:UCUMcs ; + qudt:ucumCode "nmol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per litre"@en ; +. +unit:NanoMOL-PER-L-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-11 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(L⋅day)" ; + qudt:ucumCode "nmol.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per litre per day"@en ; +. +unit:NanoMOL-PER-L-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-10 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(L⋅hr)" ; + qudt:ucumCode "nmol.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per litre per hour"@en ; +. +unit:NanoMOL-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-14 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(m²⋅day)" ; + qudt:ucumCode "nmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per square metre per day"@en ; +. +unit:NanoMOL-PER-MicroGM-HR + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(µg⋅hr)" ; + qudt:ucumCode "nmol.ug-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per microgram per hour"@en ; +. +unit:NanoMOL-PER-MicroMOL + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "nmol/µmol" ; + qudt:ucumCode "nmol.umol-1"^^qudt:UCUMcs ; + qudt:ucumCode "nmol/umol"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per micromole"@en ; +. +unit:NanoMOL-PER-MicroMOL-DAY + a qudt:Unit ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(µmol⋅day)" ; + qudt:ucumCode "nmol.umol-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Nanomoles per micromole per day"@en ; +. +unit:NanoS + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:symbol "nS" ; + rdfs:isDefinedBy ; + rdfs:label "NanoSiemens"@en ; +. +unit:NanoS-PER-CentiM + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA907" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre" ; + qudt:symbol "nS/cm" ; + qudt:ucumCode "nS.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G44" ; + rdfs:isDefinedBy ; + rdfs:label "Nanosiemens Per Centimeter"@en-us ; + rdfs:label "Nanosiemens Per Centimetre"@en ; +. +unit:NanoS-PER-M + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA908" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "nS/m" ; + qudt:ucumCode "nS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G45" ; + rdfs:isDefinedBy ; + rdfs:label "Nanosiemens Per Meter"@en-us ; + rdfs:label "Nanosiemens Per Metre"@en ; +. +unit:NanoSEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A nanosecond is a SI unit of time equal to one billionth of a second (10-9 or 1/1,000,000,000 s). One nanosecond is to one second as one second is to 31.69 years. The word nanosecond is formed by the prefix nano and the unit second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nanosecond"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA913" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nanosecond?oldid=919778950"^^xsd:anyURI ; + qudt:prefix prefix:Nano ; + qudt:symbol "ns" ; + qudt:ucumCode "ns"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C47" ; + rdfs:isDefinedBy ; + rdfs:label "nanosecond"@en ; +. +unit:NanoT + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA909" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit tesla" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nT" ; + qudt:ucumCode "nT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C48" ; + rdfs:isDefinedBy ; + rdfs:label "Nanotesla"@en ; +. +unit:NanoW + a qudt:Unit ; + dcterms:description "0.000000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA910" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit watt" ; + qudt:prefix prefix:Nano ; + qudt:symbol "nW" ; + qudt:ucumCode "nW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C49" ; + rdfs:isDefinedBy ; + rdfs:label "Nanowatt"@en ; +. +unit:OCT + a qudt:DimensionlessUnit ; + a qudt:LogarithmicUnit ; + a qudt:Unit ; + dcterms:description "An octave is a doubling or halving of a frequency. One oct is the logarithmic frequency interval between \\(f1\\) and \\(f2\\) when \\(f2/f1 = 2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Octave"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Octave_(electronics)"^^xsd:anyURI ; + qudt:symbol "oct" ; + rdfs:isDefinedBy ; + rdfs:label "Oct"@en ; +. +unit:OERSTED + a qudt:Unit ; + dcterms:description "Oersted (abbreviated as Oe) is the unit of magnetizing field (also known as H-field, magnetic field strength or intensity) in the CGS system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 79.5774715 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Oersted"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB134" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Oersted?oldid=491396460"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Oe" ; + qudt:ucumCode "Oe"^^qudt:UCUMcs ; + qudt:udunitsCode "Oe" ; + qudt:uneceCommonCode "66" ; + rdfs:isDefinedBy ; + rdfs:label "Oersted"@en ; + prov:wasDerivedFrom unit:Gs ; +. +unit:OERSTED-CentiM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Oersted Centimeter\" is a C.G.S System unit for 'Magnetomotive Force' expressed as \\(Oe-cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.795774715 ; + qudt:expression "\\(Oe-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:symbol "Oe⋅cm" ; + qudt:ucumCode "Oe.cm"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Oersted Centimeter"@en-us ; + rdfs:label "Oersted Centimetre"@en ; +. +unit:OHM + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The \\textit{ohm} is the SI derived unit of electrical resistance, named after German physicist Georg Simon Ohm. \\(\\Omega \\equiv\\ \\frac{\\text{V}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{volt}}{\\text{amp}}\\ \\equiv\\ \\frac{\\text{W}}{\\text {A}^{2}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}^{2}}\\ \\equiv\\ \\frac{\\text{H}}{\\text {s}}\\ \\equiv\\ \\frac{\\text{henry}}{\\text{second}}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ohm"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Impedance ; + qudt:hasQuantityKind quantitykind:ModulusOfImpedance ; + qudt:hasQuantityKind quantitykind:Reactance ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA017" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ohm?oldid=494685555"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "V/A" ; + qudt:symbol "Ω" ; + qudt:ucumCode "Ohm"^^qudt:UCUMcs ; + qudt:udunitsCode "Ω" ; + qudt:uneceCommonCode "OHM" ; + rdfs:isDefinedBy ; + rdfs:label "Ohm"@de ; + rdfs:label "ohm"@cs ; + rdfs:label "ohm"@en ; + rdfs:label "ohm"@fr ; + rdfs:label "ohm"@hu ; + rdfs:label "ohm"@it ; + rdfs:label "ohm"@ms ; + rdfs:label "ohm"@pt ; + rdfs:label "ohm"@ro ; + rdfs:label "ohm"@sl ; + rdfs:label "ohm"@tr ; + rdfs:label "ohmio"@es ; + rdfs:label "ohmium"@la ; + rdfs:label "om"@pl ; + rdfs:label "ωμ"@el ; + rdfs:label "ом"@bg ; + rdfs:label "ом"@ru ; + rdfs:label "אוהם"@he ; + rdfs:label "أوم"@ar ; + rdfs:label "اهم"@fa ; + rdfs:label "ओह्म"@hi ; + rdfs:label "オーム"@ja ; + rdfs:label "欧姆"@zh ; +. +unit:OHM-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ResidualResistivity ; + qudt:hasQuantityKind quantitykind:Resistivity ; + qudt:iec61360Code "0112/2///62720#UAA020" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "Ω⋅m" ; + qudt:ucumCode "Ohm.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C61" ; + rdfs:isDefinedBy ; + rdfs:label "Ohm Meter"@en-us ; + rdfs:label "Ohmmeter"@de ; + rdfs:label "ohm meter"@ms ; + rdfs:label "ohm metr"@cs ; + rdfs:label "ohm metre"@en ; + rdfs:label "ohm metre"@tr ; + rdfs:label "ohm per metro"@it ; + rdfs:label "ohm-metro"@pt ; + rdfs:label "ohm-metru"@ro ; + rdfs:label "ohm-mètre"@fr ; + rdfs:label "ohmio metro"@es ; + rdfs:label "ом-метр"@ru ; + rdfs:label "أوم متر"@ar ; + rdfs:label "اهم متر"@fa ; + rdfs:label "ओह्म मीटर"@hi ; + rdfs:label "オームメートル"@ja ; + rdfs:label "欧姆米"@zh ; +. +unit:OHM-M2-PER-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistivity ; + qudt:symbol "Ω⋅m²/m" ; + qudt:ucumCode "Ohm2.m.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Ohm Square Meter per Meter"@en-us ; + rdfs:label "Ohm Square Metre per Metre"@en ; +. +unit:OHM_Ab + a qudt:Unit ; + dcterms:description "\\(\\textit{abohm}\\) is the basic unit of electrical resistance in the emu-cgs system of units. One abohm is equal to \\(10^{-9} ohms\\) in the SI system of units; one abohm is a nano ohm."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abohm"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abohm?oldid=480725336"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abΩ" ; + qudt:ucumCode "nOhm"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abohm"@en ; +. +unit:OHM_Stat + a qudt:Unit ; + dcterms:description "\"StatOHM\" is the unit of resistance, reactance, and impedance in the electrostatic C.G.S system of units, equal to the resistance between two points of a conductor when a constant potential difference of 1 statvolt between these points produces a current of 1 statampere; it is equal to approximately \\(8.9876 \\times 10^{11} ohms\\). The statohm is an extremely large unit of resistance. In fact, an object with a resistance of 1 stat W would make an excellent insulator or dielectric . In practical applications, the ohm, the kilohm (k W ) and the megohm (M W or M) are most often used to quantify resistance."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e11 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://whatis.techtarget.com/definition/statohm-stat-W"^^xsd:anyURI ; + qudt:latexSymbol "\\(stat\\Omega\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "statΩ" ; + rdfs:isDefinedBy ; + rdfs:label "Statohm"@en ; +. +unit:OZ + a qudt:Unit ; + dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.028349523125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:OZ_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz" ; + qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ONZ" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce Mass"@en ; +. +unit:OZ-FT + a qudt:Unit ; + dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0086409 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB133" ; + qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units" ; + qudt:symbol "oz⋅ft" ; + qudt:ucumCode "[oz_av].[ft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4R" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Foot"@en ; +. +unit:OZ-IN + a qudt:Unit ; + dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000694563 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB132" ; + qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "oz⋅in" ; + qudt:ucumCode "[oz_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4Q" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Inch"@en ; +. +unit:OZ-PER-DAY + a qudt:Unit ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.2812e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA919" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day" ; + qudt:symbol "oz/day" ; + qudt:ucumCode "[oz_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L33" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Day"@en ; +. +unit:OZ-PER-FT2 + a qudt:Unit ; + dcterms:description "\"Ounce per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.305151727 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "oz/ft^{2}" ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "oz/ft²{US}" ; + qudt:ucumCode "[oz_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Mass Ounce per Square Foot"@en ; +. +unit:OZ-PER-GAL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Ounce per Gallon\" is an Imperial unit for 'Density' expressed as \\(oz/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.23602329 ; + qudt:expression "oz/gal" ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "oz/gal{US}" ; + qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Mass Ounce per Gallon"@en ; +. +unit:OZ-PER-GAL_UK + a qudt:Unit ; + dcterms:description "unit of the density according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.2360 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA923" ; + qudt:plainTextDescription "unit of the density according to the Imperial system of units" ; + qudt:symbol "oz/gal{UK}" ; + qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L37" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Gallon (UK)"@en ; +. +unit:OZ-PER-GAL_US + a qudt:Unit ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 7.8125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA924" ; + qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA924"^^xsd:anyURI ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "oz/gal{US}" ; + qudt:ucumCode "[oz_av].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L38" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Gallon (US)"@en ; +. +unit:OZ-PER-HR + a qudt:Unit ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA920" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour" ; + qudt:symbol "oz/hr" ; + qudt:ucumCode "[oz_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L34" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Hour"@en ; +. +unit:OZ-PER-IN3 + a qudt:Unit ; + dcterms:description "\"Ounce per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(oz/in^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1729.99404 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "oz/in^{3}" ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "oz/in³{US}" ; + qudt:ucumCode "[oz_av].[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L39" ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Mass Ounce per Cubic Inch"@en ; +. +unit:OZ-PER-MIN + a qudt:Unit ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000472492 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA921" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute" ; + qudt:symbol "oz/min" ; + qudt:ucumCode "[oz_av].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L35" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Minute"@en ; +. +unit:OZ-PER-SEC + a qudt:Unit ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.02834952 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA922" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second" ; + qudt:symbol "oz/s" ; + qudt:ucumCode "[oz_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L36" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Second"@en ; +. +unit:OZ-PER-YD2 + a qudt:Unit ; + dcterms:description "\"Ounce per Square Yard\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/yd^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0339057474748823 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "oz/yd^{2}" ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "oz/yd³{US}" ; + qudt:ucumCode "[oz_av].[syd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Mass Ounce per Square Yard"@en ; +. +unit:OZ-PER-YD3 + a qudt:Unit ; + dcterms:description "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0370798 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA918" ; + qudt:plainTextDescription "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "oz/yd³" ; + qudt:ucumCode "[oz_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G32" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (avoirdupois) Per Cubic Yard"@en ; +. +unit:OZ_F + a qudt:Unit ; + dcterms:description "\"Ounce Force\" is an Imperial unit for 'Force' expressed as \\(ozf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.278013875 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "ozf" ; + qudt:ucumCode "[ozf_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "ozf" ; + qudt:uneceCommonCode "L40" ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Ounce Force"@en ; +. +unit:OZ_F-IN + a qudt:Unit ; + dcterms:description "\"Ounce Force Inch\" is an Imperial unit for 'Torque' expressed as \\(ozf-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0706155243 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce ; + qudt:hasQuantityKind quantitykind:Torque ; + qudt:symbol "ozf⋅in" ; + qudt:ucumCode "[ozf_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L41" ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Ounce Force Inch"@en ; +. +unit:OZ_M + a qudt:Unit ; + dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.028349523125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:OZ ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz" ; + qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ONZ" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce Mass"@en ; +. +unit:OZ_TROY + a qudt:Unit ; + dcterms:description "An obsolete unit of mass; the Troy Ounce is 1/12th of a Troy Pound. Based on the international definition of a Troy Pound as 5760 grains, the Troy Ounce is exactly 480 grains, or 0.0311034768 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0311034768 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz{Troy}" ; + qudt:ucumCode "[oz_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "APZ" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce Troy"@en ; +. +unit:OZ_VOL_UK + a qudt:Unit ; + dcterms:description "\\(\\textit{Imperial Ounce}\\) is an Imperial unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.84130625e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA431" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "oz{UK}" ; + qudt:ucumCode "[foz_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "OZI" ; + rdfs:isDefinedBy ; + rdfs:label "Fluid Ounce (UK)"@en ; +. +unit:OZ_VOL_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA432" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "oz{UK}/day" ; + qudt:ucumCode "[foz_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J95" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (UK Fluid) Per Day"@en ; +. +unit:OZ_VOL_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA433" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "oz{UK}/hr" ; + qudt:ucumCode "[foz_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J96" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (UK Fluid) Per Hour"@en ; +. +unit:OZ_VOL_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00472492 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA434" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "oz{UK}/min" ; + qudt:ucumCode "[foz_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J97" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (UK Fluid) Per Minute"@en ; +. +unit:OZ_VOL_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.84e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA435" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "oz{UK}/s" ; + qudt:ucumCode "[foz_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J98" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (UK Fluid) Per Second"@en ; +. +unit:OZ_VOL_US + a qudt:Unit ; + dcterms:description "\"US Liquid Ounce\" is a unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.95735296e-05 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "fl oz{US}" ; + qudt:ucumCode "[foz_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "fl oz" ; + qudt:uneceCommonCode "OZA" ; + rdfs:isDefinedBy ; + rdfs:label "US Liquid Ounce"@en ; +. +unit:OZ_VOL_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.42286e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA436" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day" ; + qudt:symbol "oz{US}/day" ; + qudt:ucumCode "[foz_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J99" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (US Fluid) Per Day"@en ; +. +unit:OZ_VOL_US-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8.214869e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA437" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "oz{US}/hr" ; + qudt:ucumCode "[foz_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K10" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (US Fluid) Per Hour"@en ; +. +unit:OZ_VOL_US-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.92892e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA438" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "oz{US}/min" ; + qudt:ucumCode "[foz_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K11" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (US Fluid) Per Minute"@en ; +. +unit:OZ_VOL_US-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.95735296e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA439" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "oz{US}/s" ; + qudt:ucumCode "[foz_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K12" ; + rdfs:isDefinedBy ; + rdfs:label "Ounce (US Fluid) Per Second"@en ; +. +unit:PA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:KiloGM-PER-M-SEC2 ; + qudt:exactMatch unit:N-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:BulkModulus ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:Fugacity ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA258" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "N/m^2" ; + qudt:symbol "Pa" ; + qudt:ucumCode "Pa"^^qudt:UCUMcs ; + qudt:udunitsCode "Pa" ; + qudt:uneceCommonCode "PAL" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal"@de ; + rdfs:label "pascal"@cs ; + rdfs:label "pascal"@en ; + rdfs:label "pascal"@es ; + rdfs:label "pascal"@fr ; + rdfs:label "pascal"@hu ; + rdfs:label "pascal"@it ; + rdfs:label "pascal"@ms ; + rdfs:label "pascal"@pt ; + rdfs:label "pascal"@ro ; + rdfs:label "pascal"@sl ; + rdfs:label "pascal"@tr ; + rdfs:label "pascalium"@la ; + rdfs:label "paskal"@pl ; + rdfs:label "πασκάλ"@el ; + rdfs:label "паскал"@bg ; + rdfs:label "паскаль"@ru ; + rdfs:label "פסקל"@he ; + rdfs:label "باسكال"@ar ; + rdfs:label "پاسگال"@fa ; + rdfs:label "पास्कल"@hi ; + rdfs:label "パスカル"@ja ; + rdfs:label "帕斯卡"@zh ; +. +unit:PA-L-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA261" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "Pa⋅L/s" ; + qudt:ucumCode "Pa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F99" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Liter Per Second"@en-us ; + rdfs:label "Pascal Litre Per Second"@en ; +. +unit:PA-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m" ; + qudt:ucumCode "Pa.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal metres"@en ; +. +unit:PA-M-PER-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m/s" ; + qudt:ucumCode "Pa.m.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal metres per second"@en ; +. +unit:PA-M-PER-SEC2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m/s²" ; + qudt:ucumCode "Pa.m.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal metres per square second"@en ; +. +unit:PA-M0pt5 + a qudt:Unit ; + dcterms:description "A metric unit for stress intensity factor and fracture toughness."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StressIntensityFactor ; + qudt:plainTextDescription "A metric unit for stress intensity factor and fracture toughness." ; + qudt:symbol "Pa√m" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Square Root Meter"@en ; +. +unit:PA-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA264" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "Pa⋅m³/s" ; + qudt:ucumCode "Pa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G01" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Cubic Meter Per Second"@en-us ; + rdfs:label "Pascal Cubic Metre Per Second"@en ; +. +unit:PA-PER-BAR + a qudt:Unit ; + dcterms:description "SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA260" ; + qudt:plainTextDescription "SI derived unit pascal divided by the unit bar" ; + qudt:symbol "Pa/bar" ; + qudt:ucumCode "Pa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F07" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Per Bar"@en ; +. +unit:PA-PER-HR + a qudt:Unit ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one hour."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:expression "\\(P / hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/hr" ; + qudt:ucumCode "Pa.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal per Hour"@en ; +. +unit:PA-PER-K + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(pascal-per-kelvin\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA259" ; + qudt:symbol "P/K" ; + qudt:ucumCode "Pa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C64" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal per Kelvin"@en ; +. +unit:PA-PER-M + a qudt:Unit ; + dcterms:description "SI derived unit pascal divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA262" ; + qudt:plainTextDescription "SI derived unit pascal divided by the SI base unit metre" ; + qudt:symbol "Pa/m" ; + qudt:ucumCode "Pa.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "Pa/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H42" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Per Meter"@en-us ; + rdfs:label "Pascal Per Metre"@en ; +. +unit:PA-PER-MIN + a qudt:Unit ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one minute."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0166666667 ; + qudt:expression "\\(P / min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/min" ; + qudt:ucumCode "Pa.min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal per Minute"@en ; +. +unit:PA-PER-SEC + a qudt:Unit ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(P / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/s" ; + qudt:ucumCode "Pa.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "Pa/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Pascal per Second"@en ; +. +unit:PA-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of dynamic viscosity, equal to 10 poises or 1000 centipoises. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Pa-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA265" ; + qudt:siUnitsExpression "Pa.s" ; + qudt:symbol "Pa⋅s" ; + qudt:ucumCode "Pa.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C65" ; + rdfs:isDefinedBy ; + rdfs:label "Pascalsekunde"@de ; + rdfs:label "pascal per secondo"@it ; + rdfs:label "pascal saat"@ms ; + rdfs:label "pascal saniye"@tr ; + rdfs:label "pascal second"@en ; + rdfs:label "pascal segundo"@es ; + rdfs:label "pascal sekunda"@cs ; + rdfs:label "pascal sekunda"@sl ; + rdfs:label "pascal-seconde"@fr ; + rdfs:label "pascal-secundă"@ro ; + rdfs:label "pascal-segundo"@pt ; + rdfs:label "paskalosekunda"@pl ; + rdfs:label "паскаль-секунда"@ru ; + rdfs:label "باسكال ثانية"@ar ; + rdfs:label "نیوتون ثانیه"@fa ; + rdfs:label "पास्कल सैकण्ड"@hi ; + rdfs:label "パスカル秒"@ja ; + rdfs:label "帕斯卡秒"@zh ; +. +unit:PA-SEC-PER-BAR + a qudt:Unit ; + dcterms:description "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA267" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar" ; + qudt:symbol "Pa⋅s/bar" ; + qudt:ucumCode "Pa.s.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H07" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Second Per Bar"@en ; +. +unit:PA-SEC-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Pascal Second Per Meter (\\(Pa-s/m\\)) is a unit in the category of Specific acoustic impedance. It is also known as pascal-second/meter. Pascal Second Per Meter has a dimension of \\(ML^2T^{-1}\\) where M is mass, L is length, and T is time. It essentially the same as the corresponding standard SI unit \\(kg/m2\\cdot s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa-s/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AcousticImpedance ; + qudt:iec61360Code "0112/2///62720#UAA268" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa.s/m" ; + qudt:symbol "Pa⋅s/m" ; + qudt:ucumCode "Pa.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C67" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Second Per Meter"@en-us ; + rdfs:label "Pascal Second Per Metre"@en ; +. +unit:PA-SEC-PER-M3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textit{Pascal Second Per Cubic Meter}\\) (\\(Pa-s/m^3\\)) is a unit in the category of Acoustic impedance. It is also known as \\(\\textit{pascal-second/cubic meter}\\). It has a dimension of \\(ML^{-4}T^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa-s/m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAA263" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--acoustic_impedance--pascal_second_per_cubic_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa.s/m3" ; + qudt:symbol "Pa⋅s/m³" ; + qudt:ucumCode "Pa.s.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C66" ; + rdfs:isDefinedBy ; + rdfs:label "Pascal Second Per Cubic Meter"@en-us ; + rdfs:label "Pascalsekunde je Kubikmeter"@de ; + rdfs:label "pascal per secondo al metro cubo"@it ; + rdfs:label "pascal saat per meter kubik"@ms ; + rdfs:label "pascal saniye bölü metre küp"@tr ; + rdfs:label "pascal second per cubic metre"@en ; + rdfs:label "pascal segundo por metro cúbico"@es ; + rdfs:label "pascal sekunda na metr krychlový"@cs ; + rdfs:label "pascal-seconde par mètre cube"@fr ; + rdfs:label "pascal-secundă pe metru cub"@ro ; + rdfs:label "pascal-segundo por metro cúbico"@pt ; + rdfs:label "paskalosekunda na metr sześcienny"@pl ; + rdfs:label "паскаль-секунда на кубический метр"@ru ; + rdfs:label "باسكال ثانية لكل متر مكعب"@ar ; + rdfs:label "نیوتون ثانیه بر متر مکعب"@fa ; + rdfs:label "पास्कल सैकण्ड प्रति घन मीटर"@hi ; + rdfs:label "パスカル秒毎立方メートル"@ja ; +. +unit:PA2-PER-SEC2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-6D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa²⋅m/s²" ; + qudt:ucumCode "Pa2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square pascal per square second"@en ; +. +unit:PA2-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Square Pascal Second (\\(Pa^2\\cdot s\\)) is a unit in the category of sound exposure."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa2-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; + qudt:hasQuantityKind quantitykind:SoundExposure ; + qudt:iec61360Code "0112/2///62720#UAB339" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa2.s" ; + qudt:symbol "Pa²⋅s" ; + qudt:ucumCode "Pa2.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P42" ; + rdfs:isDefinedBy ; + rdfs:label "Square Pascal Second"@en ; +. +unit:PARSEC + a qudt:Unit ; + dcterms:description "The parsec (parallax of one arcsecond; symbol: pc) is a unit of length, equal to just under 31 trillion (\\(31 \\times 10^{12}\\)) kilometres (about 19 trillion miles), 206265 AU, or about 3.26 light-years. The parsec measurement unit is used in astronomy. It is defined as the length of the adjacent side of an imaginary right triangle in space. The two dimensions that specify this triangle are the parallax angle (defined as 1 arcsecond) and the opposite side (defined as 1 astronomical unit (AU), the distance from the Earth to the Sun). Given these two measurements, along with the rules of trigonometry, the length of the adjacent side (the parsec) can be found."^^qudt:LatexString ; + qudt:conversionMultiplier 3.085678e16 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB067" ; + qudt:omUnit ; + qudt:symbol "pc" ; + qudt:ucumCode "pc"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C63" ; + rdfs:isDefinedBy ; + rdfs:label "Parsec"@en ; +. +unit:PCA + a qudt:Unit ; + dcterms:description "A pica is a typographic unit of measure corresponding to 1/72 of its respective foot, and therefore to 1/6 of an inch. The pica contains 12 point units of measure. Notably, Adobe PostScript promoted the pica unit of measure that is the standard in contemporary printing, as in home computers and printers. Usually, pica measurements are represented with an upper-case 'P' with an upper-right-to-lower-left virgule (slash) starting in the upper right portion of the 'P' and ending at the lower left of the upright portion of the 'P'; essentially drawing a virgule (/) through a 'P'. Note that these definitions are different from a typewriter's pica setting, which denotes a type size of ten characters per horizontal inch."^^rdf:HTML ; + qudt:conversionMultiplier 0.0042333 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pica"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB606" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pica?oldid=458102937"^^xsd:anyURI ; + qudt:symbol "pc" ; + qudt:ucumCode "[pca]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "R1" ; + rdfs:isDefinedBy ; + rdfs:label "Pica"@en ; +. +unit:PDL + a qudt:Unit ; + dcterms:description "The poundal is a unit of force that is part of the foot-pound-second system of units, in Imperial units introduced in 1877, and is from the specialized subsystem of English absolute (a coherent system). The poundal is defined as the force necessary to accelerate 1 pound-mass to 1 foot per second per second. \\(1 pdl = 0.138254954376 N\\) exactly."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.138254954376 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Poundal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB233" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poundal?oldid=494626458"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "pdl" ; + qudt:ucumCode "[lb_av].[ft_i].s-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M76" ; + rdfs:isDefinedBy ; + rdfs:label "Poundal"@en ; +. +unit:PDL-PER-FT2 + a qudt:Unit ; + dcterms:description "Poundal Per Square Foot (\\(pdl/ft^2\\)) is a unit in the category of Pressure. It is also known as poundals per square foot, poundal/square foot. This unit is commonly used in the UK, US unit systems. Poundal Per Square Foot has a dimension of \\(ML^{-1}T^{-2}\\), where M is mass, L is length, and T is time. It can be converted to the corresponding standard SI unit \\si{Pa} by multiplying its value by a factor of 1.488163944."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.48816443 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(pdl/ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB243" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--pressure--poundal_per_square_foot.cfm"^^xsd:anyURI ; + qudt:symbol "pdl/ft²" ; + qudt:ucumCode "[lb_av].[ft_i].s-2.[sft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N21" ; + rdfs:isDefinedBy ; + rdfs:label "Poundal per Square Foot"@en ; +. +unit:PER-ANGSTROM + a qudt:Unit ; + dcterms:description "reciprocal of the unit angstrom"^^rdf:HTML ; + qudt:conversionMultiplier 0.0000000001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAB058" ; + qudt:plainTextDescription "reciprocal of the unit angstrom" ; + qudt:symbol "/Å" ; + qudt:ucumCode "Ao-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C85" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Angstrom"@en ; +. +unit:PER-BAR + a qudt:Unit ; + dcterms:description "reciprocal of the metrical unit with the name bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:hasQuantityKind quantitykind:InversePressure ; + qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; + qudt:iec61360Code "0112/2///62720#UAA328" ; + qudt:plainTextDescription "reciprocal of the metrical unit with the name bar" ; + qudt:symbol "/bar" ; + qudt:ucumCode "bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F58" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Bar"@en ; +. +unit:PER-CentiM + a qudt:Unit ; + dcterms:description "reciprocal of the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAA382" ; + qudt:plainTextDescription "reciprocal of the 0.01-fold of the SI base unit metre" ; + qudt:symbol "/cm" ; + qudt:ucumCode "/cm"^^qudt:UCUMcs ; + qudt:ucumCode "cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E90" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Centimeter"@en-us ; + rdfs:label "Reciprocal Centimetre"@en ; +. +unit:PER-CentiM3 + a qudt:Unit ; + dcterms:description "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA383" ; + qudt:plainTextDescription "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "/cm³" ; + qudt:ucumCode "cm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H50" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Centimeter"@en-us ; + rdfs:label "Reciprocal Cubic Centimetre"@en ; +. +unit:PER-DAY + a qudt:Unit ; + dcterms:description "reciprocal of the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA408" ; + qudt:plainTextDescription "reciprocal of the unit day" ; + qudt:symbol "/day" ; + qudt:ucumCode "/d"^^qudt:UCUMcs ; + qudt:ucumCode "d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E91" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Day"@en ; +. +unit:PER-EV2 + a qudt:Unit ; + dcterms:description "Per Square Electron Volt is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 38956440500000000000000000000000000000.0 ; + qudt:expression "\\(/eV^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/eV²" ; + qudt:ucumCode "eV-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Electron Volt"@en ; +. +unit:PER-FT3 + a qudt:Unit ; + dcterms:description "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 35.31466 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA453" ; + qudt:plainTextDescription "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/ft³" ; + qudt:ucumCode "[cft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K20" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Foot"@en ; +. +unit:PER-GM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/g" ; + qudt:ucumCode "g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal gram"@en ; +. +unit:PER-GigaEV2 + a qudt:Unit ; + dcterms:description "Per Square Giga Electron Volt Unit is a denominator unit with dimensions \\(/GeV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.89564405e19 ; + qudt:expression "\\(/GeV^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/GeV²" ; + qudt:ucumCode "GeV-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Giga Electron Volt Unit"@en ; +. +unit:PER-H + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/H" ; + qudt:ucumCode "H-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C89" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Henry"@en ; +. +unit:PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal hour}\\) or \"inverse hour\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 360.0 ; + qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/hr" ; + qudt:ucumCode "/h"^^qudt:UCUMcs ; + qudt:ucumCode "h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H10" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Hour"@en ; +. +unit:PER-IN3 + a qudt:Unit ; + dcterms:description "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 61023.76 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA546" ; + qudt:plainTextDescription "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/in³" ; + qudt:ucumCode "[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K49" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Inch"@en ; +. +unit:PER-J-M3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(j^{-1}-m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensityOfStates ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "/(J⋅m³)" ; + qudt:ucumCode "J-1.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C90" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Joule Cubic Meter"@en-us ; + rdfs:label "Reciprocal Joule Cubic Metre"@en ; +. +unit:PER-J2 + a qudt:Unit ; + dcterms:description "Per Square Joule is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/J^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/J²" ; + qudt:ucumCode "J-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Joule"@en ; +. +unit:PER-K + a qudt:Unit ; + dcterms:description "Per Kelvin Unit is a denominator unit with dimensions \\(/k\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio ; + qudt:hasQuantityKind quantitykind:InverseTemperature ; + qudt:hasQuantityKind quantitykind:RelativePressureCoefficient ; + qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "/K" ; + qudt:ucumCode "K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C91" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Kelvin"@en ; +. +unit:PER-KiloGM2 + a qudt:Unit ; + dcterms:description "Per Square Kilogram is a denominator unit with dimensions \\(/kg^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/kg^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseMass_Squared ; + qudt:symbol "/kg²" ; + qudt:ucumCode "kg-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Kilogram"@en ; +. +unit:PER-KiloM + a qudt:Unit ; + dcterms:description "Per Kilometer Unit is a denominator unit with dimensions \\(/km\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:expression "\\(per-kilometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/km" ; + qudt:ucumCode "/km"^^qudt:UCUMcs ; + qudt:ucumCode "km-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Kilometer"@en-us ; + rdfs:label "Reciprocal Kilometre"@en ; +. +unit:PER-KiloV-A-HR + a qudt:Unit ; + dcterms:description "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy ; + qudt:iec61360Code "0112/2///62720#UAA098" ; + qudt:plainTextDescription "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour" ; + qudt:symbol "/(kV⋅A⋅hr)" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Kilovolt Ampere Hour"@en ; +. +unit:PER-L + a qudt:Unit ; + dcterms:description "reciprocal value of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA667" ; + qudt:plainTextDescription "reciprocal value of the unit litre" ; + qudt:symbol "/L" ; + qudt:ucumCode "/L"^^qudt:UCUMcs ; + qudt:ucumCode "L-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K63" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Liter"@en-us ; + rdfs:label "Reciprocal Litre"@en ; +. +unit:PER-M + a qudt:Unit ; + dcterms:description "Per Meter Unit is a denominator unit with dimensions \\(/m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(per-meter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/m" ; + qudt:ucumCode "/m"^^qudt:UCUMcs ; + qudt:ucumCode "m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C92" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Meter"@en-us ; + rdfs:label "Reciprocal Metre"@en ; +. +unit:PER-M-K + a qudt:Unit ; + dcterms:description "Per Meter Kelvin Unit is a denominator unit with dimensions \\(/m.k\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/m.k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; + qudt:symbol "/(m⋅K)" ; + qudt:ucumCode "m-1.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Meter Kelvin"@en-us ; + rdfs:label "Reciprocal Metre Kelvin"@en ; +. +unit:PER-M-NanoM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅nm)" ; + qudt:ucumCode "m-1.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal metre per nanometre"@en ; +. +unit:PER-M-NanoM-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅nm⋅sr)" ; + qudt:ucumCode "m-1.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal metre per nanometre per steradian"@en ; +. +unit:PER-M-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅s)" ; + qudt:ucumCode "m-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal metre per second"@en ; +. +unit:PER-M-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅sr)" ; + qudt:ucumCode "m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal metre per steradian"@en ; +. +unit:PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Per Square Meter\" is a denominator unit with dimensions \\(/m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/m²" ; + qudt:ucumCode "/m2"^^qudt:UCUMcs ; + qudt:ucumCode "m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C93" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Meter"@en-us ; + rdfs:label "Reciprocal Square Metre"@en ; +. +unit:PER-M2-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{-2}-s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux ; + qudt:hasQuantityKind quantitykind:ParticleFluenceRate ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/(m²⋅s)" ; + qudt:ucumCode "m-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B81" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Square Meter Second"@en-us ; + rdfs:label "Reciprocal Square Metre Second"@en ; + rdfs:label "Reciprocal square metre per second"@en ; +. +unit:PER-M3 + a qudt:Unit ; + dcterms:description "\"Per Cubic Meter\" is a denominator unit with dimensions \\(/m^3\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/m³" ; + qudt:ucumCode "/m3"^^qudt:UCUMcs ; + qudt:ucumCode "m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C86" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Meter"@en-us ; + rdfs:label "Reciprocal Cubic Metre"@en ; +. +unit:PER-M3-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{-3}-s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ParticleSourceDensity ; + qudt:hasQuantityKind quantitykind:Slowing-DownDensity ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/(m³⋅s)" ; + qudt:ucumCode "m-3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C87" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Meter Second"@en-us ; + rdfs:label "Reciprocal Cubic Metre Second"@en ; + rdfs:label "Reciprocal cubic metre per second"@en ; +. +unit:PER-MILLE-PER-PSI + a qudt:Unit ; + dcterms:description "thousandth divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:conversionMultiplier 1.450377e-07 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:hasQuantityKind quantitykind:InversePressure ; + qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; + qudt:iec61360Code "0112/2///62720#UAA016" ; + qudt:plainTextDescription "thousandth divided by the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "/ksi" ; + qudt:uneceCommonCode "J12" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Mille Per Psi"@en ; +. +unit:PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal minute}\\) or \\(\\textit{inverse minute}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 60.0 ; + qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/min" ; + qudt:ucumCode "/min"^^qudt:UCUMcs ; + qudt:ucumCode "min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C94" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Minute"@en ; +. +unit:PER-MO + a qudt:Unit ; + dcterms:description "reciprocal of the unit month"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.91935077e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA881" ; + qudt:plainTextDescription "reciprocal of the unit month" ; + qudt:symbol "/month" ; + qudt:ucumCode "mo-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H11" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Month"@en ; +. +unit:PER-MOL + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

Per Mole Unit is a denominator unit with dimensions \\(mol^{-1}\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:symbol "/mol" ; + qudt:ucumCode "/mol"^^qudt:UCUMcs ; + qudt:ucumCode "mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C95" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Mole"@en ; +. +unit:PER-MicroM + a qudt:Unit ; + dcterms:description "Per Micrometer Unit is a denominator unit with dimensions \\(/microm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:expression "\\(per-micrometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/µm" ; + qudt:ucumCode "/um"^^qudt:UCUMcs ; + qudt:ucumCode "um-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Micrometer"@en-us ; + rdfs:label "Reciprocal Micrometre"@en ; +. +unit:PER-MicroMOL-L + a qudt:Unit ; + dcterms:description "Units used to describe the sensitivity of detection of a spectrophotometer."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A-1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(mmol⋅L)" ; + qudt:ucumCode "umol-1.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal micromole per litre"@en ; +. +unit:PER-MilliL + a qudt:Unit ; + dcterms:description "reciprocal value of the unit Millilitre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:plainTextDescription "reciprocal value of the unit millilitre" ; + qudt:symbol "/mL" ; + qudt:ucumCode "/mL"^^qudt:UCUMcs ; + qudt:ucumCode "mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Milliliter"@en-us ; + rdfs:label "Reciprocal Millilitre"@en ; +. +unit:PER-MilliM + a qudt:Unit ; + dcterms:description "Per Millimeter Unit is a denominator unit with dimensions \\(/mm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(per-millimeter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/mm" ; + qudt:ucumCode "/mm"^^qudt:UCUMcs ; + qudt:ucumCode "mm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Millimeter"@en-us ; + rdfs:label "Reciprocal Millimetre"@en ; +. +unit:PER-MilliM3 + a qudt:Unit ; + dcterms:description "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA870" ; + qudt:plainTextDescription "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "/mm³" ; + qudt:ucumCode "/mm3"^^qudt:UCUMcs ; + qudt:ucumCode "mm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L20" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Millimeter"@en-us ; + rdfs:label "Reciprocal Cubic Millimetre"@en ; +. +unit:PER-MilliSEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/ms" ; + qudt:ucumCode "ms-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal millisecond"@en ; +. +unit:PER-NanoM + a qudt:Unit ; + dcterms:description "Per Nanometer Unit is a denominator unit with dimensions \\(/nm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:expression "\\(per-nanometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/nm" ; + qudt:ucumCode "/nm"^^qudt:UCUMcs ; + qudt:ucumCode "nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Nanometer"@en-us ; + rdfs:label "Reciprocal Nanometre"@en ; +. +unit:PER-PA + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:expression "\\(/Pa\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:hasQuantityKind quantitykind:InversePressure ; + qudt:hasQuantityKind quantitykind:IsentropicCompressibility ; + qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:siUnitsExpression "m^2/N" ; + qudt:symbol "/Pa" ; + qudt:ucumCode "Pa-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C96" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Pascal"@en ; +. +unit:PER-PA-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(Pa⋅s)" ; + qudt:ucumCode "Pa-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Pascal per second"@en ; +. +unit:PER-PSI + a qudt:Unit ; + dcterms:description "reciprocal value of the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0001450377 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InversePressure ; + qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA709" ; + qudt:plainTextDescription "reciprocal value of the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "/psi" ; + qudt:ucumCode "[psi]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K93" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Psi"@en ; +. +unit:PER-PicoM + a qudt:Unit ; + dcterms:description "Per Picoometer Unit is a denominator unit with dimensions \\(/pm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e12 ; + qudt:expression "\\(per-picoometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; + qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; + qudt:hasQuantityKind quantitykind:LinearIonization ; + qudt:hasQuantityKind quantitykind:PhaseCoefficient ; + qudt:hasQuantityKind quantitykind:PropagationCoefficient ; + qudt:symbol "/pm" ; + qudt:ucumCode "/pm"^^qudt:UCUMcs ; + qudt:ucumCode "pm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Picometer"@en-us ; + rdfs:label "Reciprocal Picometre"@en ; +. +unit:PER-PlanckMass2 + a qudt:Unit ; + dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.111089e15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseMass_Squared ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:symbol "/mₚ²" ; + rdfs:isDefinedBy ; + rdfs:label "Inverse Square Planck Mass"@en ; +. +unit:PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A reciprical unit of time for \\(\\textit{reciprocal second}\\) or \\(\\textit{inverse second}\\). The \\(\\textit{Per Second}\\) is a unit of rate."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:HZ ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/s" ; + qudt:ucumCode "/s"^^qudt:UCUMcs ; + qudt:ucumCode "s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C97" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Second"@en ; +. +unit:PER-SEC-M2 + a qudt:Unit ; + dcterms:description "\\(\\textit{Per Second Square Meter}\\) is a measure of flux with dimensions \\(/sec-m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(per-sec-m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux ; + qudt:symbol "/s⋅m²" ; + qudt:ucumCode "/(s1.m2)"^^qudt:UCUMcs ; + qudt:ucumCode "s-1.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Second Square Meter"@en-us ; + rdfs:label "Reciprocal Second Square Metre"@en ; +. +unit:PER-SEC-M2-SR + a qudt:Unit ; + dcterms:description "Per Second Square Meter Steradian is a denominator unit with dimensions \\(/sec-m^2-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/sec-m^2-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotonRadiance ; + qudt:symbol "/s⋅m²⋅sr" ; + qudt:ucumCode "/(s.m2.sr)"^^qudt:UCUMcs ; + qudt:ucumCode "s-1.m-2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D2" ; + rdfs:comment "It is not clear this unit is ever used. [Editor]" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Second Square Meter Steradian"@en-us ; + rdfs:label "Reciprocal Second Square Metre Steradian"@en ; +. +unit:PER-SEC-SR + a qudt:Unit ; + dcterms:description "Per Second Steradian Unit is a denominator unit with dimensions \\(/sec-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/sec-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotonIntensity ; + qudt:hasQuantityKind quantitykind:TemporalSummationFunction ; + qudt:symbol "/s⋅sr" ; + qudt:ucumCode "/(s.sr)"^^qudt:UCUMcs ; + qudt:ucumCode "s-1.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D1" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Second Steradian"@en ; +. +unit:PER-SEC2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/s²" ; + qudt:ucumCode "s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal square second"@en ; +. +unit:PER-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/sr" ; + qudt:ucumCode "sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal steradian"@en ; +. +unit:PER-T-M + a qudt:Unit ; + dcterms:description "Per Tesla Meter Unit is a denominator unit with dimensions \\(/m .\\cdot T\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:latexSymbol "\\(m^{-1} \\cdot T^{-1}\\)"^^qudt:LatexString ; + qudt:symbol "/t⋅m" ; + qudt:ucumCode "T-1.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Tesla Meter"@en-us ; + rdfs:label "Reciprocal Tesla Metre"@en ; +. +unit:PER-T-SEC + a qudt:Unit ; + dcterms:description "Per Tesla Second Unit is a denominator unit with dimensions \\(/s . T\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/s . T\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "/T⋅s" ; + qudt:ucumCode "T-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Tesla Second Unit"@en ; +. +unit:PER-WB + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(Wb^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "/Wb" ; + qudt:ucumCode "Wb-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Weber"@en ; +. +unit:PER-WK + a qudt:Unit ; + dcterms:description "reciprocal of the unit week"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.653439e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA099" ; + qudt:plainTextDescription "reciprocal of the unit week" ; + qudt:symbol "/week" ; + qudt:ucumCode "wk-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H85" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Week"@en ; +. +unit:PER-YD3 + a qudt:Unit ; + dcterms:description "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.307951 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAB033" ; + qudt:plainTextDescription "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/yd³" ; + qudt:ucumCode "[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M10" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Cubic Yard"@en ; +. +unit:PER-YR + a qudt:Unit ; + dcterms:description "reciprocal of the unit year"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.1709792e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAB027" ; + qudt:plainTextDescription "reciprocal of the unit year" ; + qudt:symbol "/yr" ; + qudt:ucumCode "/a"^^qudt:UCUMcs ; + qudt:ucumCode "a-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H09" ; + rdfs:isDefinedBy ; + rdfs:label "Reciprocal Year"@en ; +. +unit:PERCENT + a qudt:Unit ; + dcterms:description "\"Percent\" is a unit for 'Dimensionless Ratio' expressed as \\(\\%\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Percentage"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:hasQuantityKind quantitykind:LengthPercentage ; + qudt:hasQuantityKind quantitykind:PressurePercentage ; + qudt:hasQuantityKind quantitykind:Prevalence ; + qudt:hasQuantityKind quantitykind:Reflectance ; + qudt:hasQuantityKind quantitykind:RelativeHumidity ; + qudt:hasQuantityKind quantitykind:RelativeLuminousFlux ; + qudt:hasQuantityKind quantitykind:RelativePartialPressure ; + qudt:hasQuantityKind quantitykind:ResistancePercentage ; + qudt:hasQuantityKind quantitykind:TimePercentage ; + qudt:hasQuantityKind quantitykind:VoltagePercentage ; + qudt:iec61360Code "0112/2///62720#UAA000" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Percentage?oldid=495284540"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "%" ; + qudt:ucumCode "%"^^qudt:UCUMcs ; + qudt:udunitsCode "%" ; + qudt:uneceCommonCode "P1" ; + rdfs:isDefinedBy ; + rdfs:label "Percent"@en ; +. +unit:PERCENT-PER-DAY + a qudt:Unit ; + qudt:conversionMultiplier 1.15740740740741e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/day" ; + qudt:ucumCode "%.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Percent per day"@en ; +. +unit:PERCENT-PER-HR + a qudt:Unit ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/day" ; + qudt:ucumCode "%.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Percent per hour"@en ; +. +unit:PERCENT-PER-M + a qudt:Unit ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:symbol "%/m" ; + qudt:ucumCode "%.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H99" ; + rdfs:isDefinedBy ; + rdfs:label "Percent per metre"@en ; +. +unit:PERCENT-PER-WK + a qudt:Unit ; + dcterms:description "A rate of change in percent over a period of 7 days"@en ; + qudt:conversionMultiplier 1.65343915343915e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/wk" ; + qudt:ucumCode "%.wk-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Percent per week"@en ; +. +unit:PERCENT_RH + a qudt:Unit ; + dcterms:description "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:RelativeHumidity ; + qudt:plainTextDescription "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage." ; + qudt:symbol "%RH" ; + rdfs:isDefinedBy ; + rdfs:label "Percent Relative Humidity"@en ; +. +unit:PERMEABILITY_EM_REL + a qudt:Unit ; + dcterms:description "Relative permeability, denoted by the symbol \\(\\mu _T\\), is the ratio of the permeability of a specific medium to the permeability of free space \\(\\mu _0\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeabilityRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\,T\\)"^^qudt:LatexString ; + qudt:symbol "μₜ" ; + qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Relative Electromagnetic Permeability"@en ; +. +unit:PERMEABILITY_REL + a qudt:Unit ; + dcterms:description "In multiphase flow in porous media, the relative permeability of a phase is a dimensionless measure of the effective permeability of that phase. It is the ratio of the effective permeability of that phase to the absolute permeability. It can be viewed as an adaptation of Darcy's law to multiphase flow. For two-phase flow in porous media given steady-state conditions, we can write where is the flux, is the pressure drop, is the viscosity."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.25663706e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PermeabilityRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:symbol "kᵣ" ; + rdfs:isDefinedBy ; + rdfs:label "Relative Permeability"@en ; +. +unit:PERMITTIVITY_REL + a qudt:Unit ; + dcterms:description """The \\(\\textit{relative permittivity}\\) of a material under given conditions reflects the extent to which it concentrates electrostatic lines of flux. In technical terms, it is the ratio of the amount of electrical energy stored in a material by an applied voltage, relative to that stored in a vacuum. Likewise, it is also the ratio of the capacitance of a capacitor using that material as a dielectric, compared to a similar capacitor that has a vacuum as its dielectric. Relative permittivity is a dimensionless number that is in general complex. The imaginary portion of the permittivity corresponds to a phase shift of the polarization P relative to E and leads to the attenuation of electromagnetic waves passing through the medium.

+

\\(\\epsilon_r(w) = \\frac{\\epsilon(w)}{\\epsilon_O}\\)\\ where \\(\\epsilon_r(w)\\) is the complex frequency-dependent absolute permittivity of the material, and \\(\\epsilon_O\\) is the vacuum permittivity."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 8.854187817e-12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_static_permittivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permittivity?oldid=489664437"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_static_permittivity?oldid=334224492"^^xsd:anyURI ; + qudt:informativeReference "http://www.ncert.nic.in/html/learning_basket/electricity/electricity/charges%20&%20fields/absolute_permittivity.htm"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:symbol "εᵣ" ; + qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Relative Permittivity"@en ; +. +unit:PERM_Metric + a qudt:Unit ; + dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The metric perm (not an SI unit) is defined as 1 gram of water vapor per day, per square meter, per millimeter of mercury."@en ; + qudt:conversionMultiplier 8.68127e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "perm{Metric}" ; + rdfs:isDefinedBy ; + rdfs:label "Metric Perm"@en ; +. +unit:PERM_US + a qudt:Unit ; + dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The U.S. perm is defined as 1 grain of water vapor per hour, per square foot, per inch of mercury."@en ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.72135e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "perm{US}" ; + rdfs:isDefinedBy ; + rdfs:label "U.S. Perm"@en ; +. +unit:PH + a qudt:Unit ; + dcterms:description "the negative decadic logarithmus of the concentration of free protons (or hydronium ions) expressed in 1 mol/l."@en ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Acidity ; + qudt:hasQuantityKind quantitykind:Basicity ; + qudt:hasQuantityKind quantitykind:PH ; + qudt:symbol "pH" ; + qudt:ucumCode "[pH]"^^qudt:UCUMcs ; + rdfs:comment "Unsure about dimensionality of pH; conversion requires a log function not just a multiplier"@en ; + rdfs:isDefinedBy ; + rdfs:label "Acidity"@en ; +. +unit:PHOT + a qudt:Unit ; + dcterms:description "A phot (ph) is a photometric unit of illuminance, or luminous flux through an area. It is not an SI unit, but rather is associated with the older centimetre gram second system of units. Metric dimensions: \\(illuminance = luminous intensity \\times solid angle / length\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Phot"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:iec61360Code "0112/2///62720#UAB255" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phot?oldid=477198725"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ph" ; + qudt:ucumCode "ph"^^qudt:UCUMcs ; + qudt:udunitsCode "ph" ; + qudt:uneceCommonCode "P26" ; + rdfs:isDefinedBy ; + rdfs:label "Phot"@en ; +. +unit:PINT + a qudt:Unit ; + dcterms:description "\"Imperial Pint\" is an Imperial unit for 'Volume' expressed as \\(pint\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00056826125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "pt" ; + qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTI" ; + rdfs:isDefinedBy ; + rdfs:label "Imperial Pint"@en ; +. +unit:PINT_UK + a qudt:Unit ; + dcterms:description "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0005682613 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA952" ; + qudt:plainTextDescription "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units" ; + qudt:symbol "pt{UK}" ; + qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTI" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (UK)"@en ; +. +unit:PINT_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.577098e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA953" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "pt{UK}/day" ; + qudt:ucumCode "[pt_br].d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L53" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (UK) Per Day"@en ; +. +unit:PINT_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.578504e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA954" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "pt{UK}/hr" ; + qudt:ucumCode "[pt_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L54" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (UK) Per Hour"@en ; +. +unit:PINT_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 9.471022e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA955" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "pt{UK}/min" ; + qudt:ucumCode "[pt_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L55" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (UK) Per Minute"@en ; +. +unit:PINT_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0005682613 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA956" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "pt{UK}/s" ; + qudt:ucumCode "[pt_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L56" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (UK) Per Second"@en ; +. +unit:PINT_US + a qudt:Unit ; + dcterms:description "\"US Liquid Pint\" is a unit for 'Liquid Volume' expressed as \\(pt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004731765 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "pt{US}" ; + qudt:ucumCode "[pt_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "pt" ; + qudt:uneceCommonCode "PTL" ; + rdfs:isDefinedBy ; + rdfs:label "US Liquid Pint"@en ; +. +unit:PINT_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.47658e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA958" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "pt{US}/day" ; + qudt:ucumCode "[pt_us].d-1"^^qudt:UCUMcs ; + qudt:udunitsCode "kg" ; + qudt:uneceCommonCode "L57" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (US Liquid) Per Day"@en ; +. +unit:PINT_US-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.314379e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA959" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "pt{US}/hr" ; + qudt:ucumCode "[pt_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L58" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (US Liquid) Per Hour"@en ; +. +unit:PINT_US-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 7.886275e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA960" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "pt{US}/min" ; + qudt:ucumCode "[pt_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L59" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (US Liquid) Per Minute"@en ; +. +unit:PINT_US-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004731765 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA961" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "pt{US}/s" ; + qudt:ucumCode "[pt_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L60" ; + rdfs:isDefinedBy ; + rdfs:label "Pint (US Liquid) Per Second"@en ; +. +unit:PINT_US_DRY + a qudt:Unit ; + dcterms:description "\"US Dry Pint\" is a C.G.S System unit for 'Dry Volume' expressed as \\(dry_pt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000550610471 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "pt{US Dry}" ; + qudt:ucumCode "[dpt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTD" ; + rdfs:isDefinedBy ; + rdfs:label "US Dry Pint"@en ; +. +unit:PK_UK + a qudt:Unit ; + dcterms:description "unit of the volume according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.009092181 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA939" ; + qudt:plainTextDescription "unit of the volume according to the Imperial system of units" ; + qudt:symbol "peck{UK}" ; + qudt:ucumCode "[pk_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L43" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (UK)"@en ; +. +unit:PK_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.05233576e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA940" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "peck{UK}/day" ; + qudt:ucumCode "[pk_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L44" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (UK) Per Day"@en ; +. +unit:PK_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.525605833e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA941" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "peck{UK}/hr" ; + qudt:ucumCode "[pk_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L45" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (UK) Per Hour"@en ; +. +unit:PK_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00015153635 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA942" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "peck{UK}/min" ; + qudt:ucumCode "[pk_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L46" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (UK) Per Minute"@en ; +. +unit:PK_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.009092181 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA943" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "peck{UK}/s" ; + qudt:ucumCode "[pk_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L47" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (UK) Per Second"@en ; +. +unit:PK_US_DRY + a qudt:Unit ; + dcterms:description "A peck is an imperial and U.S. customary unit of dry volume, equivalent to 2 gallons or 8 dry quarts or 16 dry pints. Two pecks make a kenning (obsolete), and four pecks make a bushel. In Scotland, the peck was used as a dry measure until the introduction of imperial units as a result of the Weights and Measures Act of 1824. The peck was equal to about 9 litres (in the case of certain crops, such as wheat, peas, beans and meal) and about 13 litres (in the case of barley, oats and malt). A firlot was equal to 4 pecks and the peck was equal to 4 lippies or forpets. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00880976754 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "peck{US Dry}" ; + qudt:ucumCode "[pk_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "pk" ; + qudt:uneceCommonCode "PY" ; + rdfs:isDefinedBy ; + rdfs:label "US Peck"@en ; +. +unit:PK_US_DRY-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.01964902e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA944" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "peck{US}/day" ; + qudt:ucumCode "[pk_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L48" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (US Dry) Per Day"@en ; +. +unit:PK_US_DRY-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.447157651e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA945" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "peck{US}/hr" ; + qudt:ucumCode "[pk_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L49" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (US Dry) Per Hour"@en ; +. +unit:PK_US_DRY-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000146829459067 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA946" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "peck{US}/min" ; + qudt:ucumCode "[pk_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L50" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (US Dry) Per Minute"@en ; +. +unit:PK_US_DRY-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00880976754 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA947" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "peck{US}/s" ; + qudt:ucumCode "[pk_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L51" ; + rdfs:isDefinedBy ; + rdfs:label "Peck (US Dry) Per Second"@en ; +. +unit:POISE + a qudt:Unit ; + dcterms:description "The poise is the unit of dynamic viscosity in the centimetre gram second system of units. It is named after Jean Louis Marie Poiseuille."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Poise"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA255" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poise?oldid=487835641"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "P" ; + qudt:ucumCode "P"^^qudt:UCUMcs ; + qudt:uneceCommonCode "89" ; + rdfs:isDefinedBy ; + rdfs:label "Poise"@en ; +. +unit:POISE-PER-BAR + a qudt:Unit ; + dcterms:description "CGS unit poise divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA257" ; + qudt:plainTextDescription "CGS unit poise divided by the unit bar" ; + qudt:symbol "P/bar" ; + qudt:ucumCode "P.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F06" ; + rdfs:isDefinedBy ; + rdfs:label "Poise Per Bar"@en ; +. +unit:PPB + a qudt:Unit ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:iec61360Code "0112/2///62720#UAD926" ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "PPB" ; + qudt:ucumCode "[ppb]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "61" ; + rdfs:isDefinedBy ; + rdfs:label "Parts per billion"@en ; +. +unit:PPM + a qudt:Unit ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:iec61360Code "0112/2///62720#UAD925" ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "PPM" ; + qudt:ucumCode "[ppm]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "59" ; + rdfs:isDefinedBy ; + rdfs:label "Parts per million"@en ; +. +unit:PPM-PER-K + a qudt:Unit ; + dcterms:description "Unit for expansion ratios expressed as parts per million per Kelvin."^^qudt:LatexString ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:expression "\\(PPM/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio ; + qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "PPM/K" ; + qudt:ucumCode "ppm.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Parts Per Million per Kelvin"@en ; +. +unit:PPTH + a qudt:Unit ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:abbreviation "‰" ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "‰" ; + qudt:ucumCode "[ppth]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NX" ; + rdfs:isDefinedBy ; + rdfs:label "Parts per thousand"@en ; + skos:altLabel "per mil" ; +. +unit:PPTH-PER-HR + a qudt:Unit ; + qudt:conversionMultiplier 2.77777777777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "‰/hr" ; + qudt:ucumCode "[ppth].h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Parts per thousand per hour"@en ; +. +unit:PPTM + a qudt:Unit ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:symbol "PPTM" ; + rdfs:isDefinedBy ; + rdfs:label "Parts per Ten Million"@en ; +. +unit:PPTM-PER-K + a qudt:Unit ; + dcterms:description "Unit for expansion ratios expressed as parts per ten million per Kelvin."^^qudt:LatexString ; + qudt:conversionMultiplier 1.0e-07 ; + qudt:expression "\\(PPTM/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio ; + qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "PPTM/K" ; + rdfs:isDefinedBy ; + rdfs:label "Parts Per Ten Million per Kelvin"@en ; +. +unit:PPTR + a qudt:Unit ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "PPTR" ; + qudt:ucumCode "[pptr]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Parts per trillion"@en ; +. +unit:PPTR_VOL + a qudt:Unit ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pptr" ; + qudt:ucumCode "[pptr]{vol}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Parts per trillion by volume"@en ; +. +unit:PSI + a qudt:Unit ; + dcterms:description "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:LB_F-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:plainTextDescription "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "psi" ; + qudt:ucumCode "[psi]"^^qudt:UCUMcs ; + qudt:udunitsCode "psi" ; + qudt:uneceCommonCode "PS" ; + rdfs:isDefinedBy ; + rdfs:label "PSI"@en ; +. +unit:PSI-IN3-PER-SEC + a qudt:Unit ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1129848 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA703" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)" ; + qudt:symbol "psi⋅in³/s" ; + qudt:ucumCode "[psi].[cin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K87" ; + rdfs:isDefinedBy ; + rdfs:label "Psi Cubic Inch Per Second"@en ; +. +unit:PSI-L-PER-SEC + a qudt:Unit ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)"^^rdf:HTML ; + qudt:conversionMultiplier 6.894757 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA704" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)" ; + qudt:symbol "psi⋅L³/s" ; + qudt:ucumCode "[psi].L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K88" ; + rdfs:isDefinedBy ; + rdfs:label "Psi Liter Per Second"@en-us ; + rdfs:label "Psi Litre Per Second"@en ; +. +unit:PSI-M3-PER-SEC + a qudt:Unit ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)"^^rdf:HTML ; + qudt:conversionMultiplier 6894.757 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA705" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)" ; + qudt:symbol "psi⋅m³/s" ; + qudt:ucumCode "[psi].m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K89" ; + rdfs:isDefinedBy ; + rdfs:label "PSI Cubic Meter Per Second"@en-us ; + rdfs:label "PSI Cubic Metre Per Second"@en ; +. +unit:PSI-PER-PSI + a qudt:Unit ; + dcterms:description "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA951" ; + qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "psi/psi" ; + qudt:ucumCode "[psi].[psi]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L52" ; + rdfs:isDefinedBy ; + rdfs:label "Psi Per Psi"@en ; +. +unit:PSI-YD3-PER-SEC + a qudt:Unit ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5271.42 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA706" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)" ; + qudt:symbol "psi⋅yd³/s" ; + qudt:ucumCode "[psi].[cyd_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K90" ; + rdfs:isDefinedBy ; + rdfs:label "Psi Cubic Yard Per Second"@en ; +. +unit:PSU + a qudt:Unit ; + dcterms:description "Practical salinity scale 1978 (PSS-78) is used for ionic content of seawater determined by electrical conductivity. Salinities measured using PSS-78 do not have units, but are approximately scaled to parts-per-thousand for the valid range. The suffix psu or PSU (denoting practical salinity unit) is sometimes added to PSS-78 measurement values. The addition of PSU as a unit after the value is \"formally incorrect and strongly discouraged\"."^^rdf:HTML ; + dcterms:source ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Salinity#PSU"^^xsd:anyURI ; + qudt:symbol "PSU" ; + rdfs:isDefinedBy ; + rdfs:label "Practical salinity unit" ; + rdfs:seeAlso unit:PPTH ; +. +unit:PT + a qudt:Unit ; + dcterms:description "In typography, a point is the smallest unit of measure, being a subdivision of the larger pica. It is commonly abbreviated as pt. The point has long been the usual unit for measuring font size and leading and other minute items on a printed page."^^rdf:HTML ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB605" ; + qudt:symbol "pt" ; + qudt:ucumCode "[pnt]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N3" ; + rdfs:isDefinedBy ; + rdfs:label "Point"@en ; +. +unit:PebiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The pebibyte is a standards-based binary multiple (prefix pebi, symbol Pi) of the byte, a unit of digital information storage. The pebibyte unit symbol is PiB. 1 pebibyte = 1125899906842624bytes = 1024 tebibytes The pebibyte is closely related to the petabyte, which is defined as \\(10^{15} bytes = 1,000,000,000,000,000 bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 6.2433147681653592088811673338586e15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pebibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA274" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pebibyte?oldid=492685015"^^xsd:anyURI ; + qudt:prefix prefix:Pebi ; + qudt:symbol "PiB" ; + qudt:uneceCommonCode "E60" ; + rdfs:isDefinedBy ; + rdfs:label "PebiByte"@en ; +. +unit:Pennyweight + a qudt:Unit ; + dcterms:description "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg"^^rdf:HTML ; + qudt:conversionMultiplier 0.001555174 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB182" ; + qudt:plainTextDescription "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg" ; + qudt:symbol "dwt" ; + qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DWT" ; + rdfs:isDefinedBy ; + rdfs:label "Pennyweight"@en ; +. +unit:PetaBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "A petabyte is a unit of information equal to one quadrillion bytes, or 1024 terabytes. The unit symbol for the petabyte is PB. The prefix peta (P) indicates the fifth power to 1000: 1 PB = 1000000000000000B, 1 million gigabytes = 1 thousand terabytes The pebibyte (PiB), using a binary prefix, is the corresponding power of 1024, which is more than \\(12\\% \\)greater (\\(2^{50} bytes = 1,125,899,906,842,624 bytes\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.5451774444795624753378569716654e15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Petabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB187" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Petabyte?oldid=494735969"^^xsd:anyURI ; + qudt:prefix prefix:Peta ; + qudt:symbol "PB" ; + qudt:ucumCode "PBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E36" ; + rdfs:isDefinedBy ; + rdfs:label "PetaByte"@en ; +. +unit:PetaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A PetaCoulomb is \\(10^{15} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e15 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Peta ; + qudt:symbol "PC" ; + qudt:ucumCode "PC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "PetaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:PetaJ + a qudt:Unit ; + dcterms:description "1,000,000,000,000,000-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB123" ; + qudt:plainTextDescription "1,000,000,000,000,000-fold of the derived SI unit joule" ; + qudt:prefix prefix:Peta ; + qudt:symbol "PJ" ; + qudt:ucumCode "PJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C68" ; + rdfs:isDefinedBy ; + rdfs:label "Petajoule"@en ; +. +unit:PicoA + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA928" ; + qudt:prefix prefix:Pico ; + qudt:symbol "pA" ; + qudt:ucumCode "pA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C70" ; + rdfs:isDefinedBy ; + rdfs:label "picoampere"@en ; +. +unit:PicoA-PER-MicroMOL-L + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E1L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pA/(mmol⋅L)" ; + qudt:ucumCode "pA.umol-1.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picoamps per micromole per litre"@en ; +. +unit:PicoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A PicoCoulomb is \\(10^{-12} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA929" ; + qudt:prefix prefix:Pico ; + qudt:symbol "pC" ; + qudt:ucumCode "pC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C71" ; + rdfs:isDefinedBy ; + rdfs:label "PicoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:PicoFARAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"PicoF\" is a common unit of electric capacitance equal to \\(10^{-12} farad\\). This unit was formerly called the micromicrofarad."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA930" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:prefix prefix:Pico ; + qudt:symbol "pF" ; + qudt:ucumCode "pF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4T" ; + rdfs:isDefinedBy ; + rdfs:label "Picofarad"@en ; +. +unit:PicoFARAD-PER-M + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA931" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "pF/m" ; + qudt:ucumCode "pF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C72" ; + rdfs:isDefinedBy ; + rdfs:label "Picofarad Per Meter"@en-us ; + rdfs:label "Picofarad Per Metre"@en ; +. +unit:PicoGM + a qudt:Unit ; + dcterms:description "10**-12 grams or one 10**-15 of the SI standard unit of mass (kilogram)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:prefix prefix:Pico ; + qudt:symbol "pg" ; + qudt:ucumCode "pg"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picograms"@en ; +. +unit:PicoGM-PER-GM + a qudt:Unit ; + dcterms:description "One part per 10**12 (trillion) by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "pg/g" ; + qudt:ucumCode "pg.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picograms per gram"@en ; +. +unit:PicoGM-PER-KiloGM + a qudt:Unit ; + dcterms:description "One part per 10**15 by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "pg/kg" ; + qudt:ucumCode "pg.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picograms per kilogram"@en ; +. +unit:PicoGM-PER-L + a qudt:Unit ; + dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "pg/L" ; + qudt:ucumCode "pg.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picograms per litre"@en ; +. +unit:PicoGM-PER-MilliL + a qudt:Unit ; + dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassConcentration ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "pg/mL" ; + qudt:ucumCode "pg/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picograms per millilitre"@en ; +. +unit:PicoH + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit henry"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA932" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit henry" ; + qudt:prefix prefix:Pico ; + qudt:symbol "pH" ; + qudt:ucumCode "pH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C73" ; + rdfs:isDefinedBy ; + rdfs:label "Picohenry"@en ; +. +unit:PicoKAT-PER-L + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:symbol "pkat/L" ; + qudt:ucumCode "pkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picokatal Per Liter"@en-us ; + rdfs:label "Picokatal Per Litre"@en ; +. +unit:PicoL + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000000001-fold of the unit litre" ; + qudt:symbol "pL" ; + qudt:ucumCode "pL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q33" ; + rdfs:isDefinedBy ; + rdfs:label "Picolitre"@en ; + rdfs:label "Picolitre"@en-us ; +. +unit:PicoM + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA949" ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit metre" ; + qudt:prefix prefix:Pico ; + qudt:symbol "pM" ; + qudt:ucumCode "pm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C52" ; + rdfs:isDefinedBy ; + rdfs:label "Picometer"@en-us ; + rdfs:label "Picometre"@en ; +. +unit:PicoMOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:hasQuantityKind quantitykind:ExtentOfReaction ; + qudt:symbol "pmol" ; + rdfs:isDefinedBy ; + rdfs:label "PicoMole"@en ; +. +unit:PicoMOL-PER-KiloGM + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "pmol/kg" ; + qudt:ucumCode "pmol.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per kilogram"@en ; +. +unit:PicoMOL-PER-L + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-09 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "pmol/L" ; + qudt:ucumCode "pmol.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per litre"@en ; +. +unit:PicoMOL-PER-L-DAY + a qudt:Unit ; + dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 86400 seconds."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-14 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/day" ; + qudt:ucumCode "pmol.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per litre per day"@en ; +. +unit:PicoMOL-PER-L-HR + a qudt:Unit ; + dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 3600 seconds."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.77777777777778e-13 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(L⋅hr)" ; + qudt:ucumCode "pmol.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per litre per hour"@en ; +. +unit:PicoMOL-PER-M-W-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m⋅W⋅s)" ; + qudt:ucumCode "pmol.m-1.W-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per metre per watt per second"@en ; +. +unit:PicoMOL-PER-M2-DAY + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.15740740740741e-17 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m²⋅day)" ; + qudt:ucumCode "pmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per square metre per day"@en ; +. +unit:PicoMOL-PER-M3 + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasQuantityKind quantitykind:Solubility_Water ; + qudt:symbol "pmol/m³" ; + qudt:ucumCode "pmol.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per cubic metre"@en ; +. +unit:PicoMOL-PER-M3-SEC + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m³⋅s)" ; + qudt:ucumCode "pmol.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picomoles per cubic metre per second"@en ; +. +unit:PicoPA + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:BulkModulus ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:Fugacity ; + qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; + qudt:hasQuantityKind quantitykind:ShearModulus ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:symbol "pPa" ; + rdfs:isDefinedBy ; + rdfs:label "PicoPascal"@en ; +. +unit:PicoPA-PER-KiloM + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA933" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre" ; + qudt:symbol "pPa/km" ; + qudt:ucumCode "pPa.km-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H69" ; + rdfs:isDefinedBy ; + rdfs:label "Picopascal Per Kilometer"@en-us ; + rdfs:label "Picopascal Per Kilometre"@en ; +. +unit:PicoS + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:symbol "pS" ; + rdfs:isDefinedBy ; + rdfs:label "PicoSiemens"@en ; +. +unit:PicoS-PER-M + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA934" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "pS/m" ; + qudt:ucumCode "pS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L42" ; + rdfs:isDefinedBy ; + rdfs:label "Picosiemens Per Meter"@en-us ; + rdfs:label "Picosiemens Per Metre"@en ; +. +unit:PicoSEC + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA950" ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit second" ; + qudt:prefix prefix:Pico ; + qudt:symbol "ps" ; + qudt:ucumCode "ps"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H70" ; + rdfs:isDefinedBy ; + rdfs:label "Picosecond"@en ; +. +unit:PicoW + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA935" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt" ; + qudt:prefix prefix:Pico ; + qudt:symbol "pW" ; + qudt:ucumCode "pW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C75" ; + rdfs:isDefinedBy ; + rdfs:label "Picowatt"@en ; +. +unit:PicoW-PER-CentiM2-L + a qudt:Unit ; + dcterms:description "The power (scaled by 10^-12) per SI unit of area (scaled by 10^-4) produced per SI unit of volume (scaled by 10^-3)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-05 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pW/(cm²⋅L)" ; + qudt:ucumCode "pW.cm-2.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Picowatts per square centimetre per litre"@en ; +. +unit:PicoW-PER-M2 + a qudt:Unit ; + dcterms:description "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA936" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "pW/m²" ; + qudt:ucumCode "pW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C76" ; + rdfs:isDefinedBy ; + rdfs:label "Picowatt Per Square Meter"@en-us ; + rdfs:label "Picowatt Per Square Metre"@en ; +. +unit:PlanckArea + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.61223e-71 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:symbol "planckarea" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Area"@en ; +. +unit:PlanckCharge + a qudt:Unit ; + dcterms:description "In physics, the Planck charge, denoted by, is one of the base units in the system of natural units called Planck units. It is a quantity of electric charge defined in terms of fundamental physical constants. The Planck charge is defined as: coulombs, where: is the speed of light in the vacuum, is Planck's constant, is the reduced Planck constant, is the permittivity of free space is the elementary charge = (137.03599911) is the fine structure constant. The Planck charge is times greater than the elementary charge \\(e\\) carried by an electron."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.87554587e-18 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexSymbol "\\(Q_P\\)"^^qudt:LatexString ; + qudt:symbol "planckcharge" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Charge"@en ; +. +unit:PlanckCurrent + a qudt:Unit ; + dcterms:description "The Planck current is the unit of electric current, denoted by IP, in the system of natural units known as Planck units. \\(\\approx 3.479 \\times 10 A\\), where: the Planck time is the permittivity in vacuum and the reduced Planck constant G is the gravitational constant c is the speed of light in vacuum. The Planck current is that current which, in a conductor, carries a Planck charge in Planck time. Alternatively, the Planck current is that constant current which, if maintained in two straight parallel conductors of infinite length and negligible circular cross-section, and placed a Planck length apart in vacuum, would produce between these conductors a force equal to a Planck force per Planck length."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 3.4789e25 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_current"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_current?oldid=493640689"^^xsd:anyURI ; + qudt:symbol "planckcurrent" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Current"@en ; +. +unit:PlanckCurrentDensity + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.331774e95 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:symbol "planckcurrentdensity" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Current Density"@en ; +. +unit:PlanckDensity + a qudt:Unit ; + dcterms:description "The Planck density is the unit of density, denoted by \\(\\rho_P\\), in the system of natural units known as Planck units. \\(1\\ \\rho_P \\ is \\approx 5.155 \\times 10^{96} kg/m^3\\). This is a unit which is very large, about equivalent to \\(10^{23}\\) solar masses squeezed into the space of a single atomic nucleus. At one unit of Planck time after the Big Bang, the mass density of the universe is thought to have been approximately one unit of Planck density."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 5.155e96 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_density"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_density?oldid=493642128"^^xsd:anyURI ; + qudt:symbol "planckdensity" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Density"@en ; +. +unit:PlanckEnergy + a qudt:Unit ; + dcterms:description "In physics, the unit of energy in the system of natural units known as Planck units is called the Planck energy, denoted by \\(E_P\\). \\(E_P\\) is a derived, as opposed to basic, Planck unit. An equivalent definition is:\\(E_P = \\hbar / T_P\\) where \\(T_P\\) is the Planck time. Also: \\(E_P = m_P c^2\\) where \\(m_P\\) is the Planck mass."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.9561e09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_energy"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_energy?oldid=493639955"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_\\rho = \\sqrt{\\frac{ \\hbar c^5}{G}} \\approx 1.936 \\times 10^9 J \\approx 1.22 \\times 10^{28} eV \\approx 0.5433 MWh\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; + qudt:symbol "Eᵨ" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Energy"@en ; +. +unit:PlanckForce + a qudt:Unit ; + dcterms:description "Planck force is the derived unit of force resulting from the definition of the base Planck units for time, length, and mass. It is equal to the natural unit of momentum divided by the natural unit of time."^^rdf:HTML ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.21027e44 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_force"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_force?oldid=493643031"^^xsd:anyURI ; + qudt:symbol "planckforce" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Force"@en ; +. +unit:PlanckFrequency + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.85487e43 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_angular_frequency?oldid=493641308"^^xsd:anyURI ; + qudt:symbol "planckfrequency" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Frequency"@en ; +. +unit:PlanckFrequency_Ang + a qudt:Unit ; + qudt:conversionMultiplier 1.8548e43 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "planckangularfrequency" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Angular Frequency"@en ; +. +unit:PlanckImpedance + a qudt:Unit ; + dcterms:description "The Planck impedance is the unit of electrical resistance, denoted by ZP, in the system of natural units known as Planck units. The Planck impedance is directly coupled to the impedance of free space, Z0, and differs in value from Z0 only by a factor of \\(4\\pi\\). If the Planck charge were instead defined to normalize the permittivity of free space, \\(\\epsilon_0\\), rather than the Coulomb constant, \\(1/(4\\pi\\epsilon_0)\\), then the Planck impedance would be identical to the characteristic impedance of free space."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 29.9792458 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_P = \\frac{V_P}{I_P}= \\frac{1}{4\\pi\\epsilon_0c}=\\frac{\\mu_oc}{4\\pi}=\\frac{Z_0}{4\\pi}=29.9792458\\Omega\\)\\where \\(V_P\\) is the Planck voltage, \\(I_P\\) is the Planck current, \\(c\\) is the speed of light in a vacuum, \\(\\epsilon_0\\) is the permittivity of free space, \\(\\mu_0\\) is the permeability of free space, and \\(Z_0\\) is the impedance of free space."^^qudt:LatexString ; + qudt:symbol "Zₚ" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Impedance"@en ; +. +unit:PlanckLength + a qudt:Unit ; + dcterms:description "In physics, the Planck length, denoted \\(\\ell_P\\), is a unit of length, equal to \\(1.616199(97)×10^{-35}\\) metres. It is a base unit in the system of Planck units. The Planck length can be defined from three fundamental physical constants: the speed of light in a vacuum, Planck's constant, and the gravitational constant. "^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.616252e-35 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_length?oldid=495093067"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\ell_P = \\sqrt{\\frac{ \\hbar G}{c^3}} \\approx 1.616199(97)) \\times 10^{-35} m\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\ell_P\\)"^^qudt:LatexString ; + qudt:symbol "plancklength" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Length"@en ; +. +unit:PlanckMass + a qudt:Unit ; + dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.17644e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:latexSymbol "\\(m_P\\)"^^qudt:LatexString ; + qudt:symbol "planckmass" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Mass"@en ; +. +unit:PlanckMomentum + a qudt:Unit ; + dcterms:description "Planck momentum is the unit of momentum in the system of natural units known as Planck units. It has no commonly used symbol of its own, but can be denoted by, where is the Planck mass and is the speed of light in a vacuum. Then where is the reduced Planck's constant, is the Planck length, is the gravitational constant. In SI units Planck momentum is \\(\\approx 6.5 kg m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 6.52485 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_momentum"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:hasQuantityKind quantitykind:Momentum ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_momentum?oldid=493644981"^^xsd:anyURI ; + qudt:symbol "planckmomentum" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Momentum"@en ; +. +unit:PlanckPower + a qudt:Unit ; + dcterms:description "The Planck energy divided by the Planck time is the Planck power \\(P_p \\), equal to about \\(3.62831 \\times 10^{52} W\\). This is an extremely large unit; even gamma-ray bursts, the most luminous phenomena known, have output on the order of \\(1 \\times 10^{45} W\\), less than one ten-millionth of the Planck power."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 3.62831e52 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_power"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_power?oldid=493642483"^^xsd:anyURI ; + qudt:latexDefinition "\\(P_p = {\\frac{ c^5}{G}}\\), where \\(c\\) is the speed of light in a vacuum, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; + qudt:symbol "planckpower" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Power"@en ; +. +unit:PlanckPressure + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 4.63309e113 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_pressure"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_pressure?oldid=493640883"^^xsd:anyURI ; + qudt:symbol "planckpressure" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Pressure"@en ; +. +unit:PlanckTemperature + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.416784e32 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint ; + qudt:hasQuantityKind quantitykind:FlashPoint ; + qudt:hasQuantityKind quantitykind:MeltingPoint ; + qudt:hasQuantityKind quantitykind:Temperature ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:symbol "plancktemperature" ; + rdfs:isDefinedBy ; + rdfs:label "PlanckTemperature"@en ; +. +unit:PlanckTime + a qudt:Unit ; + dcterms:description "In physics, the Planck time, denoted by \\(t_P\\), is the unit of time in the system of natural units known as Planck units. It is the time required for light to travel, in a vacuum, a distance of 1 Planck length. The unit is named after Max Planck, who was the first to propose it. \\( \\\\ t_P \\equiv \\sqrt{\\frac{\\hbar G}{c^5}} \\approx 5.39106(32) \\times 10^{-44} s\\) where, \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant (defined as \\(\\hbar = \\frac{h}{2 \\pi}\\) and \\(G\\) is the gravitational constant. The two digits between parentheses denote the standard error of the estimated value."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 5.39124e-49 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_time?oldid=495362103"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexSymbol "\\(t_P\\)"^^qudt:LatexString ; + qudt:symbol "tₚ" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Time"@en ; +. +unit:PlanckVolt + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.04295e27 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:symbol "Vₚ" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Volt"@en ; +. +unit:PlanckVolume + a qudt:Unit ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 4.22419e-105 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "l³ₚ" ; + rdfs:isDefinedBy ; + rdfs:label "Planck Volume"@en ; +. +unit:QT_UK + a qudt:Unit ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0011365225 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA963" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "qt{UK}" ; + qudt:ucumCode "[qt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTI" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (UK)"@en ; +. +unit:QT_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.31542e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA710" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "qt{UK}/day" ; + qudt:ucumCode "[qt_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K94" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (UK Liquid) Per Day"@en ; +. +unit:QT_UK-PER-HR + a qudt:Unit ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 3.157007e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA711" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "qt{UK}/hr" ; + qudt:ucumCode "[qt_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K95" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (UK Liquid) Per Hour"@en ; +. +unit:QT_UK-PER-MIN + a qudt:Unit ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.894205e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA712" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "qt{UK}/min" ; + qudt:ucumCode "[qt_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K96" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (UK Liquid) Per Minute"@en ; +. +unit:QT_UK-PER-SEC + a qudt:Unit ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0011365225 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA713" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "qt{UK}/s" ; + qudt:ucumCode "[qt_br].h-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K97" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (UK Liquid) Per Second"@en ; +. +unit:QT_US + a qudt:Unit ; + dcterms:description "\"US Liquid Quart\" is a unit for 'Liquid Volume' expressed as \\(qt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000946353 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "qt" ; + qudt:ucumCode "[qt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTL" ; + rdfs:isDefinedBy ; + rdfs:label "US Liquid Quart"@en ; +. +unit:QT_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.095316e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA714" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "qt{US}/day" ; + qudt:ucumCode "[qt_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K98" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (US Liquid) Per Day"@en ; +. +unit:QT_US-PER-HR + a qudt:Unit ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.62875833e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA715" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "qt{US}/hr" ; + qudt:ucumCode "[qt_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K99" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (US Liquid) Per Hour"@en ; +. +unit:QT_US-PER-MIN + a qudt:Unit ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.577255e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA716" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "qt{US}/min" ; + qudt:ucumCode "[qt_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L10" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (US Liquid) Per Minute"@en ; +. +unit:QT_US-PER-SEC + a qudt:Unit ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 9.46353e-04 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA717" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "qt{US}/s" ; + qudt:ucumCode "[qt_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L11" ; + rdfs:isDefinedBy ; + rdfs:label "Quart (US Liquid) Per Second"@en ; +. +unit:QT_US_DRY + a qudt:Unit ; + dcterms:description "\"US Dry Quart\" is a unit for 'Dry Volume' expressed as \\(dry_qt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.001101220942715 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "qt{US Dry}" ; + qudt:ucumCode "[dqt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTD" ; + rdfs:isDefinedBy ; + rdfs:label "US Dry Quart"@en ; +. +unit:QUAD + a qudt:Unit ; + dcterms:description "A quad is a unit of energy equal to \\(10 BTU\\), or \\(1.055 \\times \\SI{10}{\\joule}\\), which is \\(1.055 exajoule\\) or \\(EJ\\) in SI units. The unit is used by the U.S. Department of Energy in discussing world and national energy budgets. Some common types of an energy carrier approximately equal 1 quad are: 8,007,000,000 Gallons (US) of gasoline 293,083,000,000 Kilowatt-hours (kWh) 36,000,000 Tonnes of coal 970,434,000,000 Cubic feet of natural gas 5,996,000,000 UK gallons of diesel oil 25,200,000 Tonnes of oil 252,000,000 tonnes of TNT or five times the energy of the Tsar Bomba nuclear test."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.055e18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quad?oldid=492086827"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "quad" ; + qudt:uneceCommonCode "N70" ; + rdfs:isDefinedBy ; + rdfs:label "Quad"@en ; +. +unit:Quarter_UK + a qudt:Unit ; + dcterms:description "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 12.70058636 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB202" ; + qudt:plainTextDescription "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb" ; + qudt:symbol "quarter" ; + qudt:ucumCode "28.[lb_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTR" ; + rdfs:isDefinedBy ; + rdfs:label "Quarter (UK)"@en ; +. +unit:R + a qudt:Unit ; + dcterms:description "Not to be confused with roentgen equivalent man or roentgen equivalent physical. The roentgen (symbol R) is an obsolete unit of measurement for the kerma of X-rays and gamma rays up to 3 MeV."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.58e-04 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Roentgen"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA275" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen?oldid=491213233"^^xsd:anyURI ; + qudt:symbol "R" ; + qudt:ucumCode "R"^^qudt:UCUMcs ; + qudt:udunitsCode "R" ; + qudt:uneceCommonCode "2C" ; + rdfs:isDefinedBy ; + rdfs:label "Roentgen"@en ; +. +unit:RAD + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. In the absence of any symbol radians are assumed, and when degrees are meant the symbol \\(^{\\ circ}\\) is used. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radian"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:exactMatch unit:MilliARCSEC ; + qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA966" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radian?oldid=492309312"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. The unit was formerly a SI supplementary unit, but this category was abolished in 1995 and the radian is now considered a SI derived unit. The SI unit of solid angle measurement is the steradian. The radian is represented by the symbol \"rad\" or, more rarely, by the superscript c (for \"circular measure\"). For example, an angle of 1.2 radians would be written as \"1.2 rad\" or \"1.2c\" (the second symbol is often mistaken for a degree: \"1.2u00b0\"). As the ratio of two lengths, the radian is a \"pure number\" that needs no unit symbol, and in mathematical writing the symbol \"rad\" is almost always omitted. In the absence of any symbol radians are assumed, and when degrees are meant the symbol u00b0 is used. [Wikipedia]" ; + qudt:symbol "rad" ; + qudt:ucumCode "rad"^^qudt:UCUMcs ; + qudt:udunitsCode "rad" ; + qudt:uneceCommonCode "C81" ; + rdfs:comment "The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities." ; + rdfs:isDefinedBy ; + rdfs:label "Radiant"@de ; + rdfs:label "radian"@en ; + rdfs:label "radian"@fr ; + rdfs:label "radian"@la ; + rdfs:label "radian"@ms ; + rdfs:label "radian"@pl ; + rdfs:label "radian"@ro ; + rdfs:label "radian"@sl ; + rdfs:label "radiano"@pt ; + rdfs:label "radiante"@it ; + rdfs:label "radián"@cs ; + rdfs:label "radián"@es ; + rdfs:label "radián"@hu ; + rdfs:label "radyan"@tr ; + rdfs:label "ακτίνιο"@el ; + rdfs:label "радиан"@bg ; + rdfs:label "радиан"@ru ; + rdfs:label "רדיאן"@he ; + rdfs:label "راديان"@ar ; + rdfs:label "رادیان"@fa ; + rdfs:label "वर्ग मीटर"@hi ; + rdfs:label "ラジアン"@ja ; + rdfs:label "弧度"@zh ; +. +unit:RAD-M2-PER-KiloGM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad m^2 / kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificOpticalRotatoryPower ; + qudt:iec61360Code "0112/2///62720#UAB162" ; + qudt:symbol "rad⋅m²/kg" ; + qudt:ucumCode "rad.m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C83" ; + rdfs:isDefinedBy ; + rdfs:label "Radian Square Meter per Kilogram"@en-us ; + rdfs:label "Radian Square Metre per Kilogram"@en ; +. +unit:RAD-M2-PER-MOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad m^2 / mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarOpticalRotatoryPower ; + qudt:iec61360Code "0112/2///62720#UAB161" ; + qudt:symbol "rad⋅m²/mol" ; + qudt:ucumCode "rad.m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C82" ; + rdfs:isDefinedBy ; + rdfs:label "Radian Square Meter per Mole"@en-us ; + rdfs:label "Radian Square Metre per Mole"@en ; +. +unit:RAD-PER-HR + a qudt:Unit ; + dcterms:description "\"Radian per Hour\" is a unit for 'Angular Velocity' expressed as \\(rad/h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:expression "\\(rad/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rad/h" ; + qudt:ucumCode "rad.h-1"^^qudt:UCUMcs ; + qudt:ucumCode "rad/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Radian per Hour"@en ; +. +unit:RAD-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularWavenumber ; + qudt:hasQuantityKind quantitykind:DebyeAngularWavenumber ; + qudt:hasQuantityKind quantitykind:FermiAngularWavenumber ; + qudt:iec61360Code "0112/2///62720#UAA967" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "rad/m" ; + qudt:ucumCode "rad.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C84" ; + rdfs:isDefinedBy ; + rdfs:label "Radian per Meter"@en-us ; + rdfs:label "Radiant je Meter"@de ; + rdfs:label "radian na metr"@pl ; + rdfs:label "radian par mètre"@fr ; + rdfs:label "radian per meter"@ms ; + rdfs:label "radian per metre"@en ; + rdfs:label "radiane pe metru"@ro ; + rdfs:label "radiano por metro"@pt ; + rdfs:label "radiante al metro"@it ; + rdfs:label "radián por metro"@es ; + rdfs:label "radiánů na metr"@cs ; + rdfs:label "radyan bölü metre"@tr ; + rdfs:label "радиан на метр"@ru ; + rdfs:label "رادیان بر متر"@fa ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "प्रति मीटर वर्ग मीटर"@hi ; + rdfs:label "ラジアン毎メートル"@ja ; + rdfs:label "弧度每米"@zh ; +. +unit:RAD-PER-MIN + a qudt:Unit ; + dcterms:description "Radian Per Minute (rad/min) is a unit in the category of Angular velocity. It is also known as radians per minute, radian/minute. Radian Per Minute (rad/min) has a dimension of aT-1 where T is time. It can be converted to the corresponding standard SI unit rad/s by multiplying its value by a factor of 0.0166666666667. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 60.0 ; + qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rad/min" ; + qudt:ucumCode "rad.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "rad/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Radian per Minute"@en ; +. +unit:RAD-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Radian per Second\" is the SI unit of rotational speed (angular velocity), and, also the unit of angular frequency. The radian per second is defined as the change in the orientation of an object, in radians, every second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(rad/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAA968" ; + qudt:symbol "rad/s" ; + qudt:ucumCode "rad.s-1"^^qudt:UCUMcs ; + qudt:ucumCode "rad/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2A" ; + rdfs:isDefinedBy ; + rdfs:label "Radian je Sekunde"@de ; + rdfs:label "radian na sekundo"@sl ; + rdfs:label "radian na sekundę"@pl ; + rdfs:label "radian par seconde"@fr ; + rdfs:label "radian pe secundă"@ro ; + rdfs:label "radian per saat"@ms ; + rdfs:label "radian per second"@en ; + rdfs:label "radiano por segundo"@pt ; + rdfs:label "radiante al secondo"@it ; + rdfs:label "radián por segundo"@es ; + rdfs:label "radián za sekundu"@cs ; + rdfs:label "radyan bölü saniye"@tr ; + rdfs:label "радиан в секунду"@ru ; + rdfs:label "راديان في الثانية"@ar ; + rdfs:label "رادیان بر ثانیه"@fa ; + rdfs:label "वर्ग मीटर प्रति सैकिण्ड"@hi ; + rdfs:label "ラジアン毎秒"@ja ; + rdfs:label "弧度每秒"@zh ; +. +unit:RAD-PER-SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Angular acceleration is the rate of change of angular velocity. In SI units, it is measured in radians per Square second (\\(rad/s^2\\)), and is usually denoted by the Greek letter \\(\\alpha\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(rad/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA969" ; + qudt:symbol "rad/s²" ; + qudt:ucumCode "rad.s-2"^^qudt:UCUMcs ; + qudt:ucumCode "rad/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2B" ; + rdfs:isDefinedBy ; + rdfs:label "Radian per Square Second"@en ; +. +unit:RAD_R + a qudt:Unit ; + dcterms:description "The \\(rad\\) is a deprecated unit of absorbed radiation dose, defined as \\(1 rad = 0.01\\,Gy = 0.01 J/kg\\). It was originally defined in CGS units in 1953 as the dose causing 100 ergs of energy to be absorbed by one gram of matter. It has been replaced by the gray in most of the world. A related unit, the \\(roentgen\\), was formerly used to quantify the number of rad deposited into a target when it was exposed to radiation. The F-factor can used to convert between rad and roentgens. The material absorbing the radiation can be human tissue or silicon microchips or any other medium (for example, air, water, lead shielding, etc.)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/RAD"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:informativeReference "http://en.wikipedia.org/wiki/RAD?oldid=493716376"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rad" ; + qudt:ucumCode "RAD"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C80" ; + rdfs:isDefinedBy ; + rdfs:label "Rad"@en ; +. +unit:RAYL + a qudt:Unit ; + dcterms:description "The \\(Rayl\\) is one of two units of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is one rayl if unit pressure produces unit velocity. It is defined as follows: \\(1\\; rayl = 1 dyn\\cdot s\\cdot cm^{-3}\\) Or in SI as: \\(1 \\; rayl = 10^{-1}Pa\\cdot s\\cdot m^{-1}\\), which equals \\(10\\,N \\cdot s\\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rayl"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rayl?oldid=433570842"^^xsd:anyURI ; + qudt:symbol "rayl" ; + rdfs:isDefinedBy ; + rdfs:label "Rayl"@en ; +. +unit:REM + a qudt:Unit ; + dcterms:description "A Rem is a deprecated unit used to measure the biological effects of ionizing radiation. The rem is defined as equal to 0.01 sievert, which is the more commonly used unit outside of the United States. Equivalent dose, effective dose, and committed dose can all be measured in units of rem. These quantities are products of the absorbed dose in rads and weighting factors. These factors must be selected for each exposure situation; there is no universally applicable conversion constant from rad to rem. A rem is a large dose of radiation, so the millirem (mrem), which is one thousandth of a rem, is often used for the dosages commonly encountered, such as the amount of radiation received from medical x-rays and background sources."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA971" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rem" ; + qudt:ucumCode "REM"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D91" ; + rdfs:isDefinedBy ; + rdfs:label "Rem"@en ; +. +unit:REV + a qudt:Unit ; + dcterms:description "\"Revolution\" is a unit for 'Plane Angle' expressed as \\(rev\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 6.28318531 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Revolution"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:hasQuantityKind quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAB206" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Revolution?oldid=494110330"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rev" ; + qudt:ucumCode "{#}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M44" ; + rdfs:isDefinedBy ; + rdfs:label "Revolution"@en ; +. +unit:REV-PER-HR + a qudt:Unit ; + dcterms:description "\"Revolution per Hour\" is a unit for 'Angular Velocity' expressed as \\(rev/h\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00174532925 ; + qudt:expression "\\(rev/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rev/h" ; + qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Revolution per Hour"@en ; +. +unit:REV-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Revolution per Minute\" is a unit for 'Angular Velocity' expressed as \\(rev/min\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.104719755 ; + qudt:expression "\\(rev/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAB231" ; + qudt:symbol "rev/min" ; + qudt:ucumCode "{#}.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M46" ; + rdfs:isDefinedBy ; + rdfs:label "Revolution per Minute"@en ; +. +unit:REV-PER-SEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Revolution per Second\" is a unit for 'Angular Velocity' expressed as \\(rev/s\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 6.28318531 ; + qudt:expression "\\(rev/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rev/s" ; + qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "RPS" ; + rdfs:isDefinedBy ; + rdfs:label "Revolution per Second"@en ; +. +unit:REV-PER-SEC2 + a qudt:Unit ; + dcterms:description "\"Revolution per Square Second\" is a C.G.S System unit for 'Angular Acceleration' expressed as \\(rev-per-s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 6.28318531 ; + qudt:expression "\\(rev/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:symbol "rev/s²" ; + qudt:ucumCode "{#}.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Revolution per Square Second"@en ; +. +unit:ROD + a qudt:Unit ; + dcterms:description "A unit of distance equal to 5.5 yards (16 feet 6 inches)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.02921 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rod"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(rd\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA970" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rod?oldid=492590086"^^xsd:anyURI ; + qudt:symbol "rod" ; + qudt:ucumCode "[rd_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F49" ; + rdfs:isDefinedBy ; + rdfs:label "Rod"@en ; +. +unit:RPK + a qudt:Unit ; + dcterms:description "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasQuantityKind quantitykind:GeneFamilyAbundance ; + qudt:informativeReference "https://learn.gencore.bio.nyu.edu/metgenomics/shotgun-metagenomics/functional-analysis/"^^xsd:anyURI ; + qudt:plainTextDescription "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "RPK" ; + rdfs:isDefinedBy ; + rdfs:label "Reads Per Kilobase"@en ; + skos:altLabel "RPK" ; +. +unit:RT + a qudt:Unit ; + dcterms:description "The register ton is a unit of volume used for the cargo capacity of a ship, defined as 100 cubic feet (roughly 2.83 cubic metres)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.8316846592 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Tonnage#Tonnage_measurements"^^xsd:anyURI ; + qudt:symbol "RT" ; + qudt:ucumCode "100.[cft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M70" ; + rdfs:isDefinedBy ; + rdfs:label "Register Ton"@en ; + rdfs:seeAlso unit:GT ; +. +unit:S + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Siemens}\\) is the SI unit of electric conductance, susceptance, and admittance. The most important property of a conductor is the amount of current it will carry when a voltage is applied. Current flow is opposed by resistance in all circuits, and by also by reactance and impedance in alternating current circuits. Conductance, susceptance, and admittance are the inverses of resistance, reactance, and impedance, respectively. To measure these properties, the siemens is the reciprocal of the ohm. In other words, the conductance, susceptance, or admittance, in siemens, is simply 1 divided by the resistance, reactance or impedance, respectively, in ohms. The unit is named for the German electrical engineer Werner von Siemens (1816-1892). \\(\\ \\text{Siemens}\\equiv\\frac{\\text{A}}{\\text{V}}\\equiv\\frac{\\text{amp}}{\\text{volt}}\\equiv\\frac{\\text{F}}{\\text {s}}\\equiv\\frac{\\text{farad}}{\\text{second}}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:MHO ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance ; + qudt:hasQuantityKind quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA277" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Siemens_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "A/V" ; + qudt:symbol "S" ; + qudt:ucumCode "S"^^qudt:UCUMcs ; + qudt:udunitsCode "S" ; + qudt:uneceCommonCode "SIE" ; + rdfs:isDefinedBy ; + rdfs:label "Siemens"@de ; + rdfs:label "siemens"@cs ; + rdfs:label "siemens"@en ; + rdfs:label "siemens"@es ; + rdfs:label "siemens"@fr ; + rdfs:label "siemens"@hu ; + rdfs:label "siemens"@it ; + rdfs:label "siemens"@la ; + rdfs:label "siemens"@ms ; + rdfs:label "siemens"@pt ; + rdfs:label "siemens"@ro ; + rdfs:label "siemens"@sl ; + rdfs:label "siemens"@tr ; + rdfs:label "simens"@pl ; + rdfs:label "ζίμενς"@el ; + rdfs:label "сименс"@bg ; + rdfs:label "сименс"@ru ; + rdfs:label "סימנס"@he ; + rdfs:label "زیمنس"@fa ; + rdfs:label "سيمنز"@ar ; + rdfs:label "सीमैन्स"@hi ; + rdfs:label "ジーメンス"@ja ; + rdfs:label "西门子"@zh ; +. +unit:S-M2-PER-MOL + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(s-m2-per-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:MolarConductivity ; + qudt:iec61360Code "0112/2///62720#UAA280" ; + qudt:symbol "S⋅m²/mol" ; + qudt:ucumCode "S.m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D12" ; + rdfs:isDefinedBy ; + rdfs:label "Siemens Square meter per mole"@en-us ; + rdfs:label "Siemens Square metre per mole"@en ; +. +unit:S-PER-CentiM + a qudt:Unit ; + dcterms:description "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA278" ; + qudt:plainTextDescription "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "S/cm" ; + qudt:ucumCode "S.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H43" ; + rdfs:isDefinedBy ; + rdfs:label "Siemens Per Centimeter"@en-us ; + rdfs:label "Siemens Per Centimetre"@en ; +. +unit:S-PER-M + a qudt:Unit ; + dcterms:description "SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-M2-PA-SEC ; + qudt:expression "\\(s-per-m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:hasQuantityKind quantitykind:ElectrolyticConductivity ; + qudt:iec61360Code "0112/2///62720#UAA279" ; + qudt:plainTextDescription "SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "S/m" ; + qudt:ucumCode "S.m-1"^^qudt:UCUMcs ; + qudt:ucumCode "S/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D10" ; + rdfs:isDefinedBy ; + rdfs:label "Siemens Per Meter"@en-us ; + rdfs:label "Siemens je Meter"@de ; + rdfs:label "siemens al metro"@it ; + rdfs:label "siemens bölü metre"@tr ; + rdfs:label "siemens na meter"@sl ; + rdfs:label "siemens par mètre"@fr ; + rdfs:label "siemens pe metru"@ro ; + rdfs:label "siemens per meter"@ms ; + rdfs:label "siemens per metre"@en ; + rdfs:label "siemens por metro"@es ; + rdfs:label "siemens por metro"@pt ; + rdfs:label "siemensů na metr"@cs ; + rdfs:label "simens na metr"@pl ; + rdfs:label "сименс на метр"@ru ; + rdfs:label "زیمنس بر متر"@fa ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "प्रति मीटर सीमैन्स"@hi ; + rdfs:label "ジーメンス毎メートル"@ja ; + rdfs:label "西门子每米"@zh ; +. +unit:SAMPLE-PER-SEC + a qudt:Unit ; + dcterms:description "The number of discrete samples of some thing per second."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(sample-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "sample/s" ; + qudt:ucumCode "s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Sample per second"@en ; +. +unit:SEC + a qudt:Unit ; + dcterms:description """The \\(Second\\) (symbol: \\(s\\)) is the base unit of time in the International System of Units (SI) and is also a unit of time in other systems of measurement. Between the years1000 (when al-Biruni used seconds) and 1960 the second was defined as \\(1/86400\\) of a mean solar day (that definition still applies in some astronomical and legal contexts). Between 1960 and 1967, it was defined in terms of the period of the Earth's orbit around the Sun in 1900, but it is now defined more precisely in atomic terms. +Under the International System of Units (via the International Committee for Weights and Measures, or CIPM), since 1967 the second has been defined as the duration of \\({9192631770}\\) periods of the radiation corresponding to the transition between the two hyperfine levels of the ground state of the caesium 133 atom.In 1997 CIPM added that the periods would be defined for a caesium atom at rest, and approaching the theoretical temperature of absolute zero, and in 1999, it included corrections from ambient radiation."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Second"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Period ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA972" ; + qudt:iec61360Code "0112/2///62720#UAD722" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second?oldid=495241006"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "s" ; + qudt:ucumCode "s"^^qudt:UCUMcs ; + qudt:udunitsCode "s" ; + qudt:uneceCommonCode "SEC" ; + rdfs:isDefinedBy ; + rdfs:label "Sekunde"@de ; + rdfs:label "másodperc"@hu ; + rdfs:label "saat"@ms ; + rdfs:label "saniye"@tr ; + rdfs:label "second"@en ; + rdfs:label "seconde"@fr ; + rdfs:label "secondo"@it ; + rdfs:label "secundum"@la ; + rdfs:label "secundă"@ro ; + rdfs:label "segundo"@es ; + rdfs:label "segundo"@pt ; + rdfs:label "sekunda"@cs ; + rdfs:label "sekunda"@pl ; + rdfs:label "sekunda"@sl ; + rdfs:label "δευτερόλεπτο"@el ; + rdfs:label "секунда"@bg ; + rdfs:label "секунда"@ru ; + rdfs:label "שנייה"@he ; + rdfs:label "ثانية"@ar ; + rdfs:label "ثانیه"@fa ; + rdfs:label "सैकण्ड"@hi ; + rdfs:label "秒"@ja ; + rdfs:label "秒"@zh ; +. +unit:SEC-FT2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Second Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(s-ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(s-ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "s⋅ft²" ; + qudt:ucumCode "s.[ft_i]2"^^qudt:UCUMcs ; + qudt:ucumCode "s.[sft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Second Square Foot"@en ; +. +unit:SEC-PER-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "s/m" ; + qudt:ucumCode "s.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Seconds per metre"@en ; +. +unit:SEC-PER-RAD-M3 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(sec/rad-m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:DensityOfStates ; + qudt:iec61360Code "0112/2///62720#UAB352" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "s/rad⋅m³" ; + qudt:ucumCode "s.rad-1.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q22" ; + rdfs:isDefinedBy ; + rdfs:label "Second per Radian Cubic Meter"@en-us ; + rdfs:label "Second per Radian Cubic Metre"@en ; +. +unit:SEC2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Square Second\" is a unit for 'Square Time' expressed as \\(s^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:Time_Squared ; + qudt:symbol "s²" ; + qudt:ucumCode "s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Square Second"@en ; +. +unit:SH + a qudt:Unit ; + dcterms:description "A shake is an informal unit of time equal to 10 nanoseconds. It has applications in nuclear physics, helping to conveniently express the timing of various events in a nuclear explosion. The typical time required for one step in the chain reaction (i.e. the typical time for each neutron to cause a fission event which releases more neutrons) is of order 1 shake, and the chain reaction is typically complete by 50 to 100 shakes."^^rdf:HTML ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Shake"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB226" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Shake?oldid=494796779"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "shake" ; + qudt:ucumCode "10.ns"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M56" ; + rdfs:isDefinedBy ; + rdfs:label "Shake"@en ; +. +unit:SHANNON + a qudt:Unit ; + dcterms:description "The \"Shannon\" is a unit of information."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:expression "\\(Sh\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB343" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Sh" ; + qudt:uneceCommonCode "Q14" ; + rdfs:isDefinedBy ; + rdfs:label "Shannon"@en ; +. +unit:SHANNON-PER-SEC + a qudt:Unit ; + dcterms:description "The \"Shannon per Second\" is a unit of information rate."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Sh/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB346" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "Sh/s" ; + qudt:uneceCommonCode "Q17" ; + rdfs:isDefinedBy ; + rdfs:label "Shannon per Second"@en ; +. +unit:SLUG + a qudt:Unit ; + dcterms:description "The slug is a unit of mass associated with Imperial units. It is a mass that accelerates by \\(1 ft/s\\) when a force of one pound-force (\\(lbF\\)) is exerted on it. With standard gravity \\(gc = 9.80665 m/s\\), the international foot of \\(0.3048 m\\) and the avoirdupois pound of \\(0.45359237 kg\\), one slug therefore has a mass of approximately \\(32.17405 lbm\\) or \\(14.593903 kg\\). At the surface of the Earth, an object with a mass of 1 slug exerts a force of about \\(32.17 lbF\\) or \\(143 N\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 14.593903 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Slug"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA978" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Slug?oldid=495010998"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "slug" ; + qudt:uneceCommonCode "F13" ; + rdfs:isDefinedBy ; + rdfs:label "Slug"@en ; +. +unit:SLUG-PER-DAY + a qudt:Unit ; + dcterms:description "unit slug for mass according to an English engineering system divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.6891087963e-04 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA979" ; + qudt:plainTextDescription "unit slug for mass according to an English engineering system divided by the unit day" ; + qudt:symbol "slug/day" ; + qudt:uneceCommonCode "L63" ; + rdfs:isDefinedBy ; + rdfs:label "Slug Per Day"@en ; +. +unit:SLUG-PER-FT + a qudt:Unit ; + dcterms:description "\"Slug per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(slug/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 47.8802591863517 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "slug/ft" ; + rdfs:isDefinedBy ; + rdfs:label "Slug per Foot"@en ; +. +unit:SLUG-PER-FT-SEC + a qudt:Unit ; + dcterms:description "\\(\\textbf{Slug per Foot Second} is a unit for 'Dynamic Viscosity' expressed as \\(slug/(ft-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 47.8802591863517 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(slug/(ft-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity ; + qudt:hasQuantityKind quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA980" ; + qudt:symbol "slug/(ft⋅s)" ; + qudt:uneceCommonCode "L64" ; + rdfs:isDefinedBy ; + rdfs:label "Slug per Foot Second"@en ; +. +unit:SLUG-PER-FT2 + a qudt:Unit ; + dcterms:description "\"Slug per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(slug/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 157.08746452215124 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "slug/ft²" ; + rdfs:isDefinedBy ; + rdfs:label "Slug per Square Foot"@en ; +. +unit:SLUG-PER-FT3 + a qudt:Unit ; + dcterms:description "\"Slug per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(slug/ft^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 515.3788206107324 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA981" ; + qudt:symbol "slug/ft³" ; + qudt:uneceCommonCode "L65" ; + rdfs:isDefinedBy ; + rdfs:label "Slug per Cubic Foot"@en ; +. +unit:SLUG-PER-HR + a qudt:Unit ; + dcterms:description "unit slug for mass slug according to the English engineering system divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.004053861111111 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA982" ; + qudt:plainTextDescription "unit slug for mass slug according to the English engineering system divided by the unit hour" ; + qudt:symbol "slug/hr" ; + qudt:uneceCommonCode "L66" ; + rdfs:isDefinedBy ; + rdfs:label "Slug Per Hour"@en ; +. +unit:SLUG-PER-MIN + a qudt:Unit ; + dcterms:description "unit slug for the mass according to the English engineering system divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.243231666666667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA983" ; + qudt:plainTextDescription "unit slug for the mass according to the English engineering system divided by the unit minute" ; + qudt:symbol "slug/min" ; + qudt:uneceCommonCode "L67" ; + rdfs:isDefinedBy ; + rdfs:label "Slug Per Minute"@en ; +. +unit:SLUG-PER-SEC + a qudt:Unit ; + dcterms:description "\"Slug per Second\" is an Imperial unit for 'Mass Per Time' expressed as \\(slug/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 14.593903 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA984" ; + qudt:symbol "slug/s" ; + qudt:uneceCommonCode "L68" ; + rdfs:isDefinedBy ; + rdfs:label "Slug per Second"@en ; +. +unit:SR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The steradian (symbol: sr) is the SI unit of solid angle. It is used to describe two-dimensional angular spans in three-dimensional space, analogous to the way in which the radian describes angles in a plane. The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:iec61360Code "0112/2///62720#UAA986" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "sr" ; + qudt:ucumCode "sr"^^qudt:UCUMcs ; + qudt:udunitsCode "sr" ; + qudt:uneceCommonCode "D27" ; + rdfs:isDefinedBy ; + rdfs:label "Steradiant"@de ; + rdfs:label "estereorradián"@es ; + rdfs:label "esterradiano"@pt ; + rdfs:label "steradian"@en ; + rdfs:label "steradian"@la ; + rdfs:label "steradian"@ms ; + rdfs:label "steradian"@pl ; + rdfs:label "steradian"@ro ; + rdfs:label "steradian"@sl ; + rdfs:label "steradiante"@it ; + rdfs:label "steradián"@cs ; + rdfs:label "steradyan"@tr ; + rdfs:label "stéradian"@fr ; + rdfs:label "szteradián"@hu ; + rdfs:label "στερακτίνιο"@el ; + rdfs:label "стерадиан"@bg ; + rdfs:label "стерадиан"@ru ; + rdfs:label "סטרדיאן"@he ; + rdfs:label "استرادیان"@fa ; + rdfs:label "ستراديان"@ar ; + rdfs:label "घन मीटर"@hi ; + rdfs:label "ステラジアン"@ja ; + rdfs:label "球面度"@zh ; +. +unit:ST + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Stokes (St)}\\) is a unit in the category of Kinematic viscosity. This unit is commonly used in the cgs unit system. Stokes (St) has a dimension of \\(L^2T^{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(m^2/s\\) by multiplying its value by a factor of 0.0001."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.0001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stokes"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:iec61360Code "0112/2///62720#UAA281" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stokes?oldid=426159512"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--kinematic_viscosity--stokes.cfm"^^xsd:anyURI ; + qudt:latexDefinition "\\((cm^2/s\\))"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "St" ; + qudt:ucumCode "St"^^qudt:UCUMcs ; + qudt:udunitsCode "St" ; + qudt:uneceCommonCode "91" ; + rdfs:isDefinedBy ; + rdfs:label "Stokes"@en ; +. +unit:STILB + a qudt:Unit ; + dcterms:description "\\(The \\textit{stilb (sb)} is the CGS unit of luminance for objects that are not self-luminous. It is equal to one candela per square centimeter or 10 nits (candelas per square meter). The name was coined by the French physicist A. Blondel around 1920. It comes from the Greek word stilbein meaning 'to glitter'. It was in common use in Europe up to World War I. In North America self-explanatory terms such as candle per square inch and candle per square meter were more common. The unit has since largely been replaced by the SI unit: candela per square meter.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stilb"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB260" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stilb?oldid=375748497"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "sb" ; + qudt:ucumCode "sb"^^qudt:UCUMcs ; + qudt:udunitsCode "sb" ; + qudt:uneceCommonCode "P31" ; + rdfs:isDefinedBy ; + rdfs:label "Stilb"@en ; +. +unit:STR + a qudt:Unit ; + dcterms:description "The stere is a unit of volume in the original metric system equal to one cubic metre. The stere is typically used for measuring large quantities of firewood or other cut wood, while the cubic meter is used for uncut wood. It is not part of the modern metric system (SI). In Dutch there's also a kuub, short for kubieke meter which is similar but different."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/St%C3%A8re"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA987" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stère?oldid=393570287"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "st" ; + qudt:ucumCode "st"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G26" ; + rdfs:isDefinedBy ; + rdfs:label "Stere"@en ; +. +unit:SUSCEPTIBILITY_ELEC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\chi_{\\text{e}} = \\frac{{\\mathbf P}}{\\varepsilon_0{\\mathbf E}}"^^qudt:LatexString ; + qudt:plainTextDescription "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy ; + rdfs:label "Electric Susceptibility Unit" ; +. +unit:SUSCEPTIBILITY_MAG + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\chi_\\text{v} = \\frac{\\mathbf{M}}{\\mathbf{H}}"^^qudt:LatexString ; + qudt:plainTextDescription "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy ; + rdfs:label "Magnetic Susceptibility Unit" ; +. +unit:SV + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA284" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "Sv" ; + qudt:ucumCode "Sv"^^qudt:UCUMcs ; + qudt:udunitsCode "Sv" ; + qudt:uneceCommonCode "D13" ; + rdfs:isDefinedBy ; + rdfs:label "Sievert"@de ; + rdfs:label "sievert"@cs ; + rdfs:label "sievert"@en ; + rdfs:label "sievert"@es ; + rdfs:label "sievert"@fr ; + rdfs:label "sievert"@hu ; + rdfs:label "sievert"@it ; + rdfs:label "sievert"@ms ; + rdfs:label "sievert"@pt ; + rdfs:label "sievert"@ro ; + rdfs:label "sievert"@sl ; + rdfs:label "sievert"@tr ; + rdfs:label "sievertum"@la ; + rdfs:label "siwert"@pl ; + rdfs:label "σίβερτ"@el ; + rdfs:label "зиверт"@ru ; + rdfs:label "сиверт"@bg ; + rdfs:label "זיוורט"@he ; + rdfs:label "زيفرت"@ar ; + rdfs:label "سیورت"@fa ; + rdfs:label "सैवर्ट"@hi ; + rdfs:label "シーベルト"@ja ; + rdfs:label "西弗"@zh ; +. +unit:S_Ab + a qudt:Unit ; + dcterms:description "The CGS electromagnetic unit of conductance; one absiemen is the conductance at which a potential of one abvolt forces a current of one abampere; equal to \\(10^{9}\\) siemens. One siemen is the conductance at which a potential of one volt forces a current of one ampere and named for Karl Wilhem Siemens."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e09 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; + qudt:symbol "aS" ; + qudt:ucumCode "GS"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Absiemen"@en ; +. +unit:S_Stat + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The unit of conductance, admittance, and susceptance in the centimeter-gram-second electrostatic system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 1.1126500561e-12 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:exactMatch unit:MHO_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/statsiemens.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI ; + qudt:informativeReference "http://www3.wolframalpha.com/input/?i=statsiemens"^^xsd:anyURI ; + qudt:symbol "statS" ; + rdfs:isDefinedBy ; + rdfs:label "Statsiemens"@en ; + skos:altLabel "statmho" ; +. +unit:SolarMass + a qudt:Unit ; + dcterms:description "The astronomical unit of mass is the solar mass.The symbol \\(S\\) is often used in astronomy to refer to this unit, although \\(M_{\\odot}\\) is also common. The solar mass, \\(1.98844 \\times 10^{30} kg\\), is a standard way to express mass in astronomy, used to describe the masses of other stars and galaxies. It is equal to the mass of the Sun, about 333,000 times the mass of the Earth or 1,048 times the mass of Jupiter. In practice, the masses of celestial bodies appear in the dynamics of the solar system only through the products GM, where G is the constant of gravitation."^^qudt:LatexString ; + qudt:conversionMultiplier 1.988435e30 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solar_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Solar_mass?oldid=494074016"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "S" ; + rdfs:isDefinedBy ; + rdfs:label "Solar mass"@en ; +. +unit:Standard + a qudt:Unit ; + dcterms:description "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre"^^rdf:HTML ; + qudt:conversionMultiplier 4.672 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB116" ; + qudt:plainTextDescription "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre" ; + qudt:symbol "standard" ; + qudt:ucumCode "1980.[bf_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WSD" ; + rdfs:isDefinedBy ; + rdfs:label "Standard"@en ; +. +unit:Stone_UK + a qudt:Unit ; + dcterms:description "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.35029318 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB081" ; + qudt:plainTextDescription "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)" ; + qudt:symbol "st{UK}" ; + qudt:ucumCode "[stone_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STI" ; + rdfs:isDefinedBy ; + rdfs:label "Stone (UK)"@en ; +. +unit:T + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of flux density (or field intensity) for magnetic fields (also called the magnetic induction). The intensity of a magnetic field can be measured by placing a current-carrying conductor in the field. The magnetic field exerts a force on the conductor, a force which depends on the amount of the current and on the length of the conductor. One tesla is defined as the field intensity generating one newton of force per ampere of current per meter of conductor. Equivalently, one tesla represents a magnetic flux density of one weber per square meter of area. A field of one tesla is quite strong: the strongest fields available in laboratories are about 20 teslas, and the Earth's magnetic flux density, at its surface, is about 50 microteslas. The tesla, defined in 1958, honors the Serbian-American electrical engineer Nikola Tesla (1856-1943), whose work in electromagnetic induction led to the first practical generators and motors using alternating current. \\(T = V\\cdot s \\cdot m^{-2} = N\\cdot A^{-1}\\cdot m^{-1} = Wb\\cdot m^{-1} = kg \\cdot C^{-1}\\cdot s^{-1}\\cdot A^{-1} = kg \\cdot s^{-2}\\cdot A^{-1} = N \\cdot s \\cdot C^{-1}\\cdot m^{-1}\\) where, \\(\\\\\\) \\(A\\) = ampere, \\(C\\)=coulomb, \\(m\\) = meter, \\(N\\) = newton, \\(s\\) = second, \\(T\\) = tesla, \\(Wb\\) = weber"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tesla"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA285" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tesla?oldid=481198244"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tesla_(unit)"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1406?rskey=AzXBLd"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "Wb/m^2" ; + qudt:symbol "T" ; + qudt:ucumCode "T"^^qudt:UCUMcs ; + qudt:udunitsCode "T" ; + qudt:uneceCommonCode "D33" ; + rdfs:isDefinedBy ; + rdfs:label "Tesla"@de ; + rdfs:label "tesla"@cs ; + rdfs:label "tesla"@en ; + rdfs:label "tesla"@es ; + rdfs:label "tesla"@fr ; + rdfs:label "tesla"@hu ; + rdfs:label "tesla"@it ; + rdfs:label "tesla"@la ; + rdfs:label "tesla"@ms ; + rdfs:label "tesla"@pl ; + rdfs:label "tesla"@pt ; + rdfs:label "tesla"@ro ; + rdfs:label "tesla"@sl ; + rdfs:label "tesla"@tr ; + rdfs:label "τέσλα"@el ; + rdfs:label "тесла"@bg ; + rdfs:label "тесла"@ru ; + rdfs:label "טסלה"@he ; + rdfs:label "تسلا"@ar ; + rdfs:label "تسلا"@fa ; + rdfs:label "टैस्ला"@hi ; + rdfs:label "テスラ"@ja ; + rdfs:label "特斯拉"@zh ; +. +unit:T-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:symbol "T⋅m" ; + qudt:ucumCode "T.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "T-M"@en ; +. +unit:T-SEC + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerElectricCharge ; + qudt:symbol "T⋅s" ; + qudt:ucumCode "T.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "T-SEC"@en ; +. +unit:TBSP + a qudt:Unit ; + dcterms:description "In the US and parts of Canada, a tablespoon is the largest type of spoon used for eating from a bowl. In the UK and most Commonwealth countries, a tablespoon is a type of large spoon usually used for serving. In countries where a tablespoon is a serving spoon, the nearest equivalent to the US tablespoon is either the dessert spoon or the soup spoon. A tablespoonful, nominally the capacity of one tablespoon, is commonly used as a measure of volume in cooking. It is abbreviated as T, tb, tbs, tbsp, tblsp, or tblspn. The capacity of ordinary tablespoons is not regulated by law and is subject to considerable variation. In most countries one level tablespoon is approximately 15 mL; in Australia it is 20 mL."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.47867656e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tablespoon"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB006" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tablespoon?oldid=494615208"^^xsd:anyURI ; + qudt:symbol "tbsp" ; + qudt:ucumCode "[tbs_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "Tbl" ; + qudt:udunitsCode "Tblsp" ; + qudt:udunitsCode "Tbsp" ; + qudt:udunitsCode "tblsp" ; + qudt:udunitsCode "tbsp" ; + qudt:uneceCommonCode "G24" ; + rdfs:isDefinedBy ; + rdfs:label "Tablespoon"@en ; +. +unit:TEX + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "

\\textit{Tex is a unit of measure for the linear mass density of fibers and is defined as the mass in grams per 1000 meters. Tex is more likely to be used in Canada and Continental Europe, while denier remains more common in the United States and United Kingdom. The unit code is 'tex'. The most commonly used unit is actually the decitex, abbreviated dtex, which is the mass in grams per 10,000 meters. When measuring objects that consist of multiple fibers the term 'filament tex' is sometimes used, referring to the mass in grams per 1000 meters of a single filament. Tex is used for measuring fiber size in many products, including cigarette filters, optical cable, yarn, and fabric.}"^^rdf:HTML ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tex"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB246" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tex?oldid=457265525"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Units_of_textile_measurement"^^xsd:anyURI ; + qudt:symbol "tex" ; + qudt:ucumCode "tex"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D34" ; + rdfs:isDefinedBy ; + rdfs:label "Tex"@en ; +. +unit:THM_EEC + a qudt:Unit ; + qudt:expression "\\(therm-eec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:symbol "thm{EEC}" ; + qudt:ucumCode "100000.[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "THM_EEC"@en ; +. +unit:THM_US + a qudt:Unit ; + dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. In the US gas industry its SI equivalent is defined as exactly \\(100,000 BTU59^\\circ F\\) or \\(105.4804 megajoules\\). Public utilities in the U.S. use the therm unit for measuring customer usage of gas and calculating the monthly bills."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.054804e08 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; + qudt:symbol "thm{US}" ; + qudt:ucumCode "100000.[Btu_59]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N72" ; + rdfs:isDefinedBy ; + rdfs:label "Therm US"@en ; +. +unit:THM_US-PER-HR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. Industrial processes in the U.S. use therm/hr unit most often in the power, steam generation, heating, and air conditioning industries."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 29300.1111 ; + qudt:expression "\\(thm/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; + qudt:symbol "thm{US}/hr" ; + qudt:ucumCode "[thm{US}].h-1"^^qudt:UCUMcs ; + qudt:ucumCode "[thm{US}]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Therm US per Hour"@en ; +. +unit:TOE + a qudt:Unit ; + dcterms:description "

The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy). Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1868e10 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; + qudt:symbol "toe" ; + rdfs:isDefinedBy ; + rdfs:label "Ton of Oil Equivalent"@en ; +. +unit:TONNE + a qudt:Unit ; + dcterms:description "1,000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; + qudt:symbol "t" ; + qudt:ucumCode "t"^^qudt:UCUMcs ; + qudt:udunitsCode "t" ; + qudt:uneceCommonCode "TNE" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne"@en ; +. +unit:TONNE-PER-DAY + a qudt:Unit ; + dcterms:description "metric unit tonne divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.011574074074074 ; + qudt:exactMatch unit:TON_Metric-PER-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA991" ; + qudt:plainTextDescription "metric unit tonne divided by the unit for time day" ; + qudt:symbol "t/day" ; + qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L71" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Day"@en ; +. +unit:TONNE-PER-HA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:MegaGM-PER-HA ; + qudt:exactMatch unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/ha" ; + qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "tonne per hectare"@en ; +. +unit:TONNE-PER-HA-YR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.17e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/(ha⋅year)" ; + qudt:ucumCode "t.har-1.year-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "tonne per hectare per year"@en ; +. +unit:TONNE-PER-HR + a qudt:Unit ; + dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:exactMatch unit:TON_Metric-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB994" ; + qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; + qudt:symbol "t/hr" ; + qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E18" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Hour"@en ; +. +unit:TONNE-PER-M3 + a qudt:Unit ; + dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA997" ; + qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "t/m³" ; + qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D41" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Cubic Meter"@en-us ; + rdfs:label "Tonne Per Cubic Metre"@en ; +. +unit:TONNE-PER-MIN + a qudt:Unit ; + dcterms:description "unit tonne divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 16.666666666666668 ; + qudt:exactMatch unit:TON_Metric-PER-MIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB000" ; + qudt:plainTextDescription "unit tonne divided by the unit for time minute" ; + qudt:symbol "t/min" ; + qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L78" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Minute"@en ; +. +unit:TONNE-PER-SEC + a qudt:Unit ; + dcterms:description "unit tonne divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB003" ; + qudt:plainTextDescription "unit tonne divided by the SI base unit second" ; + qudt:symbol "t/s" ; + qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L81" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Second"@en ; +. +unit:TON_Assay + a qudt:Unit ; + dcterms:description "In the United States, a unit of mass, approximately \\(29.167\\, grams\\). The number of milligrams of precious metal in one assay ton of the ore being tested is equal to the number of troy ounces of pure precious metal in one 2000-pound ton of the ore. i.e. a bead is obtained that weights 3 milligrams, thus the precious metals in the bead would equal three troy ounces to each ton of ore with the understanding that this varies considerably in the real world as the amount of precious values in each ton of ore varies considerably."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.02916667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://www.assaying.org/assayton.htm"^^xsd:anyURI ; + qudt:symbol "AT" ; + rdfs:isDefinedBy ; + rdfs:label "Assay Ton"@en ; +. +unit:TON_FG + a qudt:Unit ; + dcterms:description "12000 btu per hour

"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3516.853 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(t/fg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "t/fg" ; + rdfs:isDefinedBy ; + rdfs:label "Ton of Refrigeration"@en ; +. +unit:TON_FG-HR + a qudt:Unit ; + dcterms:description "12000 btu

"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 12660670.2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Ton of Refrigeration Hour"@en ; +. +unit:TON_F_US + a qudt:Unit ; + dcterms:description "unit of the force according to the American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8896.443230521 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB021" ; + qudt:plainTextDescription "unit of the force according to the American system of units" ; + qudt:symbol "tonf{us}" ; + qudt:ucumCode "[stonf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L94" ; + rdfs:isDefinedBy ; + rdfs:label "Ton Force (US Short)"@en ; +. +unit:TON_LONG + a qudt:Unit ; + dcterms:description """Long ton (weight ton or imperial ton) is the name for the unit called the \"ton\" in the avoirdupois or Imperial system of measurements, as used in the United Kingdom and several other Commonwealth countries. One long ton is equal to 2,240 pounds (1,016 kg), 1.12 times as much as a short ton, or 35 cubic feet (0.9911 m3) of salt water with a density of 64 lb/ft3 (1.025 g/ml).

+

It has some limited use in the United States, most commonly in measuring the displacement of ships, and was the unit prescribed for warships by the Washington Naval Treaty 1922-for example battleships were limited to a mass of 35,000 long tons (36,000 t; 39,000 short tons).

"""^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1016.0469088 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:exactMatch unit:TON_UK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Long_ton"^^xsd:anyURI ; + qudt:symbol "t{long}" ; + qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LTN" ; + rdfs:isDefinedBy ; + rdfs:label "Long Ton"@en ; +. +unit:TON_LONG-PER-YD3 + a qudt:Unit ; + dcterms:description "The long ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in long tons."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1328.9391836174336 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:exactMatch unit:TON_UK-PER-YD3 ; + qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "t{long}/yd³" ; + qudt:ucumCode "[lton_av]/[cyd_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L92" ; + rdfs:isDefinedBy ; + rdfs:label "Long Ton per Cubic Yard"@en ; +. +unit:TON_Metric + a qudt:Unit ; + dcterms:description "The tonne (SI unit symbol: t) is a metric system unit of mass equal to 1,000 kilograms (2,204.6 pounds). It is a non-SI unit accepted for use with SI. To avoid confusion with the ton, it is also known as the metric tonne and metric ton in the United States[3] and occasionally in the United Kingdom. In SI units and prefixes, the tonne is a megagram (Mg), a rarely-used symbol, easily confused with mg, for milligram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tonne"^^xsd:anyURI ; + qudt:exactMatch unit:TONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne?oldid=492526238"^^xsd:anyURI ; + qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; + qudt:symbol "t" ; + qudt:ucumCode "t"^^qudt:UCUMcs ; + qudt:uneceCommonCode "TNE" ; + rdfs:isDefinedBy ; + rdfs:label "Metric Ton"@en ; + skos:altLabel "metric-tonne" ; +. +unit:TON_Metric-PER-DAY + a qudt:Unit ; + dcterms:description "metric unit ton divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.011574074074074 ; + qudt:exactMatch unit:TONNE-PER-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA991" ; + qudt:plainTextDescription "metric unit ton divided by the unit for time day" ; + qudt:symbol "t/day" ; + qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L71" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Day"@en ; +. +unit:TON_Metric-PER-HA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:MegaGM-PER-HA ; + qudt:exactMatch unit:TONNE-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/ha" ; + qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "metric tonne per hectare"@en ; +. +unit:TON_Metric-PER-HR + a qudt:Unit ; + dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:exactMatch unit:TONNE-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB994" ; + qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; + qudt:symbol "t/hr" ; + qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E18" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Hour"@en ; +. +unit:TON_Metric-PER-M3 + a qudt:Unit ; + dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TONNE-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA997" ; + qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "t/m³" ; + qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D41" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Cubic Meter"@en-us ; + rdfs:label "Tonne Per Cubic Metre"@en ; +. +unit:TON_Metric-PER-MIN + a qudt:Unit ; + dcterms:description "unit ton divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 16.666666666666668 ; + qudt:exactMatch unit:TONNE-PER-MIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB000" ; + qudt:plainTextDescription "unit ton divided by the unit for time minute" ; + qudt:symbol "t/min" ; + qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L78" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Minute"@en ; +. +unit:TON_Metric-PER-SEC + a qudt:Unit ; + dcterms:description "unit ton divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TONNE-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB003" ; + qudt:plainTextDescription "unit ton divided by the SI base unit second" ; + qudt:symbol "t/s" ; + qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L81" ; + rdfs:isDefinedBy ; + rdfs:label "Tonne Per Second (metric Ton)"@en ; +. +unit:TON_SHIPPING_US + a qudt:Unit ; + dcterms:description "traditional unit for volume of cargo, especially in shipping"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.1326 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB011" ; + qudt:plainTextDescription "traditional unit for volume of cargo, especially in shipping" ; + qudt:symbol "MTON" ; + qudt:uneceCommonCode "L86" ; + rdfs:isDefinedBy ; + rdfs:label "Ton (US Shipping)"@en ; +. +unit:TON_SHORT + a qudt:Unit ; + dcterms:description "

The short ton is a unit of mass equal to 2,000 pounds (907.18474 kg). In the United States it is often called simply ton without distinguishing it from the metric ton (tonne, 1,000 kilograms / 2,204.62262 pounds) or the long ton (2,240 pounds / 1,016.0469088 kilograms); rather, the other two are specifically noted. There are, however, some U.S. applications for which unspecified tons normally means long tons.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 907.18474 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:TON_US ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Short_ton"^^xsd:anyURI ; + qudt:symbol "ton{short}" ; + qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STN" ; + rdfs:isDefinedBy ; + rdfs:label "Short Ton"@en ; +. +unit:TON_SHORT-PER-HR + a qudt:Unit ; + dcterms:description "The short Ton per Hour is a unit used to express a weight processed in a period of time."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.251995761 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:TON_US-PER-HR ; + qudt:expression "\\(ton/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:symbol "ton/hr" ; + qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Short Ton per Hour"@en ; +. +unit:TON_SHORT-PER-YD3 + a qudt:Unit ; + dcterms:description "The short ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in short tons."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1186.552842515566 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:TON_US-PER-YD3 ; + qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:symbol "ton{short}/yd³" ; + qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Short Ton per Cubic Yard"@en ; +. +unit:TON_UK + a qudt:Unit ; + dcterms:description "traditional Imperial unit for mass of cargo, especially in the shipping sector"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1016.0 ; + qudt:exactMatch unit:TON_LONG ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB009" ; + qudt:plainTextDescription "unit of the mass according to the Imperial system of units" ; + qudt:symbol "ton{UK}" ; + qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LTN" ; + rdfs:isDefinedBy ; + rdfs:label "Ton (UK)"@en ; +. +unit:TON_UK-PER-DAY + a qudt:Unit ; + dcterms:description "unit British ton according to the Imperial system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.011759259259259 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB010" ; + qudt:plainTextDescription "unit British ton according to the Imperial system of units divided by the unit day" ; + qudt:symbol "t{long}/day" ; + qudt:ucumCode "[lton_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L85" ; + rdfs:isDefinedBy ; + rdfs:label "Long Ton (uk) Per Day"@en ; +. +unit:TON_UK-PER-YD3 + a qudt:Unit ; + dcterms:description "unit of the density according the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1328.8778292234224 ; + qudt:exactMatch unit:TON_LONG-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAB018" ; + qudt:plainTextDescription "unit of the density according the Imperial system of units" ; + qudt:symbol "t{long}/yd³" ; + qudt:ucumCode "[lton_av].[cyd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Long Ton (UK) Per Cubic Yard"@en ; +. +unit:TON_US + a qudt:Unit ; + dcterms:description "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 907.1847 ; + qudt:exactMatch unit:TON_SHORT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB012" ; + qudt:plainTextDescription "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass." ; + qudt:symbol "ton{US}" ; + qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STN" ; + rdfs:isDefinedBy ; + rdfs:label "Ton (US)"@en ; +. +unit:TON_US-PER-DAY + a qudt:Unit ; + dcterms:description "unit American ton according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.010497685185185 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB014" ; + qudt:plainTextDescription "unit American ton according to the Anglo-American system of units divided by the unit day" ; + qudt:symbol "ton{US}/day" ; + qudt:ucumCode "[ston_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L88" ; + rdfs:isDefinedBy ; + rdfs:label "Short Ton (us) Per Day"@en ; +. +unit:TON_US-PER-HR + a qudt:Unit ; + dcterms:description "unit ton divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.251944444444444 ; + qudt:exactMatch unit:TON_SHORT-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA994" ; + qudt:iec61360Code "0112/2///62720#UAB019" ; + qudt:plainTextDescription "unit ton divided by the unit for time hour" ; + qudt:symbol "ton{US}/hr" ; + qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4W" ; + qudt:uneceCommonCode "E18" ; + rdfs:isDefinedBy ; + rdfs:label "Ton (US) Per Hour"@en ; +. +unit:TON_US-PER-YD3 + a qudt:Unit ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1186.3112117181538 ; + qudt:exactMatch unit:TON_SHORT-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density ; + qudt:hasQuantityKind quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAB020" ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "ton{US}/yd³" ; + qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L93" ; + rdfs:isDefinedBy ; + rdfs:label "Short Ton (US) Per Cubic Yard"@en ; +. +unit:TORR + a qudt:Unit ; + dcterms:description "

The \\textit{torr} is a non-SI unit of pressure with the ratio of 760 to 1 standard atmosphere, chosen to be roughly equal to the fluid pressure exerted by a millimeter of mercury, i.e. , a pressure of 1 torr is approximately equal to one millimeter of mercury. Note that the symbol (Torr) is spelled exactly the same as the unit (torr), but the letter case differs. The unit is written lower-case, while the symbol of the unit (Torr) is capitalized (as upper-case), as is customary in metric units derived from names. Thus, it is correctly written either way, and is only incorrect when specification is first made that the word is being used as a unit, or else a symbol of the unit, and then the incorrect letter case for the specified use is employed.

"^^rdf:HTML ; + qudt:conversionMultiplier 133.322 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea ; + qudt:hasQuantityKind quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB022" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Torr" ; + qudt:uneceCommonCode "UA" ; + rdfs:isDefinedBy ; + rdfs:label "Torr"@en ; +. +unit:TSP + a qudt:Unit ; + dcterms:description "A teaspoon is a unit of volume. In the United States one teaspoon as a unit of culinary measure is \\(1/3\\) tablespoon , that is, \\(\\approx 4.93 mL\\); it is exactly \\(1/6 U.S. fl. oz\\), \\(1/48 \\; cup\\), and \\(1/768 \\; U.S. liquid gallon\\) (see United States customary units for relative volumes of these other measures) and approximately \\(1/3 cubic inch\\). For nutritional labeling on food packages in the U.S., the teaspoon is defined as precisely \\(5 mL\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.92892187e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Teaspoon"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB007" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Teaspoon?oldid=490940468"^^xsd:anyURI ; + qudt:symbol "tsp" ; + qudt:ucumCode "[tsp_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "tsp" ; + qudt:uneceCommonCode "G25" ; + rdfs:isDefinedBy ; + rdfs:label "Teaspoon"@en ; +. +unit:T_Ab + a qudt:Unit ; + dcterms:description "The unit of magnetic induction in the cgs system, \\(10^{-4}\\,tesla\\). Also known as the gauss."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:GAUSS ; + qudt:exactMatch unit:Gs ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI ; + qudt:symbol "abT" ; + rdfs:isDefinedBy ; + rdfs:label "Abtesla"@en ; +. +unit:TebiBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The tebibyte is a multiple of the unit byte for digital information. The prefix tebi means 1024^4"^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 6.0969870782864836024230149744713e12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tebibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix:Tebi ; + qudt:symbol "TiB" ; + qudt:uneceCommonCode "E61" ; + rdfs:isDefinedBy ; + rdfs:label "TebiByte"@en ; +. +unit:TeraBYTE + a qudt:CountingUnit ; + a qudt:Unit ; + dcterms:description "The terabyte is a multiple of the unit byte for digital information. The prefix tera means 10^12 in the International System of Units (SI), and therefore 1 terabyte is 1000000000000bytes, or 1 trillion bytes, or 1000 gigabytes. 1 terabyte in binary prefixes is 0.9095 tebibytes, or 931.32 gibibytes. The unit symbol for the terabyte is TB or TByte, but not Tb (lower case b) which refers to terabit."^^rdf:HTML ; + qudt:applicableSystem sou:ASU ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 5.5451774444795624753378569716654e12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Terabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB186" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Terabyte?oldid=494671550"^^xsd:anyURI ; + qudt:prefix prefix:Tera ; + qudt:symbol "TB" ; + qudt:ucumCode "TBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E35" ; + rdfs:isDefinedBy ; + rdfs:label "TeraByte"@en ; +. +unit:TeraC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A TeraCoulomb is \\(10^{12} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e12 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Tera ; + qudt:symbol "TC" ; + qudt:ucumCode "TC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "TeraCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:TeraHZ + a qudt:Unit ; + dcterms:description "1 000 000 000 000-fold of the SI derived unit hertz"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0e12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA287" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit hertz" ; + qudt:prefix prefix:Tera ; + qudt:symbol "THz" ; + qudt:ucumCode "THz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D29" ; + rdfs:isDefinedBy ; + rdfs:label "Terahertz"@en ; +. +unit:TeraJ + a qudt:Unit ; + dcterms:description "1 000 000 000 000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA288" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit joule" ; + qudt:prefix prefix:Tera ; + qudt:symbol "TJ" ; + qudt:ucumCode "TJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D30" ; + rdfs:isDefinedBy ; + rdfs:label "Terajoule"@en ; +. +unit:TeraOHM + a qudt:Unit ; + dcterms:description "1,000,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e12 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA286" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit ohm" ; + qudt:prefix prefix:Tera ; + qudt:symbol "TΩ" ; + qudt:ucumCode "TOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H44" ; + rdfs:isDefinedBy ; + rdfs:label "Teraohm"@en ; +. +unit:TeraW + a qudt:Unit ; + dcterms:description "1,000,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA289" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit watt" ; + qudt:prefix prefix:Tera ; + qudt:symbol "TW" ; + qudt:ucumCode "TW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D31" ; + rdfs:isDefinedBy ; + rdfs:label "Terawatt"@en ; +. +unit:TeraW-HR + a qudt:Unit ; + dcterms:description "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3.60e15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA290" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "TW⋅hr" ; + qudt:ucumCode "TW/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D32" ; + rdfs:isDefinedBy ; + rdfs:label "Terawatt Hour"@en ; +. +unit:TonEnergy + a qudt:Unit ; + dcterms:description "Energy equivalent of one ton of TNT"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 4.1840e09 ; + qudt:expression "\\(t/lbf\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "t/lbf" ; + qudt:ucumCode "Gcal"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Ton Energy"@en ; +. +unit:U + a qudt:Unit ; + dcterms:description "The unified atomic mass unit (symbol: \\(u\\)) or dalton (symbol: \\(Da\\)) is the standard unit that is used for indicating mass on an atomic or molecular scale (atomic mass). It is defined as one twelfth of the mass of an unbound neutral atom of carbon-12 in its nuclear and electronic ground state,[ and has a value of \\(1.660538921(73) \\times 10^{-27} kg\\). One dalton is approximately equal to the mass of one nucleon; an equivalence of saying \\(1 g mol^{-1}\\). The CIPM have categorised it as a 'non-SI unit' because units values in SI units must be obtained experimentally."^^qudt:LatexString ; + qudt:conversionMultiplier 1.66053878283e-27 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; + qudt:exactMatch unit:AMU ; + qudt:exactMatch unit:Da ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB083" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "u" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy ; + rdfs:label "Unified Atomic Mass Unit"@en ; +. +unit:UNITLESS + a qudt:CountingUnit ; + a qudt:DimensionlessUnit ; + a qudt:Unit ; + dcterms:description "An explicit unit to say something has no units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Absorptance ; + qudt:hasQuantityKind quantitykind:ActivityCoefficient ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceFraction ; + qudt:hasQuantityKind quantitykind:AtomScatteringFactor ; + qudt:hasQuantityKind quantitykind:AverageLogarithmicEnergyDecrement ; + qudt:hasQuantityKind quantitykind:BindingFraction ; + qudt:hasQuantityKind quantitykind:BioconcentrationFactor ; + qudt:hasQuantityKind quantitykind:CanonicalPartitionFunction ; + qudt:hasQuantityKind quantitykind:Chromaticity ; + qudt:hasQuantityKind quantitykind:Constringence ; + qudt:hasQuantityKind quantitykind:Count ; + qudt:hasQuantityKind quantitykind:CouplingFactor ; + qudt:hasQuantityKind quantitykind:Debye-WallerFactor ; + qudt:hasQuantityKind quantitykind:DegreeOfDissociation ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:hasQuantityKind quantitykind:Dissipance ; + qudt:hasQuantityKind quantitykind:DoseEquivalentQualityFactor ; + qudt:hasQuantityKind quantitykind:Duv ; + qudt:hasQuantityKind quantitykind:EinsteinTransitionProbability ; + qudt:hasQuantityKind quantitykind:ElectricSusceptibility ; + qudt:hasQuantityKind quantitykind:Emissivity ; + qudt:hasQuantityKind quantitykind:EquilibriumConstant ; + qudt:hasQuantityKind quantitykind:FastFissionFactor ; + qudt:hasQuantityKind quantitykind:FrictionCoefficient ; + qudt:hasQuantityKind quantitykind:GFactorOfNucleus ; + qudt:hasQuantityKind quantitykind:GeneralizedCoordinate ; + qudt:hasQuantityKind quantitykind:GeneralizedForce ; + qudt:hasQuantityKind quantitykind:GeneralizedMomentum ; + qudt:hasQuantityKind quantitykind:GeneralizedVelocity ; + qudt:hasQuantityKind quantitykind:GruneisenParameter ; + qudt:hasQuantityKind quantitykind:InternalConversionFactor ; + qudt:hasQuantityKind quantitykind:IsentropicExponent ; + qudt:hasQuantityKind quantitykind:LandeGFactor ; + qudt:hasQuantityKind quantitykind:LeakageFactor ; + qudt:hasQuantityKind quantitykind:Lethargy ; + qudt:hasQuantityKind quantitykind:LogOctanolAirPartitionCoefficient ; + qudt:hasQuantityKind quantitykind:LogOctanolWaterPartitionCoefficient ; + qudt:hasQuantityKind quantitykind:LogarithmicFrequencyInterval ; + qudt:hasQuantityKind quantitykind:Long-RangeOrderParameter ; + qudt:hasQuantityKind quantitykind:LossFactor ; + qudt:hasQuantityKind quantitykind:MadelungConstant ; + qudt:hasQuantityKind quantitykind:MagneticSusceptability ; + qudt:hasQuantityKind quantitykind:MassFraction ; + qudt:hasQuantityKind quantitykind:MassFractionOfDryMatter ; + qudt:hasQuantityKind quantitykind:MassFractionOfWater ; + qudt:hasQuantityKind quantitykind:MassRatioOfWaterToDryMatter ; + qudt:hasQuantityKind quantitykind:MassRatioOfWaterVapourToDryGas ; + qudt:hasQuantityKind quantitykind:MobilityRatio ; + qudt:hasQuantityKind quantitykind:MultiplicationFactor ; + qudt:hasQuantityKind quantitykind:NapierianAbsorbance ; + qudt:hasQuantityKind quantitykind:NeutronYieldPerAbsorption ; + qudt:hasQuantityKind quantitykind:NeutronYieldPerFission ; + qudt:hasQuantityKind quantitykind:Non-LeakageProbability ; + qudt:hasQuantityKind quantitykind:NumberOfParticles ; + qudt:hasQuantityKind quantitykind:OrderOfReflection ; + qudt:hasQuantityKind quantitykind:OsmoticCoefficient ; + qudt:hasQuantityKind quantitykind:PackingFraction ; + qudt:hasQuantityKind quantitykind:PermittivityRatio ; + qudt:hasQuantityKind quantitykind:PoissonRatio ; + qudt:hasQuantityKind quantitykind:PowerFactor ; + qudt:hasQuantityKind quantitykind:QualityFactor ; + qudt:hasQuantityKind quantitykind:RadianceFactor ; + qudt:hasQuantityKind quantitykind:RatioOfSpecificHeatCapacities ; + qudt:hasQuantityKind quantitykind:Reactivity ; + qudt:hasQuantityKind quantitykind:Reflectance ; + qudt:hasQuantityKind quantitykind:ReflectanceFactor ; + qudt:hasQuantityKind quantitykind:RefractiveIndex ; + qudt:hasQuantityKind quantitykind:RelativeMassConcentrationOfVapour ; + qudt:hasQuantityKind quantitykind:RelativeMassDensity ; + qudt:hasQuantityKind quantitykind:RelativeMassExcess ; + qudt:hasQuantityKind quantitykind:RelativeMassRatioOfVapour ; + qudt:hasQuantityKind quantitykind:ResonanceEscapeProbability ; + qudt:hasQuantityKind quantitykind:Short-RangeOrderParameter ; + qudt:hasQuantityKind quantitykind:StandardAbsoluteActivity ; + qudt:hasQuantityKind quantitykind:StatisticalWeight ; + qudt:hasQuantityKind quantitykind:StructureFactor ; + qudt:hasQuantityKind quantitykind:ThermalDiffusionFactor ; + qudt:hasQuantityKind quantitykind:ThermalDiffusionRatio ; + qudt:hasQuantityKind quantitykind:ThermalUtilizationFactor ; + qudt:hasQuantityKind quantitykind:TotalIonization ; + qudt:hasQuantityKind quantitykind:TransmittanceDensity ; + qudt:hasQuantityKind quantitykind:Turns ; + qudt:symbol "一" ; + qudt:uneceCommonCode "C62" ; + rdfs:isDefinedBy ; + rdfs:label "Unitless"@en ; +. +unit:UNKNOWN + a qudt:Unit ; + dcterms:description "Placeholder unit for abstract quantities" ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:hasQuantityKind quantitykind:Unknown ; + rdfs:isDefinedBy ; + rdfs:label "Unknown"@en ; +. +unit:UnitPole + a qudt:Unit ; + dcterms:description "A magnetic pole is a unit pole if it exerts a force of one dyne on another pole of equal strength at a distance of 1 cm. The strength of any given pole in cgs units is therefore numerically equal to the force in dynes which it exerts on a unit pole 1 cm away."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.256637e-07 ; + qudt:expression "\\(U/nWb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB214" ; + qudt:omUnit ; + qudt:symbol "pole" ; + qudt:uneceCommonCode "P53" ; + rdfs:isDefinedBy ; + rdfs:label "Unit Pole"@en ; +. +unit:V + a qudt:Unit ; + dcterms:description "\\(\\textit{Volt} is the SI unit of electric potential. Separating electric charges creates potential energy, which can be measured in energy units such as joules. Electric potential is defined as the amount of potential energy present per unit of charge. Electric potential is measured in volts, with one volt representing a potential of one joule per coulomb of charge. The name of the unit honors the Italian scientist Count Alessandro Volta (1745-1827), the inventor of the first battery. The volt also may be expressed with a variety of other units. For example, a volt is also equal to one watt per ampere (W/A) and one joule per ampere per second (J/A/s).\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA296" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volt?oldid=494812083"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{V}\\ \\equiv\\ \\text{volt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W.s}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{watt.second}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:siUnitsExpression "W/A" ; + qudt:symbol "V" ; + qudt:ucumCode "V"^^qudt:UCUMcs ; + qudt:udunitsCode "V" ; + qudt:uneceCommonCode "VLT" ; + rdfs:isDefinedBy ; + rdfs:label "Volt"@de ; + rdfs:label "volt"@cs ; + rdfs:label "volt"@en ; + rdfs:label "volt"@fr ; + rdfs:label "volt"@hu ; + rdfs:label "volt"@it ; + rdfs:label "volt"@ms ; + rdfs:label "volt"@pt ; + rdfs:label "volt"@ro ; + rdfs:label "volt"@sl ; + rdfs:label "volt"@tr ; + rdfs:label "voltio"@es ; + rdfs:label "voltium"@la ; + rdfs:label "wolt"@pl ; + rdfs:label "βολτ"@el ; + rdfs:label "волт"@bg ; + rdfs:label "вольт"@ru ; + rdfs:label "וולט"@he ; + rdfs:label "فولت"@ar ; + rdfs:label "ولت"@fa ; + rdfs:label "वोल्ट"@hi ; + rdfs:label "ボルト"@ja ; + rdfs:label "伏特"@zh ; +. +unit:V-A + a qudt:Unit ; + dcterms:description "product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:hasQuantityKind quantitykind:NonActivePower ; + qudt:iec61360Code "0112/2///62720#UAA298" ; + qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "V⋅A" ; + qudt:ucumCode "V.A"^^qudt:UCUMcs ; + qudt:udunitsCode "VA" ; + qudt:uneceCommonCode "D46" ; + rdfs:isDefinedBy ; + rdfs:label "Voltampere"@de ; + rdfs:label "volt ampere"@en ; + rdfs:label "volt ampere"@it ; + rdfs:label "volt-ampere"@pt ; + rdfs:label "voltampère"@fr ; + rdfs:label "voltiamperio"@es ; + rdfs:label "вольт-ампер"@ru ; + rdfs:label "فولت. أمبير" ; +. +unit:V-A-HR + a qudt:Unit ; + dcterms:description "product of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "V⋅A⋅hr" ; + qudt:ucumCode "V.A.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Volt Ampere Hour"@en ; +. +unit:V-A_Reactive + a qudt:Unit ; + dcterms:description "unit with special name for reactive power"^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAB023" ; + qudt:plainTextDescription "unit with special name for reactive power" ; + qudt:symbol "V⋅A{Reactive}" ; + qudt:ucumCode "V.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D44" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Ampere Reactive"@en ; +. +unit:V-A_Reactive-HR + a qudt:Unit ; + dcterms:description "product of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "V⋅A{reactive}⋅hr" ; + qudt:ucumCode "V.A{reactive}.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Volt Ampere Reactive Hour"@en ; +. +unit:V-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFlux ; + qudt:symbol "V⋅m" ; + qudt:ucumCode "V.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "V-M"@en ; +. +unit:V-PER-CentiM + a qudt:Unit ; + dcterms:description "derived SI unit volt divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAB054" ; + qudt:plainTextDescription "derived SI unit volt divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "V/cm" ; + qudt:ucumCode "V.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D47" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Per Centimeter"@en-us ; + rdfs:label "Volt Per Centimetre"@en ; +. +unit:V-PER-IN + a qudt:Unit ; + dcterms:description "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 39.37007874015748 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA300" ; + qudt:plainTextDescription "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "V/in" ; + qudt:ucumCode "V.[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H23" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Per Inch"@en ; +. +unit:V-PER-K + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(v/k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:SeebeckCoefficient ; + qudt:hasQuantityKind quantitykind:ThomsonCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB173" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "V/K" ; + qudt:ucumCode "V.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D48" ; + rdfs:isDefinedBy ; + rdfs:label "Volt per Kelvin"@en ; +. +unit:V-PER-M + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Volt Per Meter (V/m) is a unit in the category of Electric field strength. It is also known as volts per meter, volt/meter, volt/metre, volt per metre, volts per metre. This unit is commonly used in the SI unit system. Volt Per Meter (V/m) has a dimension of \\(MLT^{-3}I^{-1}\\) where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA301" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_field_strength--volt_per_meter.cfm"^^xsd:anyURI ; + qudt:symbol "V/m" ; + qudt:ucumCode "V.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D50" ; + rdfs:isDefinedBy ; + rdfs:label "Volt je Meter"@de ; + rdfs:label "Volt per Meter"@en-us ; + rdfs:label "volt al metro"@it ; + rdfs:label "volt bölü metre"@tr ; + rdfs:label "volt na meter"@sl ; + rdfs:label "volt par mètre"@fr ; + rdfs:label "volt per meter"@ms ; + rdfs:label "volt per metre"@en ; + rdfs:label "volt por metro"@pt ; + rdfs:label "voltio por metro"@es ; + rdfs:label "voltů na metr"@cs ; + rdfs:label "volți pe metru"@ro ; + rdfs:label "wolt na metr"@pl ; + rdfs:label "вольт на метр"@ru ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "ولت بر متر"@fa ; + rdfs:label "प्रति मीटर वोल्ट"@hi ; + rdfs:label "ボルト毎メートル"@ja ; + rdfs:label "伏特每米"@zh ; +. +unit:V-PER-M2 + a qudt:Unit ; + dcterms:description "The divergence at a particular point in a vector field is (roughly) how much the vector field 'spreads out' from that point. Operationally, we take the partial derivative of each of the field with respect to each of its space variables and add all the derivatives together to get the divergence. Electric field (V/m) differentiated with respect to distance (m) yields \\(V/(m^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V m^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:informativeReference "http://www.funtrivia.com/en/subtopics/Physical-Quantities-310909.html"^^xsd:anyURI ; + qudt:symbol "V/m²" ; + qudt:ucumCode "V.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Volt per Square Meter"@en-us ; + rdfs:label "Volt per Square Metre"@en ; +. +unit:V-PER-MicroSEC + a qudt:Unit ; + dcterms:description "SI derived unit volt divided by the 0.000001-fold of the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA297" ; + qudt:plainTextDescription "SI derived unit volt divided by the 0.000001-fold of the SI base unit second" ; + qudt:symbol "V/µs" ; + qudt:ucumCode "V.us-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H24" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Per Microsecond"@en ; +. +unit:V-PER-MilliM + a qudt:Unit ; + dcterms:description "SI derived unit volt divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA302" ; + qudt:plainTextDescription "SI derived unit volt divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "V/mm" ; + qudt:ucumCode "V.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D51" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Per Millimeter"@en-us ; + rdfs:label "Volt Per Millimetre"@en ; +. +unit:V-PER-SEC + a qudt:Unit ; + dcterms:description "'Volt per Second' is a unit of magnetic flux equaling one weber. This is the flux passing through a conducting loop and reduced to zero at a uniform rate in one second inducing an electric potential of one volt in the loop. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V / sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA304" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1512"^^xsd:anyURI ; + qudt:informativeReference "http://www.thefreedictionary.com/Webers"^^xsd:anyURI ; + qudt:symbol "V/s" ; + qudt:ucumCode "V.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H46" ; + rdfs:isDefinedBy ; + rdfs:label "Volt per second"@en ; +. +unit:V-SEC-PER-M + a qudt:Unit ; + dcterms:description "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:hasQuantityKind quantitykind:ScalarMagneticPotential ; + qudt:iec61360Code "0112/2///62720#UAA303" ; + qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre" ; + qudt:symbol "V⋅s/m" ; + qudt:ucumCode "V.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H45" ; + rdfs:isDefinedBy ; + rdfs:label "Volt Second Per Meter"@en-us ; + rdfs:label "Volt Second Per Metre"@en ; +. +unit:V2-PER-K2 + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(v^2/k^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; + qudt:hasQuantityKind quantitykind:LorenzCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB172" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "V²/K²" ; + qudt:ucumCode "V2.K-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D45" ; + rdfs:isDefinedBy ; + rdfs:label "Square Volt per Square Kelvin"@en ; +. +unit:V_Ab + a qudt:Unit ; + dcterms:description "A unit of electrical potential equal to one hundred millionth of a volt (\\(10^{-8}\\,volts\\)), used in the centimeter-gram-second (CGS) system of units. One abV is the potential difference that exists between two points when the work done to transfer one abcoulomb of charge between them equals: \\(1\\,erg\\cdot\\,1\\,abV\\,=\\,10\\,nV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abvolt"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abvolt?oldid=477198646"^^xsd:anyURI ; + qudt:informativeReference "http://www.lexic.us/definition-of/abvolt"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-27"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abV" ; + qudt:ucumCode "10.nV"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abvolt"@en ; +. +unit:V_Ab-PER-CentiM + a qudt:Unit ; + dcterms:description "In the electromagnetic centimeter-gram-second system of units, 'abvolt per centimeter' is the unit of electric field strength."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e-06 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://www.endmemo.com/convert/electric%20field%20strength.php"^^xsd:anyURI ; + qudt:symbol "abV/cm" ; + qudt:ucumCode "10.nV.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abvolt per centimeter"@en-us ; + rdfs:label "Abvolt per centimetre"@en ; +. +unit:V_Ab-SEC + a qudt:Unit ; + dcterms:description "The magnetic flux whose expenditure in 1 second produces 1 abvolt per turn of a linked circuit. Technically defined in a three-dimensional system, it corresponds in the four-dimensional electromagnetic sector of the SI system to 10 nWb, and is an impractically small unit. In use for some years, the name was agreed by the International Electrotechnical Committee in 1930, along with a corresponding practical unit, the pramaxwell (or pro-maxwell) = \\(10^{8}\\) maxwell."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0e-08 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abv-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-820"^^xsd:anyURI ; + qudt:symbol "abv⋅s" ; + qudt:ucumCode "10.nV.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Abvolt Second"@en ; +. +unit:V_Stat + a qudt:Unit ; + dcterms:description "\"statvolt\" is a unit of voltage and electrical potential used in the cgs system of units. The conversion to the SI system is \\(1 statvolt = 299.792458 volts\\). The conversion factor 299.792458 is simply the numerical value of the speed of light in m/s divided by 106. The statvolt is also defined in the cgs system as \\(1 erg / esu\\). It is a useful unit for electromagnetism because one statvolt per centimetre is equal in magnitude to one gauss. Thus, for example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. The abvolt is another option for a unit of voltage in the cgs system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 299.792458 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Statvolt"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt?oldid=491769750"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statV" ; + rdfs:isDefinedBy ; + rdfs:label "Statvolt"@en ; +. +unit:V_Stat-CentiM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(statvolt-centimeter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFlux ; + qudt:symbol "statV⋅cm" ; + rdfs:isDefinedBy ; + rdfs:label "V_Stat-CentiM"@en ; +. +unit:V_Stat-PER-CentiM + a qudt:Unit ; + dcterms:description """One statvolt per centimetre is equal in magnitude to one gauss. For example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. +The abvolt is another option for a unit of voltage in the cgs system."""^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 29979.2458 ; + qudt:expression "\\(statv-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI ; + qudt:symbol "statV/cm" ; + rdfs:isDefinedBy ; + rdfs:label "Statvolt per Centimeter"@en-us ; + rdfs:label "Statvolt per Centimetre"@en ; +. +unit:W + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of power. Power is the rate at which work is done, or (equivalently) the rate at which energy is expended. One watt is equal to a power rate of one joule of work per second of time. This unit is used both in mechanics and in electricity, so it links the mechanical and electrical units to one another. In mechanical terms, one watt equals about 0.001 341 02 horsepower (hp) or 0.737 562 foot-pound per second (lbf/s). In electrical terms, one watt is the power produced by a current of one ampere flowing through an electric potential of one volt. The name of the unit honors James Watt (1736-1819), the British engineer whose improvements to the steam engine are often credited with igniting the Industrial Revolution."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA306" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{W}\\ \\equiv\\ \\text{watt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{N.m}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{newton.metre}}{\\text{second}}\\ \\equiv\\ \\text{V.A}\\ \\equiv\\ \\text{volt.amp}\\ \\equiv\\ \\Omega\\text{.A}^{2}\\ \\equiv\\ \\text{ohm.amp}^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "W" ; + qudt:ucumCode "W"^^qudt:UCUMcs ; + qudt:udunitsCode "W" ; + qudt:uneceCommonCode "WTT" ; + rdfs:isDefinedBy ; + rdfs:label "Watt"@de ; + rdfs:label "vatio"@es ; + rdfs:label "wat"@pl ; + rdfs:label "watt"@cs ; + rdfs:label "watt"@en ; + rdfs:label "watt"@fr ; + rdfs:label "watt"@hu ; + rdfs:label "watt"@it ; + rdfs:label "watt"@ms ; + rdfs:label "watt"@pt ; + rdfs:label "watt"@ro ; + rdfs:label "watt"@sl ; + rdfs:label "watt"@tr ; + rdfs:label "wattium"@la ; + rdfs:label "βατ"@el ; + rdfs:label "ват"@bg ; + rdfs:label "ватт"@ru ; + rdfs:label "ואט"@he ; + rdfs:label "وات"@fa ; + rdfs:label "واط"@ar ; + rdfs:label "वाट"@hi ; + rdfs:label "ワット"@ja ; + rdfs:label "瓦特"@zh ; +. +unit:W-HR + a qudt:Unit ; + dcterms:description "The watt hour is a unit of energy, equal to 3,600 joule."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "W⋅hr" ; + qudt:ucumCode "W.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WHR" ; + rdfs:isDefinedBy ; + rdfs:label "Watthour"@en ; +. +unit:W-HR-PER-M2 + a qudt:Unit ; + dcterms:description "A unit of energy per unit area, equivalent to 3,600 joules per square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier "3600"^^xsd:double ; + qudt:conversionOffset "0"^^xsd:double ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3,600 joules per square metre." ; + qudt:symbol "W⋅h/m²" ; + rdfs:isDefinedBy ; + rdfs:label "Watt hour per square metre"@en ; +. +unit:W-HR-PER-M3 + a qudt:Unit ; + dcterms:description "The watt hour per cubic meter is a unit of energy density, equal to 3,600 joule per cubic meter."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:symbol "W⋅hr/m³" ; + qudt:ucumCode "W.h.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watthour per Cubic meter"@en-us ; + rdfs:label "Watthour per Cubic metre"@en ; +. +unit:W-M-PER-M2-SR + a qudt:Unit ; + dcterms:description "The power per unit area of radiation of a given wavenumber illuminating a target at a given incident angle."@en ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W⋅m/m²⋅sr" ; + qudt:ucumCode "W.m-2.m.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watts per square metre per inverse metre per steradian"@en ; +. +unit:W-M2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:symbol "W⋅m²" ; + qudt:ucumCode "W.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q21" ; + rdfs:isDefinedBy ; + rdfs:label "W-M2"@en ; +. +unit:W-M2-PER-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:symbol "W⋅m²/sr" ; + qudt:ucumCode "W.m2.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "W-M2-PER-SR"@en ; +. +unit:W-PER-CentiM2 + a qudt:Unit ; + dcterms:description "Watt Per Square Centimeter is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB224" ; + qudt:symbol "W/cm²" ; + qudt:ucumCode "W.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N48" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Centimeter"@en-us ; + rdfs:label "Watt per Square Centimetre"@en ; +. +unit:W-PER-FT2 + a qudt:Unit ; + dcterms:description "Watt Per Square Foot is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 10.7639104 ; + qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "W/ft²" ; + qudt:ucumCode "W.[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Foot"@en ; +. +unit:W-PER-GM + a qudt:Unit ; + dcterms:description "SI derived unit watt divided by the SI derived unit gram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:MilliW-PER-MilliGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:hasQuantityKind quantitykind:SpecificPower ; + qudt:plainTextDescription "SI derived unit watt divided by the SI derived unit gram" ; + qudt:symbol "W/g" ; + qudt:ucumCode "W.g-1"^^qudt:UCUMcs ; + qudt:ucumCode "W/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Gram"@en ; +. +unit:W-PER-IN2 + a qudt:Unit ; + dcterms:description "Watt Per Square Inch is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1550.0031 ; + qudt:expression "\\(W/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB225" ; + qudt:symbol "W/in²" ; + qudt:ucumCode "W.[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N49" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Inch"@en ; +. +unit:W-PER-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Watt Per Kelvin (\\(W/K\\)) is a unit in the category of Thermal conductivity."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(w-per-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductance ; + qudt:iec61360Code "0112/2///62720#UAA307" ; + qudt:symbol "w/K" ; + qudt:ucumCode "W.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D52" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Kelvin"@en ; +. +unit:W-PER-KiloGM + a qudt:Unit ; + dcterms:description "SI derived unit watt divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:hasQuantityKind quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAA316" ; + qudt:plainTextDescription "SI derived unit watt divided by the SI base unit kilogram" ; + qudt:symbol "W/kg" ; + qudt:ucumCode "W.kg-1"^^qudt:UCUMcs ; + qudt:ucumCode "W/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WA" ; + rdfs:isDefinedBy ; + rdfs:label "Watt Per Kilogram"@en ; +. +unit:W-PER-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m" ; + qudt:ucumCode "W.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H74" ; + rdfs:isDefinedBy ; + rdfs:label "Watts per metre"@en ; +. +unit:W-PER-M-K + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W-per-MK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA309" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:latexSymbol "\\(W \\cdot m^{-1} \\cdot K^{-1}\\)"^^qudt:LatexString ; + qudt:symbol "W/(m⋅K)" ; + qudt:ucumCode "W.m-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D53" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Meter Kelvin"@en-us ; + rdfs:label "Watt per Metre Kelvin"@en ; +. +unit:W-PER-M2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Watt per Square Meter} is a unit of irradiance defined as the power received per area. This is a unit in the category of Energy flux. It is also known as watts per square meter, watt per square metre, watts per square metre, watt/square meter, watt/square metre. This unit is commonly used in the SI unit system. Watt Per Square Meter (\\(W/m^2\\)) has a dimension of \\(MT^{-3\"\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:hasQuantityKind quantitykind:PoyntingVector ; + qudt:iec61360Code "0112/2///62720#UAA310" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_flux--watt_per_square_meter.cfm"^^xsd:anyURI ; + qudt:symbol "W/m²" ; + qudt:ucumCode "W.m-2"^^qudt:UCUMcs ; + qudt:ucumCode "W/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D54" ; + rdfs:isDefinedBy ; + rdfs:label "Watt je Quadratmeter"@de ; + rdfs:label "Watt per Square Meter"@en-us ; + rdfs:label "vatio por metro cuadrado"@es ; + rdfs:label "wat na metr kwadratowy"@pl ; + rdfs:label "watt al metro quadrato"@it ; + rdfs:label "watt bölü metre kare"@tr ; + rdfs:label "watt na kvadratni meter"@sl ; + rdfs:label "watt na metr čtvereční"@cs ; + rdfs:label "watt par mètre carré"@fr ; + rdfs:label "watt pe metru pătrat"@ro ; + rdfs:label "watt per meter persegi"@ms ; + rdfs:label "watt per square metre"@en ; + rdfs:label "watt por metro quadrado"@pt ; + rdfs:label "ватт на квадратный метр"@ru ; + rdfs:label "وات بر مترمربع"@fa ; + rdfs:label "واط في المتر المربع"@ar ; + rdfs:label "वाट प्रति वर्ग मीटर"@hi ; + rdfs:label "ワット毎平方メートル"@ja ; + rdfs:label "瓦特每平方米"@zh ; +. +unit:W-PER-M2-K + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Watt Per Square Meter Per Kelvin }(\\(W m^{-2} K^{-1}\\)) is a unit in the category of Thermal heat transfer coefficient. It is also known as watt/square meter-kelvin. This unit is commonly used in the SI unit system. Watt Per Square Meter Per Kelvin (\\(W m^{-2} K^{-1}\\)) has a dimension of \\(MT^{-1}Q^{-1}\\) where \\(M\\) is mass, \\(T\\) is time, and \\(Q\\) is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/(m^{2}-K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:hasQuantityKind quantitykind:CombinedNonEvaporativeHeatTransferCoefficient ; + qudt:hasQuantityKind quantitykind:SurfaceCoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAA311" ; + qudt:symbol "W/(m²⋅K)" ; + qudt:ucumCode "W.m-2.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D55" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Meter Kelvin"@en-us ; + rdfs:label "Watt per Square Metre Kelvin"@en ; +. +unit:W-PER-M2-K4 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Watt Per Square Meter Per Quartic Kelvin (\\(W/m2\\cdotK4)\\) is a unit in the category of light."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(W/(m^2.K^4)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:symbol "W/(m²⋅K⁴)" ; + qudt:ucumCode "W.m-2.K-4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D56" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Meter Quartic Kelvin"@en-us ; + rdfs:label "Watt per Square Metre Quartic Kelvin"@en ; +. +unit:W-PER-M2-M + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅m" ; + qudt:ucumCode "W.m-2.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watts per square metre per metre"@en ; +. +unit:W-PER-M2-M-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅m⋅sr" ; + qudt:ucumCode "W.m-2.m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watts per square metre per metre per steradian"@en ; +. +unit:W-PER-M2-NanoM + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅nm" ; + qudt:ucumCode "W.m-2.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watts per square metre per nanometre"@en ; +. +unit:W-PER-M2-NanoM-SR + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅nm⋅sr" ; + qudt:ucumCode "W.m-2.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watts per square metre per nanometre per steradian"@en ; +. +unit:W-PER-M2-PA + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "Watt Per Square Meter Per Pascal (\\(W/m^2-pa\\)) is a unit of Evaporative Heat Transfer."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(W/(m^2.pa)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:EvaporativeHeatTransferCoefficient ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:symbol "W/(m²⋅pa)" ; + qudt:ucumCode "W.m-2.Pa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Meter Pascal"@en-us ; + rdfs:label "Watt per Square Metre Pascal"@en ; +. +unit:W-PER-M2-SR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Watt per steradian per square metre}\\) is the SI unit of radiance (\\(W·sr^{-1}·m^{-2}\\)), while that of spectral radiance in frequency is the watt per steradian per square metre per hertz (\\(W·sr^{-1}·m^{-2}·Hz^{-1}\\)) and that of spectral radiance in wavelength is the watt per steradian per square metre, per metre (\\(W·sr^{-1}·m^{-3}\\)), commonly the watt per steradian per square metre per nanometre (\\(W·sr^{-1}·m^{-2}·nm^{-1}\\)). It has a dimension of \\(ML^{-4}T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/(m^2.sr)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Radiance ; + qudt:informativeReference "http://asd-www.larc.nasa.gov/Instrument/ceres_units.html"^^xsd:anyURI ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--radiance--watt_per_square_meter_per_steradian.cfm"^^xsd:anyURI ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; + qudt:symbol "W/(m²⋅sr)" ; + qudt:ucumCode "W.m-2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D58" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Square Meter Steradian"@en-us ; + rdfs:label "Watt per Square Metre Steradian"@en ; +. +unit:W-PER-M3 + a qudt:Unit ; + dcterms:description "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAA312" ; + qudt:plainTextDescription "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "W/m³" ; + qudt:ucumCode "W.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H47" ; + rdfs:isDefinedBy ; + rdfs:label "Watt Per Cubic Meter"@en-us ; + rdfs:label "Watt Per Cubic Metre"@en ; +. +unit:W-PER-SR + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\\(\\textbf{Watt Per Steradian (W/sr)}\\) is the unit in the category of Radiant intensity. It is also known as watts per steradian. This unit is commonly used in the SI unit system. Watt Per Steradian (W/sr) has a dimension of \\(M\\cdot L^{-2}\\cdot T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W sr^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:RadiantIntensity ; + qudt:iec61360Code "0112/2///62720#UAA314" ; + qudt:symbol "W/sr" ; + qudt:ucumCode "W.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D57" ; + rdfs:isDefinedBy ; + rdfs:label "Watt per Steradian"@en ; +. +unit:W-SEC + a qudt:Unit ; + dcterms:description "product of the SI derived unit watt and SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA313" ; + qudt:plainTextDescription "product of the SI derived unit watt and SI base unit second" ; + qudt:symbol "W⋅s" ; + qudt:ucumCode "W.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J55" ; + rdfs:isDefinedBy ; + rdfs:label "Watt Second"@en ; +. +unit:W-SEC-PER-M2 + a qudt:Unit ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "W⋅s/m²" ; + qudt:ucumCode "W.s.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Watt seconds per square metre"@en ; +. +unit:WB + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The SI unit of magnetic flux. \"Flux\" is the rate (per unit of time) at which something crosses a surface perpendicular to the flow. The weber is a large unit, equal to \\(10^{8}\\) maxwells, and practical fluxes are usually fractions of one weber. The weber is the magnetic flux which, linking a circuit of one turn, would produce in it an electromotive force of 1 volt if it were reduced to zero at a uniform rate in 1 second. In SI base units, the dimensions of the weber are \\((kg \\cdot m^2)/(s^2 \\cdot A)\\). The weber is commonly expressed in terms of other derived units as the Tesla-square meter (\\(T \\cdot m^2\\)), volt-seconds (\\(V \\cdot s\\)), or joules per ampere (\\(J/A\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weber"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA317" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Weber_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "V.s" ; + qudt:symbol "Wb" ; + qudt:ucumCode "Wb"^^qudt:UCUMcs ; + qudt:udunitsCode "Wb" ; + qudt:uneceCommonCode "WEB" ; + rdfs:isDefinedBy ; + rdfs:label "Weber"@de ; + rdfs:label "weber"@cs ; + rdfs:label "weber"@en ; + rdfs:label "weber"@es ; + rdfs:label "weber"@fr ; + rdfs:label "weber"@hu ; + rdfs:label "weber"@it ; + rdfs:label "weber"@ms ; + rdfs:label "weber"@pl ; + rdfs:label "weber"@pt ; + rdfs:label "weber"@ro ; + rdfs:label "weber"@sl ; + rdfs:label "weber"@tr ; + rdfs:label "weberium"@la ; + rdfs:label "βέμπερ"@el ; + rdfs:label "вебер"@bg ; + rdfs:label "вебер"@ru ; + rdfs:label "ובר"@he ; + rdfs:label "وبر"@fa ; + rdfs:label "ويبر; فيبر"@ar ; + rdfs:label "वैबर"@hi ; + rdfs:label "ウェーバ"@ja ; + rdfs:label "韦伯"@zh ; +. +unit:WB-M + a qudt:DerivedUnit ; + a qudt:Unit ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:N-M2-PER-A ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:iec61360Code "0112/2///62720#UAB333" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:symbol "Wb⋅m" ; + qudt:ucumCode "Wb.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P50" ; + rdfs:isDefinedBy ; + rdfs:label "Weber Meter"@en-us ; + rdfs:label "Weber Metre"@en ; +. +unit:WB-PER-M + a qudt:Unit ; + dcterms:description "SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAA318" ; + qudt:plainTextDescription "SI derived unit weber divided by the SI base unit metre" ; + qudt:symbol "Wb/m" ; + qudt:ucumCode "Wb.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D59" ; + rdfs:isDefinedBy ; + rdfs:label "Weber Per Meter"@en-us ; + rdfs:label "Weber je Meter"@de ; + rdfs:label "weber al metro"@it ; + rdfs:label "weber bölü metre"@tr ; + rdfs:label "weber na metr"@pl ; + rdfs:label "weber par mètre"@fr ; + rdfs:label "weber pe metru"@ro ; + rdfs:label "weber per meter"@ms ; + rdfs:label "weber per metre"@en ; + rdfs:label "weber por metro"@es ; + rdfs:label "weber por metro"@pt ; + rdfs:label "weberů na metr"@cs ; + rdfs:label "вебер на метр"@ru ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; + rdfs:label "وبر بر متر"@fa ; + rdfs:label "प्रति मीटर वैबर"@hi ; + rdfs:label "ウェーバ毎メートル"@ja ; + rdfs:label "韦伯每米"@zh ; +. +unit:WB-PER-MilliM + a qudt:Unit ; + dcterms:description "derived SI unit weber divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAB074" ; + qudt:plainTextDescription "derived SI unit weber divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "Wb/mm" ; + qudt:ucumCode "Wb.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D60" ; + rdfs:isDefinedBy ; + rdfs:label "Weber Per Millimeter"@en-us ; + rdfs:label "Weber Per Millimetre"@en ; +. +unit:WK + a qudt:Unit ; + dcterms:description "Mean solar week"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.0480e05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Week"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB024" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Week?oldid=493867029"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "wk" ; + qudt:ucumCode "wk"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WEE" ; + rdfs:isDefinedBy ; + rdfs:label "Week"@en ; +. +unit:YD + a qudt:Unit ; + dcterms:description "A yard is a unit of length in several different systems including United States customary units, Imperial units and the former English units. It is equal to 3 feet or 36 inches. Under an agreement in 1959 between Australia, Canada, New Zealand, South Africa, the United Kingdom and the United States, the yard (known as the \"international yard\" in the United States) was legally defined to be exactly 0.9144 metres."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.9144 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yard"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB030" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yard?oldid=492334628"^^xsd:anyURI ; + qudt:symbol "yd" ; + qudt:ucumCode "[yd_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "yd" ; + qudt:uneceCommonCode "YRD" ; + rdfs:isDefinedBy ; + rdfs:label "Yard"@en ; +. +unit:YD-PER-DEG_F + a qudt:Unit ; + dcterms:description "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.6459200164592 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAB031" ; + qudt:plainTextDescription "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "yd/°F" ; + qudt:ucumCode "[yd_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L98" ; + rdfs:isDefinedBy ; + rdfs:label "Yard Per Degree Fahrenheit"@en ; +. +unit:YD2 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "The square yard is an imperial/US customary unit of area, formerly used in most of the English-speaking world but now generally replaced by the square metre outside of the U.S. , Canada and the U.K. It is defined as the area of a square with sides of one yard in length. (Gaj in Hindi)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.83612736 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(yd^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB034" ; + qudt:symbol "sqyd" ; + qudt:ucumCode "[syd_i]"^^qudt:UCUMcs ; + qudt:ucumCode "[yd_i]2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "YDK" ; + rdfs:isDefinedBy ; + rdfs:label "Square Yard"@en ; +. +unit:YD3 + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A cubic yard is an Imperial / U.S. customary unit of volume, used in the United States, Canada, and the UK. It is defined as the volume of a cube with sides of 1 yard in length."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.764554857984 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(yd^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB035" ; + qudt:symbol "yd³" ; + qudt:ucumCode "[cyd_i]"^^qudt:UCUMcs ; + qudt:ucumCode "[yd_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "YDQ" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard"@en ; +. +unit:YD3-PER-DAY + a qudt:Unit ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8.84901456e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB037" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; + qudt:symbol "yd³/day" ; + qudt:ucumCode "[cyd_i].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M12" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard Per Day"@en ; +. +unit:YD3-PER-DEG_F + a qudt:Unit ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.376198881991088 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAB036" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "yd³/°F" ; + qudt:ucumCode "[cyd_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M11" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard Per Degree Fahrenheit"@en ; +. +unit:YD3-PER-HR + a qudt:Unit ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00021237634944 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB038" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour" ; + qudt:symbol "yd³/hr" ; + qudt:ucumCode "[cyd_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M13" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard Per Hour"@en ; +. +unit:YD3-PER-MIN + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "\"Cubic Yard per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(yd^{3}/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0127425809664 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(yd^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB040" ; + qudt:symbol "yd³/min" ; + qudt:ucumCode "[cyd_i].min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[cyd_i]/min"^^qudt:UCUMcs ; + qudt:ucumCode "[yd_i]3.min-1"^^qudt:UCUMcs ; + qudt:ucumCode "[yd_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M15" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard per Minute"@en ; +. +unit:YD3-PER-SEC + a qudt:Unit ; + dcterms:description "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.764554857984 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate ; + qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB041" ; + qudt:plainTextDescription "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "yd³/s" ; + qudt:ucumCode "[cyd_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M16" ; + rdfs:isDefinedBy ; + rdfs:label "Cubic Yard Per Second"@en ; +. +unit:YR + a qudt:Unit ; + dcterms:description "A year is any of the various periods equated with one passage of Earth about the Sun, and hence of roughly 365 days. The familiar calendar has a mixture of 365- and 366-day years, reflecting the fact that the time for one complete passage takes about 365¼ days; the precise value for this figure depends on the manner of defining the year."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.15576e07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB026" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1533?rskey=b94Fd6"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "yr" ; + qudt:ucumCode "a"^^qudt:UCUMcs ; + qudt:udunitsCode "yr" ; + qudt:uneceCommonCode "ANN" ; + rdfs:isDefinedBy ; + rdfs:label "Year"@en ; +. +unit:YR_Common + a qudt:Unit ; + dcterms:description "31,536,000-fold of the SI base unit second according a common year with 365 days"^^rdf:HTML ; + qudt:conversionMultiplier 3.1536e07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB025" ; + qudt:plainTextDescription "31,536,000-fold of the SI base unit second according a common year with 365 days" ; + qudt:symbol "yr" ; + qudt:uneceCommonCode "L95" ; + rdfs:isDefinedBy ; + rdfs:label "Common Year"@en ; +. +unit:YR_Sidereal + a qudt:Unit ; + dcterms:description "A sidereal year is the time taken for Sun to return to the same position with respect to the stars of the celestial sphere."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.15581497632e07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB028" ; + qudt:symbol "yr{sidereal}" ; + qudt:uneceCommonCode "L96" ; + rdfs:isDefinedBy ; + rdfs:label "Sidereal Year"@en ; +. +unit:YR_TROPICAL + a qudt:Unit ; + dcterms:description "

A tropical year (also known as a solar year), for general purposes, is the length of time that the Sun takes to return to the same position in the cycle of seasons, as seen from Earth; for example, the time from vernal equinox to vernal equinox, or from summer solstice to summer solstice. Because of the precession of the equinoxes, the seasonal cycle does not remain exactly synchronised with the position of the Earth in its orbit around the Sun. As a consequence, the tropical year is about 20 minutes shorter than the time it takes Earth to complete one full orbit around the Sun as measured with respect to the fixed stars. Since antiquity, astronomers have progressively refined the definition of the tropical year, and currently define it as the time required for the mean Sun's tropical longitude (longitudinal position along the ecliptic relative to its position at the vernal equinox) to increase by 360 degrees (that is, to complete one full seasonal circuit).

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:applicableSystem sou:SI ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.1556925216e07 ; + qudt:exactMatch unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB029" ; + qudt:symbol "yr{tropical}" ; + qudt:ucumCode "a_t"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D42" ; + rdfs:isDefinedBy ; + rdfs:label "Tropical Year"@en ; + skos:altLabel "solar year" ; +. +unit:YoctoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A YoctoCoulomb is \\(10^{-24} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-24 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Yocto ; + qudt:symbol "yC" ; + qudt:ucumCode "yC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "YoctoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:YottaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A YottaCoulomb is \\(10^{24} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e24 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Yotta ; + qudt:symbol "YC" ; + qudt:ucumCode "YC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "YottaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:Z + a qudt:Unit ; + dcterms:description "In chemistry and physics, the atomic number (also known as the proton number) is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. It is conventionally represented by the symbol Z. The atomic number uniquely identifies a chemical element. In an atom of neutral charge, the atomic number is also equal to the number of electrons."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AtomicNumber ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number?oldid=490723437"^^xsd:anyURI ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:label "atomic-number"@en ; +. +unit:ZeptoC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A ZeptoCoulomb is \\(10^{-21} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e-21 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Zepto ; + qudt:symbol "zC" ; + qudt:ucumCode "zC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "ZeptoCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:ZettaC + a qudt:DerivedUnit ; + a qudt:Unit ; + dcterms:description "A ZettaCoulomb is \\(10^{21} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:applicableSystem sou:PLANCK ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0e21 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix:Zetta ; + qudt:symbol "ZC" ; + qudt:ucumCode "ZC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "ZettaCoulomb"@en ; + prov:wasDerivedFrom unit:C ; +. +unit:failures-in-time + a qudt:Unit ; + dcterms:description "unit of failure rate"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAB403" ; + qudt:plainTextDescription "unit of failure rate" ; + qudt:symbol "failures/s" ; + qudt:ucumCode "s-1{failures}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FIT" ; + rdfs:isDefinedBy ; + rdfs:label "Failures In Time"@en ; +. +voag:QUDT-UNITS-VocabCatalogEntry + a vaem:CatalogEntry ; + rdfs:isDefinedBy ; + rdfs:label "QUDT UNITS Vocab Catalog Entry" ; +. +vaem:GMD_QUDT-UNITS-ALL + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Simon J D Cox" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2019-07-30"^^xsd:date ; + dcterms:creator "Steve Ray" ; + dcterms:modified "2023-10-19T11:18:52.431-04:00"^^xsd:dateTime ; + dcterms:rights """ + This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. + +THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. + """ ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Units-All" ; + dcterms:title "QUDT Units Version 2.1 Vocabulary" ; + vaem:description "Standard units of measure for all units." ; + vaem:graphName "qudt" ; + vaem:graphTitle "QUDT Units Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner ; + vaem:hasSteward ; + vaem:intent "To provide a vocabulary of all units." ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-UNITS-ALL-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; + vaem:namespacePrefix "unit" ; + vaem:owner "QUDT.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-UNITS-ALL-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/unit"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:title ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Unit of Measure Vocabulary Metadata Version 2.1.32" ; +. diff --git a/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl new file mode 100644 index 000000000..273240c06 --- /dev/null +++ b/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl @@ -0,0 +1,2577 @@ +# baseURI: http://qudt.org/2.1/vocab/currency +# imports: http://qudt.org/2.1/schema/facade/qudt +# imports: http://qudt.org/2.1/vocab/unit + +@prefix cur: . +@prefix dc: . +@prefix dcterms: . +@prefix owl: . +@prefix prefix: . +@prefix prov: . +@prefix qkdv: . +@prefix quantitykind: . +@prefix qudt: . +@prefix rdf: . +@prefix rdfs: . +@prefix skos: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . +@prefix xsd: . + + + a owl:Ontology ; + vaem:hasGraphMetadata vaem:GMD_QUDT-UNITS-CURRENCY ; + rdfs:isDefinedBy ; + rdfs:label "QUDT VOCAB Currency Units Release 2.1.32" ; + owl:imports ; + owl:imports ; + owl:versionIRI ; +. +cur:AED + a qudt:CurrencyUnit ; + qudt:currencyCode "AED" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 784 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/United_Arab_Emirates_dirham"^^xsd:anyURI ; + qudt:expression "\\(AED\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/United_Arab_Emirates_dirham?oldid=491806142"^^xsd:anyURI ; + qudt:symbol "د.إ" ; + rdfs:isDefinedBy ; + rdfs:label "United Arab Emirates dirham"@en ; +. +cur:AFN + a qudt:CurrencyUnit ; + qudt:currencyCode "AFN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 971 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Afghani"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Afghani?oldid=485904590"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Afghani"@en ; +. +cur:ALL + a qudt:CurrencyUnit ; + qudt:currencyCode "ALL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 008 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lek"^^xsd:anyURI ; + qudt:expression "\\(ALL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lek?oldid=495195665"^^xsd:anyURI ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Lek"@en ; +. +cur:AMD + a qudt:CurrencyUnit ; + qudt:currencyCode "AMD" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 051 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Armenian_dram"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Armenian_dram?oldid=492709723"^^xsd:anyURI ; + qudt:symbol "֏" ; + rdfs:isDefinedBy ; + rdfs:label "Armenian Dram"@en ; +. +cur:ANG + a qudt:CurrencyUnit ; + qudt:currencyCode "ANG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 532 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Netherlands_Antillean_guilder"^^xsd:anyURI ; + qudt:expression "\\(ANG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Netherlands_Antillean_guilder?oldid=490030382"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Netherlands Antillian Guilder"@en ; +. +cur:AOA + a qudt:CurrencyUnit ; + qudt:currencyCode "AOA" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 973 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angolan_kwanza"^^xsd:anyURI ; + qudt:expression "\\(AOA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angolan_kwanza?oldid=491748749"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kwanza"@en ; +. +cur:ARS + a qudt:CurrencyUnit ; + qudt:currencyCode "ARS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 032 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Argentine_peso"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Argentine_peso?oldid=491431588"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Argentine Peso"@en ; +. +cur:AUD + a qudt:CurrencyUnit ; + qudt:currencyCode "AUD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 036 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Australian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Australian_dollar?oldid=495046408"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Australian Dollar"@en ; +. +cur:AWG + a qudt:CurrencyUnit ; + qudt:currencyCode "AWG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 533 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Aruban_florin"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Aruban_florin?oldid=492925638"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Aruban Guilder"@en ; +. +cur:AZN + a qudt:CurrencyUnit ; + qudt:currencyCode "AZN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 944 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Azerbaijani_manat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Azerbaijani_manat?oldid=495479090"^^xsd:anyURI ; + qudt:symbol "₼" ; + rdfs:isDefinedBy ; + rdfs:label "Azerbaijanian Manat"@en ; +. +cur:BAM + a qudt:CurrencyUnit ; + qudt:currencyCode "BAM" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 977 ; + qudt:expression "\\(BAM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "KM" ; + rdfs:isDefinedBy ; + rdfs:label "Convertible Marks"@en ; +. +cur:BBD + a qudt:CurrencyUnit ; + qudt:currencyCode "BBD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 052 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barbadian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barbadian_dollar?oldid=494388633"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Barbados Dollar"@en ; +. +cur:BDT + a qudt:CurrencyUnit ; + qudt:currencyCode "BDT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 050 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bangladeshi_taka"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bangladeshi_taka?oldid=492673895"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Bangladeshi Taka"@en ; +. +cur:BGN + a qudt:CurrencyUnit ; + qudt:currencyCode "BGN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 975 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bulgarian_lev"^^xsd:anyURI ; + qudt:expression "\\(BGN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bulgarian_lev?oldid=494947467"^^xsd:anyURI ; + qudt:symbol "лв." ; + rdfs:isDefinedBy ; + rdfs:label "Bulgarian Lev"@en ; +. +cur:BHD + a qudt:CurrencyUnit ; + qudt:currencyCode "BHD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 048 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bahraini_dinar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bahraini_dinar?oldid=493086643"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Bahraini Dinar"@en ; +. +cur:BIF + a qudt:CurrencyUnit ; + qudt:currencyCode "BIF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 108 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Burundian_franc"^^xsd:anyURI ; + qudt:expression "\\(BIF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Burundian_franc?oldid=489383699"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Burundian Franc"@en ; +. +cur:BMD + a qudt:CurrencyUnit ; + qudt:currencyCode "BMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 060 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bermudian_dollar"^^xsd:anyURI ; + qudt:expression "\\(BMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bermudian_dollar?oldid=492670344"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Bermuda Dollar"@en ; +. +cur:BND + a qudt:CurrencyUnit ; + qudt:currencyCode "BND" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 096 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Brunei_dollar"^^xsd:anyURI ; + qudt:expression "\\(BND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Brunei_dollar?oldid=495134546"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Brunei Dollar"@en ; +. +cur:BOB + a qudt:CurrencyUnit ; + qudt:currencyCode "BOB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 068 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bolivian_boliviano"^^xsd:anyURI ; + qudt:expression "\\(BOB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bolivian_boliviano?oldid=494873944"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Boliviano"@en ; +. +cur:BOV + a qudt:CurrencyUnit ; + qudt:currencyCode "BOV" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 984 ; + qudt:expression "\\(BOV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Bolivian Mvdol (Funds code)"@en ; +. +cur:BRL + a qudt:CurrencyUnit ; + qudt:currencyCode "BRL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 986 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Brazilian_real"^^xsd:anyURI ; + qudt:expression "\\(BRL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Brazilian_real?oldid=495278259"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Brazilian Real"@en ; +. +cur:BSD + a qudt:CurrencyUnit ; + qudt:currencyCode "BSD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 044 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bahamian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bahamian_dollar?oldid=492776024"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Bahamian Dollar"@en ; +. +cur:BTN + a qudt:CurrencyUnit ; + qudt:currencyCode "BTN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 064 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bhutanese_ngultrum"^^xsd:anyURI ; + qudt:expression "\\(BTN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bhutanese_ngultrum?oldid=491579260"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Ngultrum"@en ; +. +cur:BWP + a qudt:CurrencyUnit ; + qudt:currencyCode "BWP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 072 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pula"^^xsd:anyURI ; + qudt:expression "\\(BWP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pula?oldid=495207177"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Pula"@en ; +. +cur:BYN + a qudt:CurrencyUnit ; + qudt:currencyCode "BYN" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 933 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Belarusian_ruble"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Belarusian_ruble?oldid=494143246"^^xsd:anyURI ; + qudt:symbol "Rbl" ; + rdfs:isDefinedBy ; + rdfs:label "Belarussian Ruble"@en ; +. +cur:BZD + a qudt:CurrencyUnit ; + qudt:currencyCode "BZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 084 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Belize_dollar"^^xsd:anyURI ; + qudt:expression "\\(BZD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Belize_dollar?oldid=462662376"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Belize Dollar"@en ; +. +cur:CAD + a qudt:CurrencyUnit ; + qudt:currencyCode "CAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 124 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Canadian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Canadian_dollar?oldid=494738466"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Canadian Dollar"@en ; +. +cur:CDF + a qudt:CurrencyUnit ; + qudt:currencyCode "CDF" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 976 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Congolese_franc"^^xsd:anyURI ; + qudt:expression "\\(CDF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Congolese_franc?oldid=490314640"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Franc Congolais"@en ; +. +cur:CHE + a qudt:CurrencyUnit ; + qudt:currencyCode "CHE" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 947 ; + qudt:expression "\\(CHE\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "WIR Euro (complementary currency)"@en ; +. +cur:CHF + a qudt:CurrencyUnit ; + qudt:currencyCode "CHF" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 756 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swiss_franc"^^xsd:anyURI ; + qudt:expression "\\(CHF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swiss_franc?oldid=492548706"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "CHF" ; + rdfs:isDefinedBy ; + rdfs:label "Swiss Franc"@en ; +. +cur:CHW + a qudt:CurrencyUnit ; + qudt:currencyCode "CHW" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 948 ; + qudt:expression "\\(CHW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "WIR Franc (complementary currency)"@en ; +. +cur:CLF + a qudt:CurrencyUnit ; + qudt:currencyCode "CLF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 990 ; + qudt:expression "\\(CLF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Unidades de formento (Funds code)"@en ; +. +cur:CLP + a qudt:CurrencyUnit ; + qudt:currencyCode "CLP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 152 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Chilean_peso"^^xsd:anyURI ; + qudt:expression "\\(CLP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chilean_peso?oldid=495455481"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Chilean Peso"@en ; +. +cur:CNY + a qudt:CurrencyUnit ; + qudt:currencyCode "CNY" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 156 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Renminbi"^^xsd:anyURI ; + qudt:expression "\\(CNY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Renminbi?oldid=494799454"^^xsd:anyURI ; + qudt:symbol "¥" ; + rdfs:isDefinedBy ; + rdfs:label "Yuan Renminbi"@en ; +. +cur:COP + a qudt:CurrencyUnit ; + qudt:currencyCode "COP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 170 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Colombian_peso"^^xsd:anyURI ; + qudt:expression "\\(COP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Colombian_peso?oldid=490834575"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Colombian Peso"@en ; +. +cur:COU + a qudt:CurrencyUnit ; + qudt:currencyCode "COU" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 970 ; + qudt:expression "\\(COU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Unidad de Valor Real"@en ; +. +cur:CRC + a qudt:CurrencyUnit ; + qudt:currencyCode "CRC" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 188 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Costa_Rican_col%C3%B3n"^^xsd:anyURI ; + qudt:expression "\\(CRC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Costa_Rican_colón?oldid=491007608"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Costa Rican Colon"@en ; +. +cur:CUP + a qudt:CurrencyUnit ; + qudt:currencyCode "CUP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 192 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cuban_peso"^^xsd:anyURI ; + qudt:expression "\\(CUP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cuban_peso?oldid=486492974"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cuban Peso"@en ; +. +cur:CVE + a qudt:CurrencyUnit ; + qudt:currencyCode "CVE" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 132 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cape_Verdean_escudo"^^xsd:anyURI ; + qudt:expression "\\(CVE\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cape_Verdean_escudo?oldid=491416749"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cape Verde Escudo"@en ; +. +cur:CYP + a qudt:CurrencyUnit ; + qudt:currencyCode "CYP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 196 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cypriot_pound"^^xsd:anyURI ; + qudt:expression "\\(CYP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cypriot_pound?oldid=492644935"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cyprus Pound"@en ; +. +cur:CZK + a qudt:CurrencyUnit ; + qudt:currencyCode "CZK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 203 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Czech_koruna"^^xsd:anyURI ; + qudt:expression "\\(CZK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Czech_koruna?oldid=493991393"^^xsd:anyURI ; + qudt:symbol "Kč" ; + rdfs:isDefinedBy ; + rdfs:label "Czech Koruna"@en ; +. +cur:DJF + a qudt:CurrencyUnit ; + qudt:currencyCode "DJF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 262 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Djiboutian_franc"^^xsd:anyURI ; + qudt:expression "\\(DJF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Djiboutian_franc?oldid=486807423"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Djibouti Franc"@en ; +. +cur:DKK + a qudt:CurrencyUnit ; + qudt:currencyCode "DKK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 208 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Danish_krone"^^xsd:anyURI ; + qudt:expression "\\(DKK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Danish_krone?oldid=491168880"^^xsd:anyURI ; + qudt:symbol "kr" ; + rdfs:isDefinedBy ; + rdfs:label "Danish Krone"@en ; +. +cur:DOP + a qudt:CurrencyUnit ; + qudt:currencyCode "DOP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 214 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dominican_peso"^^xsd:anyURI ; + qudt:expression "\\(DOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dominican_peso?oldid=493950199"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Dominican Peso"@en ; +. +cur:DZD + a qudt:CurrencyUnit ; + qudt:currencyCode "DZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 012 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Algerian_dinar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Algerian_dinar?oldid=492845503"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Algerian Dinar"@en ; +. +cur:EEK + a qudt:CurrencyUnit ; + qudt:currencyCode "EEK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 233 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Estonian_kroon"^^xsd:anyURI ; + qudt:expression "\\(EEK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Estonian_kroon?oldid=492626188"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kroon"@en ; +. +cur:EGP + a qudt:CurrencyUnit ; + qudt:currencyCode "EGP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 818 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Egyptian_pound"^^xsd:anyURI ; + qudt:expression "\\(EGP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Egyptian_pound?oldid=494670285"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Egyptian Pound"@en ; +. +cur:ERN + a qudt:CurrencyUnit ; + qudt:currencyCode "ERN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 232 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nakfa"^^xsd:anyURI ; + qudt:expression "\\(ERN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nakfa?oldid=415286274"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Nakfa"@en ; +. +cur:ETB + a qudt:CurrencyUnit ; + qudt:currencyCode "ETB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 230 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ethiopian_birr"^^xsd:anyURI ; + qudt:expression "\\(ETB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ethiopian_birr?oldid=493373507"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Ethiopian Birr"@en ; +. +cur:EUR + a qudt:CurrencyUnit ; + qudt:currencyCode "EUR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 978 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Euro"^^xsd:anyURI ; + qudt:expression "\\(EUR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Euro?oldid=495293446"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "€" ; + rdfs:isDefinedBy ; + rdfs:label "Euro"@en ; +. +cur:FJD + a qudt:CurrencyUnit ; + qudt:currencyCode "FJD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 242 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fijian_dollar"^^xsd:anyURI ; + qudt:expression "\\(FJD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fijian_dollar?oldid=494373740"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Fiji Dollar"@en ; +. +cur:FKP + a qudt:CurrencyUnit ; + qudt:currencyCode "FKP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 238 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Falkland_Islands_pound"^^xsd:anyURI ; + qudt:expression "\\(FKP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Falkland_Islands_pound?oldid=489513616"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Falkland Islands Pound"@en ; +. +cur:GBP + a qudt:CurrencyUnit ; + qudt:currencyCode "GBP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 826 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_sterling"^^xsd:anyURI ; + qudt:expression "\\(GBP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_sterling?oldid=495524329"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "£" ; + rdfs:isDefinedBy ; + rdfs:label "Pound Sterling"@en ; +. +cur:GEL + a qudt:CurrencyUnit ; + qudt:currencyCode "GEL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 981 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lari"^^xsd:anyURI ; + qudt:expression "\\(GEL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lari?oldid=486808394"^^xsd:anyURI ; + qudt:symbol "₾" ; + rdfs:isDefinedBy ; + rdfs:label "Lari"@en ; +. +cur:GHS + a qudt:CurrencyUnit ; + qudt:currencyCode "GHS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 936 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ghanaian_cedi"^^xsd:anyURI ; + qudt:expression "\\(GHS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ghanaian_cedi?oldid=415914569"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cedi"@en ; +. +cur:GIP + a qudt:CurrencyUnit ; + qudt:currencyCode "GIP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 292 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gibraltar_pound"^^xsd:anyURI ; + qudt:expression "\\(GIP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gibraltar_pound?oldid=494842600"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Gibraltar pound"@en ; +. +cur:GMD + a qudt:CurrencyUnit ; + qudt:currencyCode "GMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 270 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gambian_dalasi"^^xsd:anyURI ; + qudt:expression "\\(GMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gambian_dalasi?oldid=489522429"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Dalasi"@en ; +. +cur:GNF + a qudt:CurrencyUnit ; + qudt:currencyCode "GNF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 324 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guinean_franc"^^xsd:anyURI ; + qudt:expression "\\(GNF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guinean_franc?oldid=489527042"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Guinea Franc"@en ; +. +cur:GTQ + a qudt:CurrencyUnit ; + qudt:currencyCode "GTQ" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 320 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quetzal"^^xsd:anyURI ; + qudt:expression "\\(GTQ\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quetzal?oldid=489813522"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Quetzal"@en ; +. +cur:GYD + a qudt:CurrencyUnit ; + qudt:currencyCode "GYD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 328 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guyanese_dollar"^^xsd:anyURI ; + qudt:expression "\\(GYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guyanese_dollar?oldid=495070062"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Guyana Dollar"@en ; +. +cur:HKD + a qudt:CurrencyUnit ; + qudt:currencyCode "HKD" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 344 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hong_Kong_dollar"^^xsd:anyURI ; + qudt:expression "\\(HKD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hong_Kong_dollar?oldid=495133277"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Hong Kong Dollar"@en ; +. +cur:HNL + a qudt:CurrencyUnit ; + qudt:currencyCode "HNL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 340 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lempira"^^xsd:anyURI ; + qudt:expression "\\(HNL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lempira?oldid=389955747"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Lempira"@en ; +. +cur:HRK + a qudt:CurrencyUnit ; + qudt:currencyCode "HRK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 191 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Croatian_kuna"^^xsd:anyURI ; + qudt:expression "\\(HRK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Croatian_kuna?oldid=490959527"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Croatian Kuna"@en ; +. +cur:HTG + a qudt:CurrencyUnit ; + qudt:currencyCode "HTG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 332 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Haitian_gourde"^^xsd:anyURI ; + qudt:expression "\\(HTG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Haitian_gourde?oldid=486090975"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Haiti Gourde"@en ; +. +cur:HUF + a qudt:CurrencyUnit ; + qudt:currencyCode "HUF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 348 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hungarian_forint"^^xsd:anyURI ; + qudt:expression "\\(HUF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hungarian_forint?oldid=492818607"^^xsd:anyURI ; + qudt:symbol "Ft" ; + rdfs:isDefinedBy ; + rdfs:label "Forint"@en ; +. +cur:IDR + a qudt:CurrencyUnit ; + qudt:currencyCode "IDR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 360 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Indonesian_rupiah"^^xsd:anyURI ; + qudt:expression "\\(IDR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Indonesian_rupiah?oldid=489729458"^^xsd:anyURI ; + qudt:symbol "Rp" ; + rdfs:isDefinedBy ; + rdfs:label "Rupiah"@en ; +. +cur:ILS + a qudt:CurrencyUnit ; + qudt:currencyCode "ILS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 376 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Israeli_new_sheqel"^^xsd:anyURI ; + qudt:expression "\\(ILS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Israeli_new_sheqel?oldid=316213924"^^xsd:anyURI ; + qudt:symbol "₪" ; + rdfs:isDefinedBy ; + rdfs:label "New Israeli Shekel"@en ; +. +cur:INR + a qudt:CurrencyUnit ; + qudt:currencyCode "INR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 356 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Indian_rupee"^^xsd:anyURI ; + qudt:expression "\\(INR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Indian_rupee?oldid=495120167"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "₹" ; + rdfs:isDefinedBy ; + rdfs:label "Indian Rupee"@en ; +. +cur:IQD + a qudt:CurrencyUnit ; + qudt:currencyCode "IQD" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 368 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Iraqi_dinar"^^xsd:anyURI ; + qudt:expression "\\(IQD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Iraqi_dinar?oldid=494793908"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Iraqi Dinar"@en ; +. +cur:IRR + a qudt:CurrencyUnit ; + qudt:currencyCode "IRR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 364 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Iranian_rial"^^xsd:anyURI ; + qudt:expression "\\(IRR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Iranian_rial?oldid=495299431"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Iranian Rial"@en ; +. +cur:ISK + a qudt:CurrencyUnit ; + qudt:currencyCode "ISK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 352 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Icelandic_kr%C3%B3na"^^xsd:anyURI ; + qudt:expression "\\(ISK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Icelandic_króna?oldid=495457496"^^xsd:anyURI ; + qudt:symbol "kr" ; + rdfs:isDefinedBy ; + rdfs:label "Iceland Krona"@en ; +. +cur:JMD + a qudt:CurrencyUnit ; + qudt:currencyCode "JMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 388 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Jamaican_dollar"^^xsd:anyURI ; + qudt:expression "\\(JMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Jamaican_dollar?oldid=494039981"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Jamaican Dollar"@en ; +. +cur:JOD + a qudt:CurrencyUnit ; + qudt:currencyCode "JOD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 400 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Jordanian_dinar"^^xsd:anyURI ; + qudt:expression "\\(JOD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Jordanian_dinar?oldid=495270728"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Jordanian Dinar"@en ; +. +cur:JPY + a qudt:CurrencyUnit ; + qudt:currencyCode "JPY" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 392 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Japanese_yen"^^xsd:anyURI ; + qudt:expression "\\(JPY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Japanese_yen?oldid=493771966"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "¥" ; + rdfs:isDefinedBy ; + rdfs:label "Japanese yen"@en ; +. +cur:KES + a qudt:CurrencyUnit ; + qudt:currencyCode "KES" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 404 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kenyan_shilling"^^xsd:anyURI ; + qudt:expression "\\(KES\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kenyan_shilling?oldid=489547027"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kenyan Shilling"@en ; +. +cur:KGS + a qudt:CurrencyUnit ; + qudt:currencyCode "KGS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 417 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Som"^^xsd:anyURI ; + qudt:expression "\\(KGS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Som?oldid=495411674"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Som"@en ; +. +cur:KHR + a qudt:CurrencyUnit ; + qudt:currencyCode "KHR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 116 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Riel"^^xsd:anyURI ; + qudt:expression "\\(KHR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Riel?oldid=473309240"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Riel"@en ; +. +cur:KMF + a qudt:CurrencyUnit ; + qudt:currencyCode "KMF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 174 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Comorian_franc"^^xsd:anyURI ; + qudt:expression "\\(KMF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Comorian_franc?oldid=489502162"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Comoro Franc"@en ; +. +cur:KPW + a qudt:CurrencyUnit ; + qudt:currencyCode "KPW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 408 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/North_Korean_won"^^xsd:anyURI ; + qudt:expression "\\(KPW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/North_Korean_won?oldid=495081686"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "North Korean Won"@en ; +. +cur:KRW + a qudt:CurrencyUnit ; + qudt:currencyCode "KRW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 410 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/South_Korean_won"^^xsd:anyURI ; + qudt:expression "\\(KRW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/South_Korean_won?oldid=494404062"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "₩" ; + rdfs:isDefinedBy ; + rdfs:label "South Korean Won"@en ; +. +cur:KWD + a qudt:CurrencyUnit ; + qudt:currencyCode "KWD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 414 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kuwaiti_dinar"^^xsd:anyURI ; + qudt:expression "\\(KWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kuwaiti_dinar?oldid=489547428"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kuwaiti Dinar"@en ; +. +cur:KYD + a qudt:CurrencyUnit ; + qudt:currencyCode "KYD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 136 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cayman_Islands_dollar"^^xsd:anyURI ; + qudt:expression "\\(KYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cayman_Islands_dollar?oldid=494206112"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cayman Islands Dollar"@en ; +. +cur:KZT + a qudt:CurrencyUnit ; + qudt:currencyCode "KZT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 398 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kazakhstani_tenge"^^xsd:anyURI ; + qudt:expression "\\(KZT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kazakhstani_tenge?oldid=490523058"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Tenge"@en ; +. +cur:LAK + a qudt:CurrencyUnit ; + qudt:currencyCode "LAK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 418 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol " ₭" ; + rdfs:isDefinedBy ; + rdfs:label "Lao kip"@en ; +. +cur:LBP + a qudt:CurrencyUnit ; + qudt:currencyCode "LBP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 422 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lebanese_pound"^^xsd:anyURI ; + qudt:expression "\\(LBP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lebanese_pound?oldid=495528740"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Lebanese Pound"@en ; +. +cur:LKR + a qudt:CurrencyUnit ; + qudt:currencyCode "LKR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 144 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sri_Lankan_rupee"^^xsd:anyURI ; + qudt:expression "\\(LKR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sri_Lankan_rupee?oldid=495359963"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Sri Lanka Rupee"@en ; +. +cur:LRD + a qudt:CurrencyUnit ; + qudt:currencyCode "LRD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 430 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Liberian_dollar"^^xsd:anyURI ; + qudt:expression "\\(LRD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Liberian_dollar?oldid=489549110"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Liberian Dollar"@en ; +. +cur:LSL + a qudt:CurrencyUnit ; + qudt:currencyCode "LSL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 426 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Loti"^^xsd:anyURI ; + qudt:expression "\\(LSL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Loti?oldid=384534708"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Loti"@en ; +. +cur:LTL + a qudt:CurrencyUnit ; + qudt:currencyCode "LTL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 440 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lithuanian_litas"^^xsd:anyURI ; + qudt:expression "\\(LTL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lithuanian_litas?oldid=493046592"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Lithuanian Litas"@en ; +. +cur:LVL + a qudt:CurrencyUnit ; + qudt:currencyCode "LVL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 428 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Latvian_lats"^^xsd:anyURI ; + qudt:expression "\\(LVL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Latvian_lats?oldid=492800402"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Latvian Lats"@en ; +. +cur:LYD + a qudt:CurrencyUnit ; + qudt:currencyCode "LYD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 434 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Libyan_dinar"^^xsd:anyURI ; + qudt:expression "\\(LYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Libyan_dinar?oldid=491421981"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Libyan Dinar"@en ; +. +cur:MAD + a qudt:CurrencyUnit ; + qudt:currencyCode "MAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 504 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moroccan_dirham"^^xsd:anyURI ; + qudt:expression "\\(MAD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moroccan_dirham?oldid=490560557"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Moroccan Dirham"@en ; +. +cur:MDL + a qudt:CurrencyUnit ; + qudt:currencyCode "MDL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 498 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moldovan_leu"^^xsd:anyURI ; + qudt:expression "\\(MDL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moldovan_leu?oldid=490027766"^^xsd:anyURI ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Moldovan Leu"@en ; +. +cur:MGA + a qudt:CurrencyUnit ; + qudt:currencyCode "MGA" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 969 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Malagasy_ariary"^^xsd:anyURI ; + qudt:expression "\\(MGA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Malagasy_ariary?oldid=489551279"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Malagasy Ariary"@en ; +. +cur:MKD + a qudt:CurrencyUnit ; + qudt:currencyCode "MKD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 807 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Macedonian_denar"^^xsd:anyURI ; + qudt:expression "\\(MKD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Macedonian_denar?oldid=489550202"^^xsd:anyURI ; + qudt:symbol "ден" ; + rdfs:isDefinedBy ; + rdfs:label "Denar"@en ; +. +cur:MMK + a qudt:CurrencyUnit ; + qudt:currencyCode "MMK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 104 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Myanma_kyat"^^xsd:anyURI ; + qudt:expression "\\(MMK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Myanma_kyat?oldid=441109905"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kyat"@en ; +. +cur:MNT + a qudt:CurrencyUnit ; + qudt:currencyExponent 2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mongolian_t%C3%B6gr%C3%B6g"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mongolian_tögrög?oldid=495408271"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Mongolian Tugrik"@en ; +. +cur:MOP + a qudt:CurrencyUnit ; + qudt:currencyCode "MOP" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 446 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pataca"^^xsd:anyURI ; + qudt:expression "\\(MOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pataca?oldid=482490442"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Pataca"@en ; +. +cur:MRU + a qudt:CurrencyUnit ; + qudt:currencyCode "MRU" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 929 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritanian_ouguiya"^^xsd:anyURI ; + qudt:expression "\\(MRO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritanian_ouguiya?oldid=490027072"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Ouguiya"@en ; +. +cur:MTL + a qudt:CurrencyUnit ; + qudt:currencyCode "MTL" ; + qudt:currencyNumber 470 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maltese_lira"^^xsd:anyURI ; + qudt:expression "\\(MTL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maltese_lira?oldid=493810797"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Maltese Lira"@en ; +. +cur:MUR + a qudt:CurrencyUnit ; + qudt:currencyCode "MUR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 480 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritian_rupee"^^xsd:anyURI ; + qudt:expression "\\(MUR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritian_rupee?oldid=487629200"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Mauritius Rupee"@en ; +. +cur:MVR + a qudt:CurrencyUnit ; + qudt:currencyCode "MVR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 462 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maldivian_rufiyaa"^^xsd:anyURI ; + qudt:expression "\\(MVR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maldivian_rufiyaa?oldid=491578728"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Rufiyaa"@en ; +. +cur:MWK + a qudt:CurrencyUnit ; + qudt:currencyCode "MWK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 454 ; + qudt:expression "\\(MWK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Malawi Kwacha"@en ; +. +cur:MXN + a qudt:CurrencyUnit ; + qudt:currencyCode "MXN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 484 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mexican_peso"^^xsd:anyURI ; + qudt:expression "\\(MXN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mexican_peso?oldid=494829813"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Mexican Peso"@en ; +. +cur:MXV + a qudt:CurrencyUnit ; + qudt:currencyCode "MXV" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 979 ; + qudt:expression "\\(MXV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Mexican Unidad de Inversion (UDI) (Funds code)"@en ; +. +cur:MYR + a qudt:CurrencyUnit ; + qudt:currencyCode "MYR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 458 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Malaysian_ringgit"^^xsd:anyURI ; + qudt:expression "\\(MYR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Malaysian_ringgit?oldid=494417091"^^xsd:anyURI ; + qudt:symbol "RM" ; + rdfs:isDefinedBy ; + rdfs:label "Malaysian Ringgit"@en ; +. +cur:MZN + a qudt:CurrencyUnit ; + qudt:currencyCode "MZN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 943 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mozambican_metical"^^xsd:anyURI ; + qudt:expression "\\(MZN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mozambican_metical?oldid=488225670"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Metical"@en ; +. +cur:MegaUSD + a qudt:CurrencyUnit ; + a qudt:DerivedUnit ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Million US Dollars"@en ; +. +cur:NAD + a qudt:CurrencyUnit ; + qudt:currencyCode "NAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 516 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Namibian_dollar"^^xsd:anyURI ; + qudt:expression "\\(NAD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Namibian_dollar?oldid=495250023"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Namibian Dollar"@en ; +. +cur:NGN + a qudt:CurrencyUnit ; + qudt:currencyCode "NGN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 566 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nigerian_naira"^^xsd:anyURI ; + qudt:expression "\\(NGN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nigerian_naira?oldid=493462003"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Naira"@en ; +. +cur:NIO + a qudt:CurrencyUnit ; + qudt:currencyCode "NIO" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 558 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nicaraguan_c%C3%B3rdoba"^^xsd:anyURI ; + qudt:expression "\\(NIO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nicaraguan_córdoba?oldid=486140595"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Cordoba Oro"@en ; +. +cur:NOK + a qudt:CurrencyUnit ; + qudt:currencyCode "NOK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 578 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Norwegian_krone"^^xsd:anyURI ; + qudt:expression "\\(NOK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Norwegian_krone?oldid=495283934"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kr" ; + rdfs:isDefinedBy ; + rdfs:label "Norwegian Krone"@en ; +. +cur:NPR + a qudt:CurrencyUnit ; + qudt:currencyCode "NPR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 524 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nepalese_rupee"^^xsd:anyURI ; + qudt:expression "\\(NPR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nepalese_rupee?oldid=476894226"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Nepalese Rupee"@en ; +. +cur:NZD + a qudt:CurrencyUnit ; + qudt:currencyCode "NZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 554 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/New_Zealand_dollar"^^xsd:anyURI ; + qudt:expression "\\(NZD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/New_Zealand_dollar?oldid=495487722"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "New Zealand Dollar"@en ; +. +cur:OMR + a qudt:CurrencyUnit ; + qudt:currencyCode "OMR" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 512 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Omani_rial"^^xsd:anyURI ; + qudt:expression "\\(OMR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Omani_rial?oldid=491748879"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Rial Omani"@en ; +. +cur:PAB + a qudt:CurrencyUnit ; + qudt:currencyCode "PAB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 590 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Balboa"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Balboa?oldid=482550791"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Balboa"@en ; +. +cur:PEN + a qudt:CurrencyUnit ; + qudt:currencyCode "PEN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 604 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Peruvian_nuevo_sol"^^xsd:anyURI ; + qudt:expression "\\(PEN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Peruvian_nuevo_sol?oldid=494237249"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Nuevo Sol"@en ; +. +cur:PGK + a qudt:CurrencyUnit ; + qudt:currencyCode "PGK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 598 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kina"^^xsd:anyURI ; + qudt:expression "\\(PGK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kina?oldid=477155361"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Kina"@en ; +. +cur:PHP + a qudt:CurrencyUnit ; + qudt:currencyCode "PHP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 608 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Philippine_peso"^^xsd:anyURI ; + qudt:expression "\\(PHP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Philippine_peso?oldid=495411811"^^xsd:anyURI ; + qudt:symbol "₱" ; + rdfs:isDefinedBy ; + rdfs:label "Philippine Peso"@en ; +. +cur:PKR + a qudt:CurrencyUnit ; + qudt:currencyCode "PKR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 586 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pakistani_rupee"^^xsd:anyURI ; + qudt:expression "\\(PKR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pakistani_rupee?oldid=494937873"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Pakistan Rupee"@en ; +. +cur:PLN + a qudt:CurrencyUnit ; + qudt:currencyCode "PLN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 985 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Polish_z%C5%82oty"^^xsd:anyURI ; + qudt:expression "\\(PLN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Polish_złoty?oldid=492697733"^^xsd:anyURI ; + qudt:symbol "zł" ; + rdfs:isDefinedBy ; + rdfs:label "Zloty"@en ; +. +cur:PYG + a qudt:CurrencyUnit ; + qudt:currencyCode "PYG" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 600 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guaran%C3%AD"^^xsd:anyURI ; + qudt:expression "\\(PYG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guaraní?oldid=412592698"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Guarani"@en ; +. +cur:QAR + a qudt:CurrencyUnit ; + qudt:currencyCode "QAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 634 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Qatari_riyal"^^xsd:anyURI ; + qudt:expression "\\(QAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Qatari_riyal?oldid=491747452"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Qatari Rial"@en ; +. +cur:RON + a qudt:CurrencyUnit ; + qudt:currencyCode "RON" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 946 ; + qudt:expression "\\(RON\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:label "Romanian New Leu"@en ; +. +cur:RSD + a qudt:CurrencyUnit ; + qudt:currencyCode "RSD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 941 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Serbian_dinar"^^xsd:anyURI ; + qudt:expression "\\(RSD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Serbian_dinar?oldid=495146650"^^xsd:anyURI ; + qudt:symbol "дин" ; + rdfs:isDefinedBy ; + rdfs:label "Serbian Dinar"@en ; +. +cur:RUB + a qudt:CurrencyUnit ; + qudt:currencyCode "RUB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 643 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Russian_ruble"^^xsd:anyURI ; + qudt:expression "\\(RUB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Russian_ruble?oldid=494336467"^^xsd:anyURI ; + qudt:symbol "₽" ; + rdfs:isDefinedBy ; + rdfs:label "Russian Ruble"@en ; +. +cur:RWF + a qudt:CurrencyUnit ; + qudt:currencyCode "RWF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 646 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rwandan_franc"^^xsd:anyURI ; + qudt:expression "\\(RWF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rwandan_franc?oldid=489727903"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Rwanda Franc"@en ; +. +cur:SAR + a qudt:CurrencyUnit ; + qudt:currencyCode "SAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 682 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Saudi_riyal"^^xsd:anyURI ; + qudt:expression "\\(SAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Saudi_riyal?oldid=491092981"^^xsd:anyURI ; + qudt:symbol "﷼" ; + rdfs:isDefinedBy ; + rdfs:label "Saudi Riyal"@en ; +. +cur:SBD + a qudt:CurrencyUnit ; + qudt:currencyCode "SBD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 090 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solomon_Islands_dollar"^^xsd:anyURI ; + qudt:expression "\\(SBD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Solomon_Islands_dollar?oldid=490313285"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Solomon Islands Dollar"@en ; +. +cur:SCR + a qudt:CurrencyUnit ; + qudt:currencyCode "SCR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 690 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Seychellois_rupee"^^xsd:anyURI ; + qudt:expression "\\(SCR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Seychellois_rupee?oldid=492242185"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Seychelles Rupee"@en ; +. +cur:SDG + a qudt:CurrencyUnit ; + qudt:currencyCode "SDG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 938 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sudanese_pound"^^xsd:anyURI ; + qudt:expression "\\(SDG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sudanese_pound?oldid=495263707"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Sudanese Pound"@en ; +. +cur:SEK + a qudt:CurrencyUnit ; + qudt:currencyCode "SEK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 752 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swedish_krona"^^xsd:anyURI ; + qudt:expression "\\(SEK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swedish_krona?oldid=492703602"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kr" ; + rdfs:isDefinedBy ; + rdfs:label "Swedish Krona"@en ; +. +cur:SGD + a qudt:CurrencyUnit ; + qudt:currencyCode "SGD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 702 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Singapore_dollar"^^xsd:anyURI ; + qudt:expression "\\(SGD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Singapore_dollar?oldid=492228311"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "Singapore Dollar"@en ; +. +cur:SHP + a qudt:CurrencyUnit ; + qudt:currencyCode "SHP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 654 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Saint_Helena_pound"^^xsd:anyURI ; + qudt:expression "\\(SHP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Saint_Helena_pound?oldid=490152057"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Saint Helena Pound"@en ; +. +cur:SKK + a qudt:CurrencyUnit ; + qudt:currencyCode "SKK" ; + qudt:currencyNumber 703 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Slovak_koruna"^^xsd:anyURI ; + qudt:expression "\\(SKK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Slovak_koruna?oldid=492625951"^^xsd:anyURI ; + qudt:symbol "Sk" ; + rdfs:isDefinedBy ; + rdfs:label "Slovak Koruna"@en ; +. +cur:SLE + a qudt:CurrencyUnit ; + qudt:currencyCode "SLE" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 925 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sierra_Leonean_leone"^^xsd:anyURI ; + qudt:expression "\\(SLL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sierra_Leonean_leone?oldid=493517965"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Leone"@en ; +. +cur:SOS + a qudt:CurrencyUnit ; + qudt:currencyCode "SOS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 706 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Somali_shilling"^^xsd:anyURI ; + qudt:expression "\\(SOS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Somali_shilling?oldid=494434126"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Somali Shilling"@en ; +. +cur:SRD + a qudt:CurrencyUnit ; + qudt:currencyCode "SRD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 968 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Surinamese_dollar"^^xsd:anyURI ; + qudt:expression "\\(SRD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Surinamese_dollar?oldid=490316270"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Surinam Dollar"@en ; +. +cur:STN + a qudt:CurrencyUnit ; + qudt:currencyCode "STN" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 930 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dobra"^^xsd:anyURI ; + qudt:expression "\\(STD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dobra?oldid=475725328"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Dobra"@en ; +. +cur:SYP + a qudt:CurrencyUnit ; + qudt:currencyCode "SYP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 760 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Syrian_pound"^^xsd:anyURI ; + qudt:expression "\\(SYP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Syrian_pound?oldid=484294722"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Syrian Pound"@en ; +. +cur:SZL + a qudt:CurrencyUnit ; + qudt:currencyCode "SZL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 748 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swazi_lilangeni"^^xsd:anyURI ; + qudt:expression "\\(SZL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swazi_lilangeni?oldid=490323340"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Lilangeni"@en ; +. +cur:THB + a qudt:CurrencyUnit ; + qudt:currencyCode "THB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 764 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thai_baht"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thai_baht?oldid=493286022"^^xsd:anyURI ; + qudt:symbol "฿" ; + rdfs:isDefinedBy ; + rdfs:label "Baht"@en ; +. +cur:TJS + a qudt:CurrencyUnit ; + qudt:currencyCode "TJS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 972 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tajikistani_somoni"^^xsd:anyURI ; + qudt:expression "\\(TJS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tajikistani_somoni?oldid=492500781"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Somoni"@en ; +. +cur:TMT + a qudt:CurrencyUnit ; + qudt:currencyCode "TMT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 934 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Manat"^^xsd:anyURI ; + qudt:expression "\\(TMM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Manat?oldid=486967490"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Manat"@en ; +. +cur:TND + a qudt:CurrencyUnit ; + qudt:currencyCode "TND" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 788 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tunisian_dinar"^^xsd:anyURI ; + qudt:expression "\\(TND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tunisian_dinar?oldid=491218035"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Tunisian Dinar"@en ; +. +cur:TOP + a qudt:CurrencyUnit ; + qudt:currencyCode "TOP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 776 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tongan_pa%CA%BBanga"^^xsd:anyURI ; + qudt:expression "\\(TOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tongan_paʻanga?oldid=482738012"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Pa'anga"@en ; +. +cur:TRY + a qudt:CurrencyUnit ; + qudt:currencyCode "TRY" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 949 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Turkish_lira"^^xsd:anyURI ; + qudt:expression "\\(TRY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Turkish_lira?oldid=494097764"^^xsd:anyURI ; + qudt:symbol "₺" ; + rdfs:isDefinedBy ; + rdfs:label "New Turkish Lira"@en ; +. +cur:TTD + a qudt:CurrencyUnit ; + qudt:currencyCode "TTD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 780 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Trinidad_and_Tobago_dollar"^^xsd:anyURI ; + qudt:expression "\\(TTD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Trinidad_and_Tobago_dollar?oldid=490325306"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Trinidad and Tobago Dollar"@en ; +. +cur:TWD + a qudt:CurrencyUnit ; + qudt:currencyCode "TWD" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 901 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/New_Taiwan_dollar"^^xsd:anyURI ; + qudt:expression "\\(TWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/New_Taiwan_dollar?oldid=493996933"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy ; + rdfs:label "New Taiwan Dollar"@en ; +. +cur:TZS + a qudt:CurrencyUnit ; + qudt:currencyCode "TZS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 834 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tanzanian_shilling"^^xsd:anyURI ; + qudt:expression "\\(TZS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tanzanian_shilling?oldid=492257527"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Tanzanian Shilling"@en ; +. +cur:UAH + a qudt:CurrencyUnit ; + qudt:currencyCode "UAH" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 980 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ukrainian_hryvnia"^^xsd:anyURI ; + qudt:expression "\\(UAH\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ukrainian_hryvnia?oldid=493064633"^^xsd:anyURI ; + qudt:symbol "₴" ; + rdfs:isDefinedBy ; + rdfs:label "Hryvnia"@en ; +. +cur:UGX + a qudt:CurrencyUnit ; + qudt:currencyCode "UGX" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 800 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ugandan_shilling"^^xsd:anyURI ; + qudt:expression "\\(UGX\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ugandan_shilling?oldid=495383966"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Uganda Shilling"@en ; +. +cur:USD + a qudt:CurrencyUnit ; + qudt:currencyCode "USD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 840 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "$" ; + qudt:symbol "US$" ; + rdfs:isDefinedBy ; + rdfs:label "US Dollar"@en ; +. +cur:USN + a qudt:CurrencyUnit ; + qudt:currencyCode "USN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 997 ; + qudt:expression "\\(USN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "United States Dollar (next day) (funds code)"@en ; +. +cur:USS + a qudt:CurrencyUnit ; + qudt:currencyCode "USS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 998 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "United States Dollar (same day) (funds code)"@en ; +. +cur:UYU + a qudt:CurrencyUnit ; + qudt:currencyCode "UYU" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 858 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Uruguayan_peso"^^xsd:anyURI ; + qudt:expression "\\(UYU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Uruguayan_peso?oldid=487528781"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Peso Uruguayo"@en ; +. +cur:UZS + a qudt:CurrencyUnit ; + qudt:currencyCode "UZS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 860 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Uzbekistani_som"^^xsd:anyURI ; + qudt:expression "\\(UZS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Uzbekistani_som?oldid=490522228"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Uzbekistan Som"@en ; +. +cur:VES + a qudt:CurrencyUnit ; + qudt:currencyCode "VES" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 928 ; + qudt:expression "\\(VEB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Venezuelan bolvar"@en ; +. +cur:VND + a qudt:CurrencyUnit ; + qudt:currencyCode "VND" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 704 ; + qudt:expression "\\(VND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Vietnamese ??ng"@en ; +. +cur:VUV + a qudt:CurrencyUnit ; + qudt:currencyCode "VUV" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 548 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vanuatu_vatu"^^xsd:anyURI ; + qudt:expression "\\(VUV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Vanuatu_vatu?oldid=494667103"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Vatu"@en ; +. +cur:WST + a qudt:CurrencyUnit ; + qudt:currencyCode "WST" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 882 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Samoan_tala"^^xsd:anyURI ; + qudt:expression "\\(WST\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Samoan_tala?oldid=423898531"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Samoan Tala"@en ; +. +cur:XAF + a qudt:CurrencyUnit ; + qudt:currencyCode "XAF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 950 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "CFA Franc BEAC"@en ; +. +cur:XAG + a qudt:CurrencyUnit ; + qudt:currencyCode "XAG" ; + qudt:currencyNumber 961 ; + qudt:expression "\\(XAG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Ag}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Silver (one Troy ounce)"@en ; +. +cur:XAU + a qudt:CurrencyUnit ; + qudt:currencyCode "XAU" ; + qudt:currencyNumber 959 ; + qudt:expression "\\(XAU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Au}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Gold (one Troy ounce)"@en ; +. +cur:XBA + a qudt:CurrencyUnit ; + qudt:currencyCode "XBA" ; + qudt:currencyNumber 955 ; + qudt:expression "\\(XBA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "European Composite Unit (EURCO) (Bonds market unit)"@en ; +. +cur:XBB + a qudt:CurrencyUnit ; + qudt:currencyCode "XBB" ; + qudt:currencyNumber 956 ; + qudt:expression "\\(XBB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "European Monetary Unit (E.M.U.-6) (Bonds market unit)"@en ; +. +cur:XBC + a qudt:CurrencyUnit ; + qudt:currencyCode "XBC" ; + qudt:currencyNumber 957 ; + qudt:expression "\\(XBC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "European Unit of Account 9 (E.U.A.-9) (Bonds market unit)"@en ; +. +cur:XBD + a qudt:CurrencyUnit ; + qudt:currencyCode "XBD" ; + qudt:currencyNumber 958 ; + qudt:expression "\\(XBD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "European Unit of Account 17 (E.U.A.-17) (Bonds market unit)"@en ; +. +cur:XCD + a qudt:CurrencyUnit ; + qudt:currencyCode "XCD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 951 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/East_Caribbean_dollar"^^xsd:anyURI ; + qudt:expression "\\(XCD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/East_Caribbean_dollar?oldid=493020176"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "East Caribbean Dollar"@en ; +. +cur:XDR + a qudt:CurrencyUnit ; + qudt:currencyCode "XDR" ; + qudt:currencyNumber 960 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Special_Drawing_Rights"^^xsd:anyURI ; + qudt:expression "\\(XDR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Special_Drawing_Rights?oldid=467224374"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Special Drawing Rights"@en ; +. +cur:XFO + a qudt:CurrencyUnit ; + qudt:currencyCode "XFO" ; + qudt:expression "\\(XFO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "Gold franc (special settlement currency)"@en ; +. +cur:XFU + a qudt:CurrencyUnit ; + qudt:currencyCode "XFU" ; + qudt:expression "\\(XFU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "UIC franc (special settlement currency)"@en ; +. +cur:XOF + a qudt:CurrencyUnit ; + qudt:currencyCode "XOF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 952 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "CFA Franc BCEAO"@en ; +. +cur:XPD + a qudt:CurrencyUnit ; + qudt:currencyCode "XPD" ; + qudt:currencyNumber 964 ; + qudt:expression "\\(XPD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Pd}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Palladium (one Troy ounce)"@en ; +. +cur:XPF + a qudt:CurrencyUnit ; + qudt:currencyCode "XPF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 953 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy ; + rdfs:label "CFP franc"@en ; +. +cur:XPT + a qudt:CurrencyUnit ; + qudt:currencyCode "XPT" ; + qudt:currencyNumber 962 ; + qudt:expression "\\(XPT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Pt}"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:label "Platinum (one Troy ounce)"@en ; +. +cur:YER + a qudt:CurrencyUnit ; + qudt:currencyCode "YER" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 886 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yemeni_rial"^^xsd:anyURI ; + qudt:expression "\\(YER\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yemeni_rial?oldid=494507603"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Yemeni Rial"@en ; +. +cur:ZAR + a qudt:CurrencyUnit ; + qudt:currencyCode "ZAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 710 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/South_African_rand"^^xsd:anyURI ; + qudt:expression "\\(ZAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/South_African_rand?oldid=493780395"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:label "South African Rand"@en ; +. +cur:ZMW + a qudt:CurrencyUnit ; + qudt:currencyCode "ZMW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 967 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zambian_kwacha"^^xsd:anyURI ; + qudt:expression "\\(ZMK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zambian_kwacha?oldid=490328608"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Zambian Kwacha"@en ; +. +cur:ZWL + a qudt:CurrencyUnit ; + qudt:currencyCode "ZWL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 932 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zimbabwean_dollar"^^xsd:anyURI ; + qudt:expression "\\(ZWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zimbabwean_dollar?oldid=491532675"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:label "Zimbabwe Dollar"@en ; +. +quantitykind:Currency + a qudt:QuantityKind ; + qudt:applicableUnit cur:AED ; + qudt:applicableUnit cur:AFN ; + qudt:applicableUnit cur:ALL ; + qudt:applicableUnit cur:AMD ; + qudt:applicableUnit cur:ANG ; + qudt:applicableUnit cur:AOA ; + qudt:applicableUnit cur:ARS ; + qudt:applicableUnit cur:AUD ; + qudt:applicableUnit cur:AWG ; + qudt:applicableUnit cur:AZN ; + qudt:applicableUnit cur:BAM ; + qudt:applicableUnit cur:BBD ; + qudt:applicableUnit cur:BDT ; + qudt:applicableUnit cur:BGN ; + qudt:applicableUnit cur:BHD ; + qudt:applicableUnit cur:BIF ; + qudt:applicableUnit cur:BMD ; + qudt:applicableUnit cur:BND ; + qudt:applicableUnit cur:BOB ; + qudt:applicableUnit cur:BOV ; + qudt:applicableUnit cur:BRL ; + qudt:applicableUnit cur:BSD ; + qudt:applicableUnit cur:BTN ; + qudt:applicableUnit cur:BWP ; + qudt:applicableUnit cur:BYN ; + qudt:applicableUnit cur:BZD ; + qudt:applicableUnit cur:CAD ; + qudt:applicableUnit cur:CDF ; + qudt:applicableUnit cur:CHE ; + qudt:applicableUnit cur:CHF ; + qudt:applicableUnit cur:CHW ; + qudt:applicableUnit cur:CLF ; + qudt:applicableUnit cur:CLP ; + qudt:applicableUnit cur:CNY ; + qudt:applicableUnit cur:COP ; + qudt:applicableUnit cur:COU ; + qudt:applicableUnit cur:CRC ; + qudt:applicableUnit cur:CUP ; + qudt:applicableUnit cur:CVE ; + qudt:applicableUnit cur:CYP ; + qudt:applicableUnit cur:CZK ; + qudt:applicableUnit cur:DJF ; + qudt:applicableUnit cur:DKK ; + qudt:applicableUnit cur:DOP ; + qudt:applicableUnit cur:DZD ; + qudt:applicableUnit cur:EEK ; + qudt:applicableUnit cur:EGP ; + qudt:applicableUnit cur:ERN ; + qudt:applicableUnit cur:ETB ; + qudt:applicableUnit cur:EUR ; + qudt:applicableUnit cur:FJD ; + qudt:applicableUnit cur:FKP ; + qudt:applicableUnit cur:GBP ; + qudt:applicableUnit cur:GEL ; + qudt:applicableUnit cur:GHS ; + qudt:applicableUnit cur:GIP ; + qudt:applicableUnit cur:GMD ; + qudt:applicableUnit cur:GNF ; + qudt:applicableUnit cur:GTQ ; + qudt:applicableUnit cur:GYD ; + qudt:applicableUnit cur:HKD ; + qudt:applicableUnit cur:HNL ; + qudt:applicableUnit cur:HRK ; + qudt:applicableUnit cur:HTG ; + qudt:applicableUnit cur:HUF ; + qudt:applicableUnit cur:IDR ; + qudt:applicableUnit cur:ILS ; + qudt:applicableUnit cur:INR ; + qudt:applicableUnit cur:IQD ; + qudt:applicableUnit cur:IRR ; + qudt:applicableUnit cur:ISK ; + qudt:applicableUnit cur:JMD ; + qudt:applicableUnit cur:JOD ; + qudt:applicableUnit cur:JPY ; + qudt:applicableUnit cur:KES ; + qudt:applicableUnit cur:KGS ; + qudt:applicableUnit cur:KHR ; + qudt:applicableUnit cur:KMF ; + qudt:applicableUnit cur:KPW ; + qudt:applicableUnit cur:KRW ; + qudt:applicableUnit cur:KWD ; + qudt:applicableUnit cur:KYD ; + qudt:applicableUnit cur:KZT ; + qudt:applicableUnit cur:LAK ; + qudt:applicableUnit cur:LBP ; + qudt:applicableUnit cur:LKR ; + qudt:applicableUnit cur:LRD ; + qudt:applicableUnit cur:LSL ; + qudt:applicableUnit cur:LTL ; + qudt:applicableUnit cur:LVL ; + qudt:applicableUnit cur:LYD ; + qudt:applicableUnit cur:MAD ; + qudt:applicableUnit cur:MDL ; + qudt:applicableUnit cur:MGA ; + qudt:applicableUnit cur:MKD ; + qudt:applicableUnit cur:MMK ; + qudt:applicableUnit cur:MNT ; + qudt:applicableUnit cur:MOP ; + qudt:applicableUnit cur:MRU ; + qudt:applicableUnit cur:MTL ; + qudt:applicableUnit cur:MUR ; + qudt:applicableUnit cur:MVR ; + qudt:applicableUnit cur:MWK ; + qudt:applicableUnit cur:MXN ; + qudt:applicableUnit cur:MXV ; + qudt:applicableUnit cur:MYR ; + qudt:applicableUnit cur:MZN ; + qudt:applicableUnit cur:MegaUSD ; + qudt:applicableUnit cur:NAD ; + qudt:applicableUnit cur:NGN ; + qudt:applicableUnit cur:NIO ; + qudt:applicableUnit cur:NOK ; + qudt:applicableUnit cur:NPR ; + qudt:applicableUnit cur:NZD ; + qudt:applicableUnit cur:OMR ; + qudt:applicableUnit cur:PAB ; + qudt:applicableUnit cur:PEN ; + qudt:applicableUnit cur:PGK ; + qudt:applicableUnit cur:PHP ; + qudt:applicableUnit cur:PKR ; + qudt:applicableUnit cur:PLN ; + qudt:applicableUnit cur:PYG ; + qudt:applicableUnit cur:QAR ; + qudt:applicableUnit cur:RON ; + qudt:applicableUnit cur:RSD ; + qudt:applicableUnit cur:RUB ; + qudt:applicableUnit cur:RWF ; + qudt:applicableUnit cur:SAR ; + qudt:applicableUnit cur:SBD ; + qudt:applicableUnit cur:SCR ; + qudt:applicableUnit cur:SDG ; + qudt:applicableUnit cur:SEK ; + qudt:applicableUnit cur:SGD ; + qudt:applicableUnit cur:SHP ; + qudt:applicableUnit cur:SKK ; + qudt:applicableUnit cur:SLE ; + qudt:applicableUnit cur:SOS ; + qudt:applicableUnit cur:SRD ; + qudt:applicableUnit cur:STN ; + qudt:applicableUnit cur:SYP ; + qudt:applicableUnit cur:SZL ; + qudt:applicableUnit cur:THB ; + qudt:applicableUnit cur:TJS ; + qudt:applicableUnit cur:TMT ; + qudt:applicableUnit cur:TND ; + qudt:applicableUnit cur:TOP ; + qudt:applicableUnit cur:TRY ; + qudt:applicableUnit cur:TTD ; + qudt:applicableUnit cur:TWD ; + qudt:applicableUnit cur:TZS ; + qudt:applicableUnit cur:UAH ; + qudt:applicableUnit cur:UGX ; + qudt:applicableUnit cur:USD ; + qudt:applicableUnit cur:USN ; + qudt:applicableUnit cur:USS ; + qudt:applicableUnit cur:UYU ; + qudt:applicableUnit cur:UZS ; + qudt:applicableUnit cur:VES ; + qudt:applicableUnit cur:VND ; + qudt:applicableUnit cur:VUV ; + qudt:applicableUnit cur:WST ; + qudt:applicableUnit cur:XAF ; + qudt:applicableUnit cur:XAG ; + qudt:applicableUnit cur:XAU ; + qudt:applicableUnit cur:XBA ; + qudt:applicableUnit cur:XBB ; + qudt:applicableUnit cur:XBC ; + qudt:applicableUnit cur:XBD ; + qudt:applicableUnit cur:XCD ; + qudt:applicableUnit cur:XDR ; + qudt:applicableUnit cur:XFO ; + qudt:applicableUnit cur:XFU ; + qudt:applicableUnit cur:XOF ; + qudt:applicableUnit cur:XPD ; + qudt:applicableUnit cur:XPF ; + qudt:applicableUnit cur:XPT ; + qudt:applicableUnit cur:YER ; + qudt:applicableUnit cur:ZAR ; + qudt:applicableUnit cur:ZMW ; + qudt:applicableUnit cur:ZWL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Currency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Currency"^^xsd:anyURI ; + qudt:plainTextDescription "In economics, currency is a generally accepted medium of exchange. These are usually the coins and banknotes of a particular government, which comprise the physical aspects of a nation's money supply. The other part of a nation's money supply consists of bank deposits (sometimes called deposit money), ownership of which can be transferred by means of cheques, debit cards, or other forms of money transfer. Deposit money and currency are money in the sense that both are acceptable as a means of payment." ; + rdfs:isDefinedBy ; + rdfs:label "Currency"@en ; + skos:broader quantitykind:Asset ; +. +voag:QUDT-CURRENCY-UNITS-VocabCatalogEntry + a vaem:CatalogEntry ; + rdfs:isDefinedBy ; + rdfs:label "QUDT CURRENCY UNITS Vocab Catalog Entry" ; +. +vaem:GMD_QUDT-UNITS-CURRENCY + a vaem:GraphMetaData ; + dcterms:contributor "Jack Hodges" ; + dcterms:contributor "Simon J D Cox" ; + dcterms:contributor "Steve Ray" ; + dcterms:created "2023-03-14"^^xsd:date ; + dcterms:creator "Steve Ray" ; + dcterms:modified "2023-10-19T11:34:33.041-04:00"^^xsd:dateTime ; + dcterms:rights """ + This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. + +THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. + """ ; + dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; + dcterms:subject "Units-Currency" ; + dcterms:title "Currency UNITS Version 2.1 Vocabulary" ; + vaem:description "Standard units of measure for currency units." ; + vaem:graphName "qudt" ; + vaem:graphTitle "QUDT Currency Units Version 2.1.32" ; + vaem:hasGraphRole vaem:VocabularyGraph ; + vaem:hasOwner ; + vaem:hasSteward ; + vaem:intent "To provide a vocabulary of currency units." ; + vaem:isMetadataFor ; + vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-UNITS-CURRENCY-v2.1.html"^^xsd:anyURI ; + vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; + vaem:namespace "http://qudt.org/vocab/currency/"^^xsd:anyURI ; + vaem:namespacePrefix "cur" ; + vaem:owner "QUDT.org" ; + vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-UNITS-CURRENCY-v2.1.html"^^xsd:anyURI ; + vaem:revision "2.1" ; + vaem:turtleFileURL "http://qudt.org/2.1/vocab/currency"^^xsd:anyURI ; + vaem:usesNonImportedResource dcterms:abstract ; + vaem:usesNonImportedResource dcterms:created ; + vaem:usesNonImportedResource dcterms:creator ; + vaem:usesNonImportedResource dcterms:modified ; + vaem:usesNonImportedResource dcterms:title ; + rdfs:isDefinedBy ; + rdfs:label "QUDT Currency Unit Vocabulary Metadata Version 2.1.32" ; +. From 85cf110539c8ad082884882ce2b6c4d5fe15cc55 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Dec 2023 12:58:48 -0700 Subject: [PATCH 09/61] update templates --- .../223p/nrel-templates/connections.yml | 69 +++-- .../ashrae/223p/nrel-templates/devices.yml | 263 +++++++++++++++++- .../ashrae/223p/nrel-templates/properties.yml | 222 ++++++++++++++- .../ashrae/223p/nrel-templates/spaces.yml | 60 ++-- .../ashrae/223p/nrel-templates/systems.yml | 251 ++++++++++++++--- 5 files changed, 778 insertions(+), 87 deletions(-) diff --git a/libraries/ashrae/223p/nrel-templates/connections.yml b/libraries/ashrae/223p/nrel-templates/connections.yml index 7d2023ba4..1ea525c40 100644 --- a/libraries/ashrae/223p/nrel-templates/connections.yml +++ b/libraries/ashrae/223p/nrel-templates/connections.yml @@ -48,7 +48,7 @@ duct: @prefix s223: . P:name a s223:Duct ; s223:hasMedium s223:Medium-Air ; - s223:connectsAt P:a, P:b . + s223:cnx P:a, P:b . # issue here is that 'connectsAt' requires a,b to be conn points # but we can't instantiate that class directly *and* being a conn point # involves other properties that must be included (e.g. hasmedium). @@ -56,24 +56,55 @@ duct: # P:a a s223:ConnectionPoint . # P:b a s223:ConnectionPoint . -zone-air-inlet-cp: +junction: body: > @prefix P: . @prefix s223: . - P:name a s223:InletZoneConnectionPoint ; - s223:mapsTo P:mapsto ; - s223:hasMedium s223:Medium-Air . - P:mapsto a s223:InletConnectionPoint ; - s223:hasMedium s223:Medium-Air . - optional: ["mapsto"] - -zone-air-outlet-cp: - body: > - @prefix P: . - @prefix s223: . - P:name a s223:OutletZoneConnectionPoint ; - s223:mapsTo P:mapsto ; - s223:hasMedium s223:Medium-Air . - P:mapsto a s223:OutletConnectionPoint ; - s223:hasMedium s223:Medium-Air . - optional: ["mapsto"] + P:name a s223:Junction ; + s223:hasMedium s223:Medium-Air ; + s223:cnx P:in1, P:in2, P:out1, P:out2, P:out3, P:out4, P:out5, P:out6, P:out7, + P:out8, P:out9, P:out10, P:out11, P:out12, P:out13, P:out14, P:out15, P:out16 . + optional: ["in2","in3","in4","in5","out2", "out3", "out4", "out5", "out6", "out7", "out8", "out9","out10","out11","out12","out13","out14","out15", "out16"] + dependencies: + - template: air-inlet-cp + args: {"name": "in1"} + - template: air-inlet-cp + args: {"name": "in2"} + - template: air-inlet-cp + args: {"name": "in3"} + - template: air-inlet-cp + args: {"name": "in4"} + - template: air-inlet-cp + args: {"name": "in5"} + - template: air-outlet-cp + args: {"name": "out1"} + - template: air-outlet-cp + args: {"name": "out2"} + - template: air-outlet-cp + args: {"name": "out3"} + - template: air-outlet-cp + args: {"name": "out4"} + - template: air-outlet-cp + args: {"name": "out5"} + - template: air-outlet-cp + args: {"name": "out6"} + - template: air-outlet-cp + args: {"name": "out7"} + - template: air-outlet-cp + args: {"name": "out8"} + - template: air-outlet-cp + args: {"name": "out9"} + - template: air-outlet-cp + args: {"name": "out10"} + - template: air-outlet-cp + args: {"name": "out11"} + - template: air-outlet-cp + args: {"name": "out12"} + - template: air-outlet-cp + args: {"name": "out13"} + - template: air-outlet-cp + args: {"name": "out14"} + - template: air-outlet-cp + args: {"name": "out15"} + - template: air-outlet-cp + args: {"name": "out16"} diff --git a/libraries/ashrae/223p/nrel-templates/devices.yml b/libraries/ashrae/223p/nrel-templates/devices.yml index 51f6ef0a9..7efa35d2e 100644 --- a/libraries/ashrae/223p/nrel-templates/devices.yml +++ b/libraries/ashrae/223p/nrel-templates/devices.yml @@ -16,12 +16,31 @@ damper: - template: damper-feedback args: {"name": "feedback"} +#Selam +vlv-dmp: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:Valve ; + s223:hasConnectionPoint P:in, P:out ; + #s223:hasMedium s223:Medium-Air ; + s223:hasProperty P:command, P:feedback . + dependencies: + - template: air-inlet-cp + args: {"name": "in"} + - template: air-outlet-cp + args: {"name": "out"} + - template: start-command + args: {"name": "command"} + - template: run-status + args: {"name": "feedback"} + fan: body: > @prefix P: . @prefix s223: . P:name a s223:Fan ; - s223:hasProperty P:start-cmd, P:motor-status, P:oa-flow-switch ; + s223:hasProperty P:start-cmd, P:motor-status, P:oa-flow-switch, P:vfd-cur, P:vfd-energy, P:vfd-volt, P:vfd-frq, P:vfd-flt, P:vfd-pwr, P:vfd-spd, P:vfd-fb ; s223:hasConnectionPoint P:in, P:out . dependencies: - template: air-inlet-cp @@ -34,6 +53,22 @@ fan: args: {"name": "motor-status"} - template: flow-status args: {"name": "oa-flow-switch"} + - template: vfd-current + args: {"name": "vfd-cur"} + - template: vfd-energy + args: {"name": "vfd-energy"} + - template: vfd-voltage + args: {"name": "vfd-volt"} + - template: vfd-frequency + args: {"name": "vfd-frq"} + - template: vfd-fault + args: {"name": "vfd-flt"} + - template: vfd-power + args: {"name": "vfd-pwr"} + - template: vfd-speed + args: {"name": "vfd-spd"} + - template: vfd-feedback + args: {"name": "vfd-fb"} filter: body: > @@ -56,7 +91,9 @@ heat-recovery-coil: @prefix quantitykind: . @prefix qudt: . @prefix unit: . + @prefix rdfs: . @prefix s223: . + s223:HeatRecoveryCoil rdfs:subClassOf s223:Coil . P:name a s223:HeatRecoveryCoil ; s223:hasProperty P:entering-air-temp, P:leaving-air-temp, P:supply-water-temp, P:return-water-temp ; s223:hasConnectionPoint P:air-in, P:air-out, P:water-in, P:water-out . @@ -145,8 +182,12 @@ chw-pump: @prefix s223: . P:name a s223:Pump ; s223:hasConnectionPoint P:in, P:out ; - s223:hasMedium s223:Water-ChilledWater ; - s223:hasProperty P:onoff-cmd, P:onoff-sts . + #s223:hasMedium s223:Water-ChilledWater ; + s223:hasProperty P:onoff-cmd, P:onoff-sts, P:vfd-cur, + P:vfd-energy, P:vfd-volt, P:vfd-frq, P:vfd-flt, + P:vfd-pwr, P:vfd-spd, P:vfd-fb, + P:vfd-cur, P:vfd-energy . + #optional: ["in", "out"] dependencies: - template: start-command @@ -157,6 +198,22 @@ chw-pump: args: {"name": "in"} - template: water-outlet-cp args: {"name": "out"} + - template: vfd-current + args: {"name": "vfd-cur"} + - template: vfd-energy + args: {"name": "vfd-energy"} + - template: vfd-voltage + args: {"name": "vfd-volt"} + - template: vfd-frequency + args: {"name": "vfd-frq"} + - template: vfd-fault + args: {"name": "vfd-flt"} + - template: vfd-power + args: {"name": "vfd-pwr"} + - template: vfd-speed + args: {"name": "vfd-spd"} + - template: vfd-feedback + args: {"name": "vfd-fb"} hw-pump: body: > @@ -164,8 +221,8 @@ hw-pump: @prefix s223: . P:name a s223:Pump ; s223:hasConnectionPoint P:in, P:out ; - s223:hasMedium s223:Water-HotWater ; - s223:hasProperty P:onoff-cmd, P:onoff-sts . + #s223:hasMedium s223:Water-HotWater ; + s223:hasProperty P:onoff-cmd, P:onoff-sts, P:vfd-cur, P:vfd-energy, P:vfd-volt, P:vfd-frq, P:vfd-flt, P:vfd-pwr, P:vfd-spd, P:vfd-fb . #optional: ["in", "out"] dependencies: - template: start-command @@ -176,7 +233,57 @@ hw-pump: args: {"name": "in"} - template: water-outlet-cp args: {"name": "out"} + - template: vfd-current + args: {"name": "vfd-cur"} + - template: vfd-energy + args: {"name": "vfd-energy"} + - template: vfd-voltage + args: {"name": "vfd-volt"} + - template: vfd-frequency + args: {"name": "vfd-frq"} + - template: vfd-fault + args: {"name": "vfd-flt"} + - template: vfd-power + args: {"name": "vfd-pwr"} + - template: vfd-speed + args: {"name": "vfd-spd"} + - template: vfd-feedback + args: {"name": "vfd-fb"} +HR-pump: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:Pump ; + s223:hasConnectionPoint P:in, P:out ; + #s223:hasMedium s223:Water ; + s223:hasProperty P:onoff-cmd, P:onoff-sts, P:vfd-cur, P:vfd-energy, P:vfd-volt, P:vfd-frq, P:vfd-flt, P:vfd-pwr, P:vfd-spd, P:vfd-fb . + #optional: ["in", "out"] + dependencies: + - template: start-command + args: {"name": "onoff-cmd"} + - template: run-status + args: {"name": "onoff-sts"} + - template: water-inlet-cp + args: {"name": "in"} + - template: water-outlet-cp + args: {"name": "out"} + - template: vfd-current + args: {"name": "vfd-cur"} + - template: vfd-energy + args: {"name": "vfd-energy"} + - template: vfd-voltage + args: {"name": "vfd-volt"} + - template: vfd-frequency + args: {"name": "vfd-frq"} + - template: vfd-fault + args: {"name": "vfd-flt"} + - template: vfd-power + args: {"name": "vfd-pwr"} + - template: vfd-speed + args: {"name": "vfd-spd"} + - template: vfd-feedback + args: {"name": "vfd-fb"} chw-valve: body: > @@ -184,7 +291,7 @@ chw-valve: @prefix s223: . P:name a s223:Valve ; s223:hasConnectionPoint P:in, P:out ; - s223:hasMedium s223:Water-ChilledWater ; + # s223:hasMedium s223:Water-ChilledWater ; s223:hasProperty P:command, P:feedback . dependencies: - template: water-inlet-cp @@ -202,7 +309,7 @@ hw-valve: @prefix s223: . P:name a s223:Valve ; s223:hasConnectionPoint P:in, P:out ; - s223:hasMedium s223:Water-HotWater ; + #s223:hasMedium s223:Water-HotWater ; s223:hasProperty P:command, P:feedback . dependencies: - template: water-inlet-cp @@ -228,7 +335,8 @@ differential-sensor: @prefix P: . @prefix s223: . P:name a s223:Sensor ; - s223:hasObservationLocation P:whereA, P:whereB ; + s223:hasObservationLocationHigh P:whereA ; + s223:hasObservationLocationLow P:whereB ; s223:observes P:property . optional: ["whereA", "whereB"] @@ -313,18 +421,31 @@ heat-exchanger: args: {"name": "chw-flow-sensor", "property": "chw-flow", "where": "B-out"} fcu: - # TODO: add s223:FCU body: > @prefix P: . @prefix s223: . - P:name a s223:FCU ; - s223:contains P:fan, P:cooling-coil ; + P:name a s223:FanCoilUnit ; + s223:hasRole s223:Role-Cooling, s223:Role-Heating ; + s223:contains P:fan, P:cooling-coil, P:heating-coil ; + s223:hasProperty P:cond-overflow, P:DA-temp, P:occ-override, P:zone-temp, P:zone-humidity ; s223:hasConnectionPoint P:in, P:out . dependencies: - template: chilled-water-coil args: {"name": "cooling-coil"} + - template: hot-water-coil + args: {"name": "heating-coil"} - template: fan args: {"name": "fan"} + - template: condensate-overflow + args: {"name": "cond-overflow"} + - template: air-temperature + args: {"name": "DA-temp"} + - template: occupancy-override + args: {"name": "occ-override"} + - template: air-temperature + args: {"name": "zone-temp"} + - template: relative-humidity + args: {"name": "zone-humidity"} - template: air-outlet-cp args: {"name": "out"} - template: air-inlet-cp @@ -349,3 +470,123 @@ unit-heater: - template: air-inlet-cp args: {"name": "in"} +domestic-water-heater: + body: > + @prefix P: . + @prefix s223: . + @prefix rdfs: . + P:name a s223:DomesticWaterHeater, s223:Equipment ; + rdfs:label "domestic water heater" ; + s223:contains P:dw-hwp, P:dw-hx ; + s223:hasConnectionPoint P:in, P:out . + dependencies: + - template: heat-exchanger + args: {"name": "dw-hx"} + - template: hw-pump + args: {"name": "dw-hwp"} + - template: water-outlet-cp + args: {"name": "out"} + - template: water-inlet-cp + args: {"name": "in"} + + +HRC-BTU-meter: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:ElectricMeter ; + s223:hasProperty P:HRW-energy, P:HRW-energy-rate, P:HRW-flow, P:HRW-vol, P:return-water-temp, P:supply-water-temp . + dependencies: + - template: BTU-Meter-energy + args: {"name": "HRW-energy"} + - template: BTU-Meter-energy-rate + args: {"name": "HRW-energy-rate"} + - template: BTU-Meter-water-flow + args: {"name": "HRW-flow"} + - template: BTU-Meter-water-volume + args: {"name": "HRW-vol"} + - template: water-temperature + args: {"name": "supply-water-temp"} + - template: water-temperature + args: {"name": "return-water-temp"} + +hot-water-system-BTU-meter: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:ElectricMeter ; + s223:hasProperty P:HW-energy, P:HW-energy-rate, P:HW-flow, P:HW-vol, P:HWS-temp, P:HWR-temp . + dependencies: + - template: BTU-Meter-energy + args: {"name": "HW-energy"} + - template: BTU-Meter-energy-rate + args: {"name": "HW-energy-rate"} + - template: BTU-Meter-water-flow + args: {"name": "HW-flow"} + - template: BTU-Meter-water-volume + args: {"name": "HW-vol"} + - template: water-temperature + args: {"name": "HWS-temp"} + - template: water-temperature + args: {"name": "HWR-temp"} + +chilled-water-system-BTU-meter: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:ElectricMeter ; + s223:hasProperty P:CHW-energy, P:CHW-energy-rate, P:CHW-flow, P:CHW-vol, P:CHWS-temp, P:CHWR-temp . + dependencies: + - template: BTU-Meter-energy + args: {"name": "CHW-energy"} + - template: BTU-Meter-energy-rate + args: {"name": "CHW-energy-rate"} + - template: BTU-Meter-water-flow + args: {"name": "CHW-flow"} + - template: BTU-Meter-water-volume + args: {"name": "CHW-vol"} + - template: water-temperature + args: {"name": "CHWS-temp"} + - template: water-temperature + args: {"name": "CHWR-temp"} + + +exhaust-fan: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:Fan ; + s223:contains P:iso-dmp, P:low-sp-sensor ; + s223:hasProperty P:start-cmd, P:motor-status, P:low-sp, P:vfd-cur, P:vfd-energy, P:vfd-volt, P:vfd-frq, P:vfd-flt, P:vfd-pwr, P:vfd-spd, P:vfd-fb ; + s223:hasConnectionPoint P:in, P:out . + dependencies: + - template: air-inlet-cp + args: {"name": "in"} + - template: air-outlet-cp + args: {"name": "out"} + - template: start-command + args: {"name": "start-cmd"} + - template: run-status + args: {"name": "motor-status"} + - template: low-static-pressure + args: {"name": "low-sp"} + - template: sensor + args: {"name": "low-sp-sensor", "property": "low-sp", "where": "out"} + - template: vfd-current + args: {"name": "vfd-cur"} + - template: vfd-energy + args: {"name": "vfd-energy"} + - template: vfd-voltage + args: {"name": "vfd-volt"} + - template: vfd-frequency + args: {"name": "vfd-frq"} + - template: vfd-fault + args: {"name": "vfd-flt"} + - template: vfd-power + args: {"name": "vfd-pwr"} + - template: vfd-speed + args: {"name": "vfd-spd"} + - template: vfd-feedback + args: {"name": "vfd-fb"} + - template: damper + args: {"name": "iso-dmp"} diff --git a/libraries/ashrae/223p/nrel-templates/properties.yml b/libraries/ashrae/223p/nrel-templates/properties.yml index 2af05ed75..1e8afad38 100644 --- a/libraries/ashrae/223p/nrel-templates/properties.yml +++ b/libraries/ashrae/223p/nrel-templates/properties.yml @@ -7,7 +7,18 @@ static-pressure: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Pressure ; - qudt:hasUnit unit:INH2O . + qudt:hasUnit unit:IN_H2O . + +low-static-pressure: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Pressure; + qudt:hasUnit unit:IN_H2O . damper-command: body: > @@ -20,6 +31,17 @@ damper-command: qudt:hasQuantityKind quantitykind:DimensionlessRatio ; qudt:hasUnit unit:PERCENT . +water-static-pressure: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Pressure ; + qudt:hasUnit unit:PSI . + damper-feedback: body: > @prefix P: . @@ -40,7 +62,18 @@ differential-pressure: @prefix s223: . P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:Pressure; - qudt:hasUnit unit:INH2O . + qudt:hasUnit unit:IN_H2O . + +water-differential-pressure: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Pressure; + qudt:hasUnit unit:PSI . air-temperature: body: > @@ -104,9 +137,14 @@ flow-status: body: > @prefix P: . @prefix rdfs: . + @prefix sh: . @prefix s223: . P:name a s223:EnumeratedObservableProperty ; s223:hasEnumerationKind s223:EnumerationKind-FlowStatus . + s223:EnumerationKind-FlowStatus a s223:Class, + s223:EnumerationKind-FlowStatus, sh:NodeShape ; + rdfs:label "EnumerationKind FlowStatus" ; + rdfs:subClassOf s223:EnumerationKind . # TODO: add Flowstatus from g36 to s223 relative-humidity: @@ -119,3 +157,183 @@ relative-humidity: P:name a s223:QuantifiableObservableProperty ; qudt:hasQuantityKind quantitykind:RelativeHumidity ; qudt:hasUnit unit:PERCENT_RH . + +#Selam +vfd-current: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:hasUnit unit:A . + +vfd-frequency: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:hasUnit unit:HZ . + +vfd-voltage: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:ElectricPotential ; + qudt:hasUnit unit:V . + +vfd-power: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:ElectricPower ; + qudt:hasUnit unit:KiloW . + +vfd-energy: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:hasUnit unit:KiloW-HR . + +vfd-speed: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix rdfs: . + @prefix s223: . + P:name a s223:QuantifiableActuatableProperty ; + qudt:hasQuantityKind quantitykind:PositiveDimensionlessRatio ; + rdfs:label "Fan speed as percentage of maximum frequency" ; + qudt:hasUnit unit:PERCENT . + +vfd-feedback: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix rdfs: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:PositiveDimensionlessRatio ; + rdfs:label "Fan speed feedback as percentage of maximum frequency" ; + qudt:hasUnit unit:PERCENT . + +vfd-fault: + body: > + @prefix P: . + @prefix sh: . + @prefix rdfs: . + @prefix s223: . + s223:EnumerationKind-AlarmStatus a s223:Class, + s223:EnumerationKind-AlarmStatus, sh:NodeShape ; + rdfs:label "EnumerationKind AlarmStatus" ; + rdfs:subClassOf s223:EnumerationKind . + s223:EnumerationKind-Overridden a s223:EnumerationKind-AlarmStatus ; + rdfs:label "AlarmStatus-Ok"@en . + s223:EnumerationKind-Default a s223:EnumerationKind-AlarmStatus ; + rdfs:label "AlarmStatus-Alarm"@en . + P:name a s223:EnumeratedObservableProperty ; + s223:hasEnumerationKind s223:EnumerationKind-AlarmStatus . + +BTU-Meter-energy: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:hasUnit unit:BTU . + +BTU-Meter-energy-rate: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:hasUnit unit:KiloBTU_TH-PER-HR . + +BTU-Meter-water-flow: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate; + qudt:hasUnit unit:GAL_US-PER-MIN . + +BTU-Meter-water-volume: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix s223: . + P:name a s223:QuantifiableObservableProperty ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:hasUnit unit:GAL_US . + +condensate-overflow: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix rdfs: . + @prefix s223: . + @prefix sh: . + s223:EnumerationKind-AlarmStatus a s223:Class, + s223:EnumerationKind-AlarmStatus, sh:NodeShape ; + rdfs:label "EnumerationKind AlarmStatus" ; + rdfs:subClassOf s223:EnumerationKind . + s223:EnumerationKind-Overridden a s223:EnumerationKind-AlarmStatus ; + rdfs:label "AlarmStatus-Ok"@en . + s223:EnumerationKind-Default a s223:EnumerationKind-AlarmStatus ; + rdfs:label "AlarmStatus-Alarm"@en . + P:name a s223:EnumeratedObservableProperty ; + s223:hasEnumerationKind s223:EnumerationKind-AlarmStatus . + +occupancy-override: + body: > + @prefix P: . + @prefix sh: . + @prefix rdfs: . + @prefix s223: . + s223:EnumerationKind-Override a s223:Class, + s223:EnumerationKind-Override, sh:NodeShape ; + rdfs:label "EnumerationKind Override" ; + rdfs:subClassOf s223:EnumerationKind . + s223:EnumerationKind-Overridden a s223:EnumerationKind-Override ; + rdfs:label "Override-Overridden"@en . + s223:EnumerationKind-Default a s223:EnumerationKind-Override ; + rdfs:label "Override-Default"@en . + P:name a s223:EnumeratedObservableProperty ; + s223:hasEnumerationKind s223:EnumerationKind-Override . diff --git a/libraries/ashrae/223p/nrel-templates/spaces.yml b/libraries/ashrae/223p/nrel-templates/spaces.yml index d22750e68..7d7b517a1 100644 --- a/libraries/ashrae/223p/nrel-templates/spaces.yml +++ b/libraries/ashrae/223p/nrel-templates/spaces.yml @@ -3,13 +3,22 @@ hvac-zone: @prefix P: . @prefix s223: . P:name a s223:Zone ; - s223:hasZoneConnectionPoint P:in, P:out ; + #s223:hasConnectionPoint P:in, P:out ; s223:hasDomain s223:Domain-HVAC . - dependencies: - - template: zone-air-inlet-cp - args: {"name": "in"} - - template: zone-air-outlet-cp - args: {"name": "out"} + # dependencies: + # - template: hvac-space + # args: {"name": "domain-space"} + # #- template: air-inlet-cp + # # args: {"name": "in"} + # #- template: air-outlet-cp + # # args: {"name": "out"} + +hvac-zone-contains-space: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:Zone ; + s223:hasDomainSpace P:domain-space . hvac-space: body: > @@ -21,33 +30,44 @@ hvac-space: @prefix rdfs: . @prefix s223: . P:name a s223:DomainSpace ; - s223:hasProperty P:temp, P:supply-air-flow, P:exhaust-air-flow, - P:humidity ; # TODO: , P:occupancy, P:occupancy-override ; - s223:hasConnectionPoint P:in, P:out ; - s223:contains P:temp-sensor, P:exh-flow-sensor, P:sup-flow-sensor, P:humidity-sensor ; + s223:hasProperty P:temp, P:relative-humidity ; + s223:hasConnectionPoint P:in, P:in2, P:in3, P:in4, P:out, P:out2 ; s223:hasDomain s223:Domain-HVAC . - P:zone s223:contains P:name . + P:physical-space a s223:PhysicalSpace ; + s223:encloses P:name ; + s223:hasProperty P:supply-air-flow, P:exhaust-air-flow . + P:temp-sensor s223:hasPhysicalLocation P:physical-space . + P:humidity-sensor s223:hasPhysicalLocation P:physical-space . + P:exh-flow-sensor s223:hasPhysicalLocation P:physical-space . + P:sup-flow-sensor s223:hasPhysicalLocation P:physical-space . + optional: ["in2", "in3", "in4", "out2"] dependencies: - - template: hvac-zone - args: {"name": "zone"} - - template: air-outlet-cp + - template: air-inlet-cp args: {"name": "in"} - template: air-inlet-cp + args: {"name": "in2"} + - template: air-inlet-cp + args: {"name": "in3"} + - template: air-inlet-cp + args: {"name": "in4"} + - template: air-outlet-cp args: {"name": "out"} + - template: air-outlet-cp + args: {"name": "out2"} - template: air-temperature args: {"name": "temp"} + - template: relative-humidity + args: {"name": "relative-humidity"} + - template: sensor + args: {"name": "temp-sensor", "property": "temp", "where": "name"} + - template: sensor + args: {"name": "humidity-sensor", "property": "relative-humidity", "where": "name"} - template: air-flow args: {"name": "supply-air-flow"} - template: air-flow args: {"name": "exhaust-air-flow"} - - template: relative-humidity - args: {"name": "humidity"} - - template: sensor - args: {"name": "temp-sensor", "property": "temp", "where": "name"} - template: sensor args: {"name": "exh-flow-sensor", "property": "exhaust-air-flow", "where": "out"} - template: sensor args: {"name": "sup-flow-sensor", "property": "supply-air-flow", "where": "in"} - - template: sensor - args: {"name": "humidity-sensor", "property": "humidity", "where": "name"} diff --git a/libraries/ashrae/223p/nrel-templates/systems.yml b/libraries/ashrae/223p/nrel-templates/systems.yml index 04ae9ddcd..a511ad9da 100644 --- a/libraries/ashrae/223p/nrel-templates/systems.yml +++ b/libraries/ashrae/223p/nrel-templates/systems.yml @@ -8,37 +8,41 @@ makeup-air-unit: @prefix rdfs: . @prefix s223: . - P:name a s223:MAU ; - s223:contains P:oad, P:pre-filter, P:final-filter, P:HRC, P:supply-fan, - P:evaporative-cooler, - P:cooling-coil, P:heating-coil, P:sa_pressure_sensor; + P:name a s223:AirHandlingUnit ; + s223:contains P:oad, P:pre-filter, P:final-filter, P:MAU-HRC, P:supply-fan, + P:heating-coil, + P:cooling-coil, P:evaporative-cooler, P:sa_pressure_sensor ; s223:hasProperty P:oa_rh, P:sa_sp ; s223:hasConnectionPoint P:air-supply, P:outside-air . P:oad-in s223:mapsTo P:outside-air . - P:oad-out s223:connectsThrough P:c1 . - P:pre-filter-in s223:connectsThrough P:c1 . + P:oad-out s223:cnx P:c1 . + P:pre-filter-in s223:cnx P:c1 . - P:pre-filter-out s223:connectsThrough P:c2 . - P:final-filter-in s223:connectsThrough P:c2 . + P:pre-filter-out s223:cnx P:c2 . + P:final-filter-in s223:cnx P:c2 . - P:final-filter-out s223:connectsThrough P:c3 . - P:HRC-air-in s223:connectsThrough P:c3 . + P:final-filter-out s223:cnx P:c3 . + P:MAU-HRC-air-in s223:cnx P:c3 . - P:HRC-air-out s223:connectsThrough P:c4 . - P:supply-fan-in s223:connectsThrough P:c4 . + P:MAU-HRC-air-out s223:cnx P:c4 . + P:supply-fan-in s223:cnx P:c4 . - P:supply-fan-out s223:connectsThrough P:c5 . - P:cooling-coil-air-in s223:connectsThrough P:c5 . + P:supply-fan-out s223:cnx P:c5 . + P:heating-coil-air-in s223:cnx P:c5 . - P:cooling-coil-air-out s223:connectsThrough P:c6 . - P:heating-coil-air-in s223:connectsThrough P:c6 . + P:heating-coil-air-out s223:cnx P:c6 . + P:cooling-coil-air-in s223:cnx P:c6 . - P:heating-coil-air-out s223:connectsThrough P:c7 . - P:evaporative-cooler-in s223:connectsThrough P:c7 . + P:cooling-coil-air-out s223:cnx P:c7 . + P:evaporative-cooler-in s223:cnx P:c7 . P:evaporative-cooler-out s223:mapsTo P:air-supply . - # s223:servesVAV P:vav + + P:air-supply a s223:OutletConnectionPoint ; + s223:hasMedium s223:Medium-Air . + P:outside-air a s223:InletConnectionPoint ; + s223:hasMedium s223:Medium-Air . # TODO: building static pressure? # TODO: outside air dry bulb temp # TODO: outside air differential pressure @@ -48,15 +52,15 @@ makeup-air-unit: - template: duct args: {"name": "c2", "a": "pre-filter-out", "b": "final-filter-in"} - template: duct - args: {"name": "c3", "a": "final-filter-out", "b": "HRC-air-in"} + args: {"name": "c3", "a": "final-filter-out", "b": "MAU-HRC-air-in"} - template: duct - args: {"name": "c4", "a": "HRC-air-out", "b": "supply-fan-in"} + args: {"name": "c4", "a": "MAU-HRC-air-out", "b": "supply-fan-in"} - template: duct - args: {"name": "c5", "a": "supply-fan-out", "b": "cooling-coil-air-in"} + args: {"name": "c5", "a": "supply-fan-out", "b": "heating-coil-air-in"} - template: duct - args: {"name": "c6", "a": "cooling-coil-air-out", "b": "heating-coil-air-in"} + args: {"name": "c6", "a": "heating-coil-air-out", "b": "cooling-coil-air-in"} - template: duct - args: {"name": "c7", "a": "heating-coil-air-out", "b": "evaporative-cooler-in"} + args: {"name": "c7", "a": "cooling-coil-air-out", "b": "evaporative-cooler-in"} - template: damper args: {"name": "oad", "in-mapsto": "outside-air"} - template: evaporative-cooler @@ -66,7 +70,7 @@ makeup-air-unit: - template: filter args: {"name": "final-filter"} - template: heat-recovery-coil - args: {"name": "HRC"} + args: {"name": "MAU-HRC"} - template: fan args: {"name": "supply-fan"} - template: chilled-water-coil @@ -77,6 +81,8 @@ makeup-air-unit: args: {"name": "sa_pressure_sensor", "property": "sa_sp", "where": "air-supply"} - template: static-pressure args: {"name": "sa_sp"} + - template: relative-humidity + args: {"name": "oa_rh"} - template: air-outlet-cp args: {"name": "air-supply"} - template: air-inlet-cp @@ -86,24 +92,24 @@ vav-reheat: body: > @prefix P: . @prefix s223: . - P:name a s223:VAV ; + P:name a s223:TerminalUnit ; s223:contains P:rhc, P:dmp, P:sup-air-flow-sensor, P:sup-air-temp-sensor, P:sup-air-pressure-sensor ; s223:hasProperty P:sup-air-temp, P:sup-air-flow, P:sup-air-pressure ; s223:hasConnectionPoint P:air-in, P:air-out . - P:rhc-air-in s223:mapsTo P:air-in . - P:rhc-air-out s223:connectsThrough P:c0 . - P:dmp-in s223:connectsThrough P:c0 . - P:dmp-out s223:mapsTo P:air-out . + P:air-in a s223:InletConnectionPoint ; + s223:hasMedium s223:Medium-Air . + P:air-out a s223:OutletConnectionPoint ; + s223:hasMedium s223:Medium-Air . dependencies: - template: duct - args: {"name": "c0", "a": "rhc-air-out", "b": "dmp-in"} + args: {"name": "c0", "a": "dmp-air-out", "b": "rhc-air-in"} - template: hot-water-coil - args: {"name": "rhc", "air-in-mapsto": "air-in"} + args: {"name": "rhc"} - template: damper - args: {"name": "dmp", "out-mapsto": "air-out"} + args: {"name": "dmp"} - template: air-inlet-cp args: {"name": "air-in"} - template: air-outlet-cp @@ -130,7 +136,7 @@ chilled-water-system: rdfs:label "Chilled Water System" ; s223:contains P:bypass-valve, P:lead-chw-pump, P:standby-chw-pump, P:lead-chw-booster-pump, P:standby-chw-booster-pump, - P:chw-hx . # TODO:, P:chw-btu-meter . + P:chw-hx . dependencies: - template: chw-valve args: {"name": "bypass-valve"} @@ -154,7 +160,7 @@ hot-water-system: rdfs:label "Hot Water System" ; s223:contains P:bypass-valve, P:lead-hw-pump, P:standby-hw-pump, P:lead-hw-booster-pump, P:standby-hw-booster-pump, - P:hw-hx . # TODO:, P:hw-btu-meter . + P:hw-hx, P:dwh . dependencies: - template: hw-valve args: {"name": "bypass-valve"} @@ -168,3 +174,178 @@ hot-water-system: args: {"name": "standby-hw-booster-pump"} - template: heat-exchanger args: {"name": "hw-hx"} + - template: domestic-water-heater + args: {"name": "dwh"} + + + +#Selam +lab-vav-reheat: + body: > + @prefix P: . + @prefix s223: . + P:name a s223:TerminalUnit ; + s223:contains P:rhc, P:vlv-dmp, P:sup-air-flow-sensor, + P:sup-air-temp-sensor, P:sup-air-pressure-sensor ; + s223:hasProperty P:sup-air-temp, P:sup-air-flow, P:sup-air-pressure ; + s223:hasConnectionPoint P:air-in, P:air-out . + + # damper, then coil + # - vlv-dmp-in maps to air-in + P:vlv-dmp-in s223:mapsTo P:air-in . + # - vlv-dmp-out (a) -> duct -> rhc-air-in (b) + # (in deps) + P:rhc-air-out s223:maspTo P:air-out . + + dependencies: + - template: duct + args: {"name": "c0", "a": "vlv-dmp-out", "b": "rhc-air-in"} + - template: vlv-dmp + args: {"name": "vlv-dmp", "in-mapsto": "air-in"} + - template: hot-water-coil + args: {"name": "rhc", "air-out-mapsto": "air-out"} + - template: air-inlet-cp + args: {"name": "air-in"} + - template: air-outlet-cp + args: {"name": "air-out"} + - template: air-temperature + args: {"name": "sup-air-temp"} + - template: sensor + args: {"name": "sup-air-temp-sensor", "property": "sup-air-temp", "where": "air-out"} + - template: air-flow + args: {"name": "sup-air-flow"} + - template: sensor + args: {"name": "sup-air-flow-sensor", "property": "sup-air-flow", "where": "air-out"} + - template: static-pressure + args: {"name": "sup-air-pressure"} + - template: sensor + args: {"name": "sup-air-pressure-sensor", "property": "sup-air-pressure", "where": "air-out"} + + +exhaust-air-unit: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix rdf: . + @prefix rdfs: . + @prefix s223: . + + P:name a s223:EAU, s223:Equipment ; + s223:contains P:pre-filter, P:evaporative-cooler, P:EAU-HRC, P:final-filter, P:isolation-damper, P:exhaust-fan, + P:ea-pressure-sensor, P:low-pressure-sensor ; + s223:hasProperty P:low-sp, P:ea-sp ; + s223:hasConnectionPoint P:return-air, P:air-exhaust . + P:pre-filter-in s223:mapsTo P:return-air . + + P:pre-filter-out s223:cnx P:c10 . + P:evaporative-cooler-in s223:cnx P:c10 . + + P:evaporative-cooler-out s223:cnx P:c11 . + P:EAU-HRC-air-in s223:cnx P:c11 . + + P:EAU-HRC-air-out s223:cnx P:c12 . + P:final-filter-in s223:cnx P:c12 . + + P:final-filter-out s223:cnx P:c13 . + P:isolation-damper-in s223:cnx P:c13 . + + P:isolation-damper-out s223:cnx P:c14 . + P:exhaust-fan-in s223:cnx P:c14 . + + P:exhaust-fan-out s223:mapsTo P:air-exhaust . + P:pre-filter-in s223:mapsTo P:return-air . + + dependencies: + - template: duct + args: {"name": "c10", "a": "pre-filter-out", "b": "evaporative-cooler-in"} + - template: duct + args: {"name": "c11", "a": "evaporative-cooler-out", "b": "EAU-HRC-air-in"} + - template: duct + args: {"name": "c12", "a": "EAU-HRC-air-out", "b": "final-filter-in"} + - template: duct + args: {"name": "c13", "a": "final-filter-out", "b": "isolation-damper-in"} + - template: duct + args: {"name": "c14", "a": "isolation-damper-out", "b": "exhaust-fan-in"} + - template: exhaust-fan + args: {"name": "exhaust-fan", "out-mapsto": "air-exhaust"} + - template: evaporative-cooler + args: {"name": "evaporative-cooler"} + - template: filter + args: {"name": "pre-filter"} + - template: filter + args: {"name": "final-filter"} + - template: heat-recovery-coil + args: {"name": "EAU-HRC"} + - template: sensor + args: {"name": "ea-pressure-sensor", "property": "ea-sp", "where": "return-air"} + - template: sensor + args: {"name": "low-pressure-sensor", "property": "low-sp", "where": "air-exhaust"} + - template: static-pressure + args: {"name": "ea-sp"} + - template: low-static-pressure + args: {"name": "low-sp"} + - template: air-outlet-cp + args: {"name": "air-exhaust"} + - template: air-inlet-cp + args: {"name": "return-air"} + - template: vlv-dmp + args: {"name": "isolation-damper"} + + +heat-recovery-system: + body: > + @prefix P: . + @prefix quantitykind: . + @prefix qudt: . + @prefix unit: . + @prefix rdf: . + @prefix rdfs: . + @prefix s223: . + + P:name a s223:HRS, s223:System ; + rdfs:label "heat recovery system" ; + s223:contains P:MAU-HRC, P:EAU-HRC, P:HR-pmp, P:hrw-meter, + P:water-pressure-sensor ; + s223:hasProperty P:hrw_p . + dependencies: + - template: heat-recovery-coil + args: {"name": "MAU-HRC", "water-out": "EAU-HRC-water-in"} + - template: HR-pump + args: {"name": "HR-pmp"} + - template: HRC-BTU-meter + args: {"name": "hrw-meter"} + - template: heat-recovery-coil + args: {"name": "EAU-HRC"} + - template: sensor + args: {"name": "water-pressure-sensor", "property": "hrw-p"} + +process-chilled-water-system: + body: > + @prefix P: . + @prefix s223: . + @prefix rdfs: . + P:name a s223:System ; + rdfs:label "Chilled Water System" ; + s223:contains P:bypass-valve, P:lead-pchw-pump, P:standby-pchw-pump, + P:water-sp-sensor, P:water-diff-press_sensor, + P:chw-hx ; + s223:hasProperty P:water-sp, P:water-diff-press . + dependencies: + - template: chw-valve + args: {"name": "bypass-valve"} + - template: chw-pump + args: {"name": "lead-pchw-pump"} + - template: chw-pump + args: {"name": "standby-pchw-pump"} + - template: heat-exchanger + args: {"name": "chw-hx"} + - template: sensor + args: {"name": "water-sp-sensor", "property": "water-sp"} + - template: water-static-pressure + args: {"name": "water-sp"} + - template: sensor + args: {"name": "water-diff-press-sensor", "property": "water-diff-press"} + - template: water-differential-pressure + args: {"name": "water-diff-press"} From e371b5415c0944cdf6cf5d6948febe01a42a7c94 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 5 Mar 2024 14:50:08 -0700 Subject: [PATCH 10/61] allow adding triples directly to the builder graph --- buildingmotif/model_builder.py | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/buildingmotif/model_builder.py b/buildingmotif/model_builder.py index 7c0ca767c..b246e8330 100644 --- a/buildingmotif/model_builder.py +++ b/buildingmotif/model_builder.py @@ -1,5 +1,5 @@ import secrets -from typing import Dict, List +from typing import Dict, List, Tuple from rdflib import BNode, Graph, Literal, Namespace, URIRef from rdflib.term import Node @@ -26,6 +26,18 @@ def __init__(self, ns: Namespace): self.templates: Dict[str, Template] = {} self.wrappers: List[TemplateWrapper] = [] self.ns: Namespace = ns + # stores triples outside of the templates + self._g: Graph = Graph() + + def add(self, triple: Tuple): + """ + Adds a triple to the context + + :param s: The subject of the triple + :param p: The predicate of the triple + :param o: The object of the triple + """ + self._g.add(triple) def add_template(self, template: Template): """ @@ -61,6 +73,7 @@ def compile(self) -> Graph: :return: A graph containing all of the compiled templates """ graph = Graph() + graph += self._g for wrapper in self.wrappers: graph += wrapper.compile() # add a label to every instance if it doesn't have one. Make From 606a8a41096b620e56bce82ad454752ee9d377b1 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 5 Mar 2024 15:36:53 -0700 Subject: [PATCH 11/61] allow Library to find template definitions from dependent libraries --- buildingmotif/dataclasses/library.py | 76 +++++++++++++++----- docs/tutorials/tutorial2_manifest.ttl | 5 +- libraries/ashrae/guideline36/guideline36.ttl | 4 +- 3 files changed, 67 insertions(+), 18 deletions(-) diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index bafac285b..5118491b5 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -383,33 +383,69 @@ def _library_exists(library_name: str) -> bool: except sqlalchemy.exc.NoResultFound: return False + def _resolve_dependency( + self, + template: Template, + dep: Union[_template_dependency, dict], + template_id_lookup: Dict[str, int], + ): + """Resolve a dependency to a template. + + :param dep: dependency + :type dep: Union[_template_dependency, dict] + :return: the template instance this dependency points to + :rtype: Template + """ + # if dep is a _template_dependency, turn it into a template + if isinstance(dep, _template_dependency): + dependee = dep.to_template(template_id_lookup) + template.add_dependency(dependee, dep.bindings) + return + + # now, we know that dep is a dict + + # if dependency names a library explicitly, load that library and get the template by name + if "library" in dep: + dependee = Library.load(name=dep["library"]).get_template_by_name( + dep["template"] + ) + template.add_dependency(dependee, dep["args"]) + return + # if no library is provided, try to resolve the dependency from this library + if dep["template"] in template_id_lookup: + dependee = Template.load(template_id_lookup[dep["template"]]) + template.add_dependency(dependee, dep["args"]) + return + # check documentation for skip_uri for what URIs get skipped + if skip_uri(dep["template"]): + return + # if the dependency is not in the local cache, then search through this library's imports + # for the template + for imp in self.graph_imports: + library = Library.load(name=imp) + try: + dependee = library.get_template_by_name(dep["template"]) + template.add_dependency(dependee, dep["args"]) + return + except Exception as e: + logging.debug( + f"Could not find dependee {dep['template']} in library {library.name}: {e}" + ) + logging.warn(f"Warning: could not find dependee {dep['template']}") + def _resolve_template_dependencies( self, template_id_lookup: Dict[str, int], dependency_cache: Mapping[int, Union[List[_template_dependency], List[dict]]], ): + """Resolve all dependencies for all templates in this library""" # two phases here: first, add all of the templates and their dependencies # to the database but *don't* check that the dependencies are valid yet for template in self.get_templates(): if template.id not in dependency_cache: continue for dep in dependency_cache[template.id]: - if isinstance(dep, dict): - if dep["template"] in template_id_lookup: - dependee = Template.load(template_id_lookup[dep["template"]]) - template.add_dependency(dependee, dep["args"]) - # check documentation for skip_uri for what URIs get skipped - elif not skip_uri(dep["template"]): - logging.warn( - f"Warning: could not find dependee {dep['template']}" - ) - elif isinstance(dep, _template_dependency): - try: - dependee = dep.to_template(template_id_lookup) - template.add_dependency(dependee, dep.bindings) - except Exception as e: - logging.warn(f"Warning: could not resolve dependency {dep}") - raise e + self._resolve_dependency(template, dep, template_id_lookup) # check that all dependencies are valid (use parameters that exist, etc) for template in self.get_templates(): template.check_dependencies() @@ -460,6 +496,14 @@ def name(self, new_name: str): self._bm.table_connection.update_db_library_name(self._id, new_name) self._name = new_name + @property + def graph_imports(self) -> List[str]: + """ + Get the list of owl:imports for this library's shape collection + """ + shape_col = self.get_shape_collection() + return list(map(str, shape_col.graph.objects(None, rdflib.OWL.imports))) + def create_template( self, name: str, diff --git a/docs/tutorials/tutorial2_manifest.ttl b/docs/tutorials/tutorial2_manifest.ttl index 3d7ba6131..7a68c7376 100644 --- a/docs/tutorials/tutorial2_manifest.ttl +++ b/docs/tutorials/tutorial2_manifest.ttl @@ -5,7 +5,10 @@ @prefix constraint: . @prefix : . -: a owl:Ontology . +: a owl:Ontology ; + owl:imports , + , + . :ahu-count a sh:NodeShape ; sh:message "need 1 AHU" ; diff --git a/libraries/ashrae/guideline36/guideline36.ttl b/libraries/ashrae/guideline36/guideline36.ttl index 3a7331c35..5c488ad34 100644 --- a/libraries/ashrae/guideline36/guideline36.ttl +++ b/libraries/ashrae/guideline36/guideline36.ttl @@ -1,3 +1,5 @@ @prefix owl: . - a owl:Ontology . \ No newline at end of file + a owl:Ontology ; + owl:imports ; +. From 58cebb1f1ae11cbfdbaba09dfd01b22dbfda2239 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 11:36:14 -0700 Subject: [PATCH 12/61] fixing tests to catch warnings, test dependency tracking --- tests/unit/dataclasses/test_model.py | 2 + tests/unit/dataclasses/test_template_dc.py | 12 + tests/unit/fixtures/shape-deps/shapes.ttl | 34 + tests/unit/fixtures/shapes/shape1.ttl | 9 +- .../fixtures/smallOffice_brick_compiled.ttl | 671 ++++-------------- tests/unit/test_template_api.py | 6 +- tests/unit/test_utils.py | 17 + 7 files changed, 219 insertions(+), 532 deletions(-) create mode 100644 tests/unit/fixtures/shape-deps/shapes.ttl diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index 3653f47cd..433069e01 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -57,6 +57,7 @@ def test_validate_model_manifest(clean_building_motif): m = Model.create(name="https://example.com", description="a very good model") m.graph.add((URIRef("https://example.com/vav1"), A, BRICK.VAV)) + Library.load(ontology_graph="tests/unit/fixtures/Brick1.3rc1-equip-only.ttl") lib = Library.load(ontology_graph="tests/unit/fixtures/shapes/shape1.ttl") assert lib is not None @@ -130,6 +131,7 @@ def test_validate_model_manifest_with_imports(clean_building_motif): def test_validate_model_explicit_shapes(clean_building_motif): # load library + Library.load(ontology_graph="tests/unit/fixtures/Brick1.3rc1-equip-only.ttl") lib = Library.load(ontology_graph="tests/unit/fixtures/shapes/shape1.ttl") assert lib is not None diff --git a/tests/unit/dataclasses/test_template_dc.py b/tests/unit/dataclasses/test_template_dc.py index d357f636d..d94299ebc 100644 --- a/tests/unit/dataclasses/test_template_dc.py +++ b/tests/unit/dataclasses/test_template_dc.py @@ -199,6 +199,18 @@ def test_get_library_dependencies(clean_building_motif): } +def test_get_library_dependencies_from_ttl(clean_building_motif): + Library.load(ontology_graph="tests/unit/fixtures/Brick.ttl") + lib = Library.load(directory="tests/unit/fixtures/shape-deps") + for templ in lib.get_templates(): + print(templ.name) + templ = lib.get_template_by_name("urn:shape/vav_shape") + assert len(templ.get_dependencies()) == 2, "Expected 2 dependencies" + dep_names = [d.template.name for d in templ.get_dependencies()] + assert "urn:shape/Air_Flow_Sensor" in dep_names + assert "https://brickschema.org/schema/Brick#Air_Temperature_Sensor" in dep_names + + def test_template_compilation(clean_building_motif): spec = { "hasPoint": { diff --git a/tests/unit/fixtures/shape-deps/shapes.ttl b/tests/unit/fixtures/shape-deps/shapes.ttl new file mode 100644 index 000000000..9b4fcb0f1 --- /dev/null +++ b/tests/unit/fixtures/shape-deps/shapes.ttl @@ -0,0 +1,34 @@ +@prefix brick: . +@prefix owl: . +@prefix rdf: . +@prefix rdfs: . +@prefix sh: . +@prefix unit: . +@prefix : . + +: a owl:Ontology ; + owl:imports . + +:vav_shape a sh:NodeShape, owl:Class ; + sh:targetClass brick:VAV ; + sh:property [ + sh:path brick:hasPoint ; + sh:qualifiedValueShape [ sh:node :Air_Flow_Sensor ] ; + sh:qualifiedMinCount 1 ; + ] ; + sh:property [ + sh:path brick:hasPoint ; + sh:qualifiedValueShape [ sh:node brick:Air_Temperature_Sensor ] ; + sh:qualifiedMinCount 1 ; + ] ; +. + +:Air_Flow_Sensor a sh:NodeShape, owl:Class ; + sh:class brick:Air_Flow_Sensor ; + sh:property [ + sh:path brick:hasUnit ; + sh:hasValue unit:DEG_C ; + sh:minCount 1 ; + ] +. + diff --git a/tests/unit/fixtures/shapes/shape1.ttl b/tests/unit/fixtures/shapes/shape1.ttl index d14097af9..acc4c2831 100644 --- a/tests/unit/fixtures/shapes/shape1.ttl +++ b/tests/unit/fixtures/shapes/shape1.ttl @@ -5,24 +5,23 @@ @prefix sh: . @prefix : . -: a owl:Ontology . +: a owl:Ontology ; + owl:imports . -:vav_shape a sh:NodeShape ; +:vav_shape a sh:NodeShape, owl:Class ; sh:targetClass brick:VAV ; sh:property [ sh:path brick:hasPoint ; sh:qualifiedValueShape [ sh:class brick:Air_Flow_Sensor ] ; sh:qualifiedMinCount 1 ; - sh:minCount 1; ] ; . -:tu_shape a sh:NodeShape ; +:tu_shape a sh:NodeShape, owl:Class ; sh:targetClass brick:Terminal_Unit ; sh:property [ sh:path brick:hasPoint ; sh:qualifiedValueShape [ sh:class brick:Temperature_Sensor ] ; sh:qualifiedMinCount 1 ; - sh:minCount 1; ] ; . diff --git a/tests/unit/fixtures/smallOffice_brick_compiled.ttl b/tests/unit/fixtures/smallOffice_brick_compiled.ttl index 5bccf2a96..4f466adf6 100644 --- a/tests/unit/fixtures/smallOffice_brick_compiled.ttl +++ b/tests/unit/fixtures/smallOffice_brick_compiled.ttl @@ -4,294 +4,84 @@ a owl:Ontology . - brick:isTagOf brick:Collection_Basin_Water . - - brick:isTagOf brick:Blowdown_Water . - - brick:isTagOf brick:Bypass_Air, - brick:Bypass_Water . - - brick:isTagOf brick:CO . - - brick:isTagOf brick:CO2, - brick:Liquid_CO2 . - - brick:isTagOf brick:Chilled_Water, - brick:Entering_Chilled_Water, - brick:Leaving_Chilled_Water . - - brick:isTagOf brick:Collection_Basin_Water . - - brick:isTagOf brick:Condenser_Water, - brick:Entering_Condenser_Water, - brick:Leaving_Condenser_Water . - - brick:isTagOf brick:Deionized_Water . - - brick:isTagOf brick:Domestic_Water . - - brick:isTagOf brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water . - - brick:isTagOf brick:Air, - brick:Blowdown_Water, - brick:Building_Air, - brick:Bypass_Air, - brick:Bypass_Water, - brick:CO, - brick:CO2, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Discharge_Air, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Exhaust_Air, - brick:Fluid, - brick:Fuel_Oil, - brick:Gas, - brick:Gasoline, - brick:Glycol, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Liquid, - brick:Liquid_CO2, - brick:Makeup_Water, - brick:Mixed_Air, - brick:Natural_Gas, - brick:Oil, - brick:Outside_Air, - brick:Potable_Water, - brick:Refrigerant, - brick:Return_Air, - brick:Steam, - brick:Supply_Air, - brick:Water, - brick:Zone_Air . - - brick:isTagOf brick:Frost . - - brick:isTagOf brick:Fuel_Oil . - - brick:isTagOf brick:Air, - brick:Building_Air, - brick:Bypass_Air, - brick:CO, - brick:CO2, - brick:Discharge_Air, - brick:Exhaust_Air, - brick:Gas, - brick:Mixed_Air, - brick:Natural_Gas, - brick:Outside_Air, - brick:Return_Air, - brick:Steam, - brick:Supply_Air, - brick:Zone_Air . - - brick:isTagOf brick:Gasoline . - - brick:isTagOf brick:Glycol . - - brick:isTagOf brick:Hail . - - brick:isTagOf brick:Entering_Hot_Water, - brick:Hot_Water, - brick:Leaving_Hot_Water . - - brick:isTagOf brick:Ice . - - brick:isTagOf brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water . - - brick:isTagOf brick:Blowdown_Water, - brick:Bypass_Water, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Fuel_Oil, - brick:Gasoline, - brick:Glycol, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Liquid, - brick:Liquid_CO2, - brick:Makeup_Water, - brick:Oil, - brick:Potable_Water, - brick:Water . - - brick:isTagOf brick:Makeup_Water . - - brick:isTagOf brick:Natural_Gas . - - brick:isTagOf brick:Fuel_Oil, - brick:Oil . - - brick:isTagOf brick:Potable_Water . - - brick:isTagOf brick:Refrigerant . - - brick:isTagOf brick:Soil . - - brick:isTagOf brick:Frost, - brick:Hail, - brick:Ice, - brick:Soil, - brick:Solid . - - brick:isTagOf brick:Steam . - - brick:isTagOf brick:Blowdown_Water, - brick:Bypass_Water, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Makeup_Water, - brick:Potable_Water, - brick:Water . - - brick:isTagOf , - brick:Building_Air . - - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Energy_Sensor, - brick:Point ; + brick:isTagOf . + + a brick:Energy_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasTag , , @@ -299,8 +89,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Energy_Sensor, - brick:Point ; + a brick:Energy_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasTag , , @@ -308,8 +97,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Energy_Sensor, - brick:Point ; + a brick:Energy_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasTag , , @@ -317,8 +105,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Energy_Sensor, - brick:Point ; + a brick:Energy_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasTag , , @@ -326,8 +113,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Energy_Sensor, - brick:Point ; + a brick:Energy_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasTag , , @@ -335,8 +121,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -345,8 +130,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; brick:hasTag , , @@ -355,8 +139,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; + a brick:Damper_Position_Command ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasTag , , @@ -365,8 +148,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -375,8 +157,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Air_Flow_Sensor, - brick:Point ; + a brick:Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -385,8 +166,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -395,8 +175,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; brick:hasTag , , @@ -405,8 +184,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; + a brick:Damper_Position_Command ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasTag , , @@ -415,8 +193,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -425,8 +202,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Air_Flow_Sensor, - brick:Point ; + a brick:Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -435,8 +211,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -445,8 +220,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; brick:hasTag , , @@ -455,8 +229,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; + a brick:Damper_Position_Command ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasTag , , @@ -465,8 +238,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -475,8 +247,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Air_Flow_Sensor, - brick:Point ; + a brick:Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -485,8 +256,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -495,8 +265,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; brick:hasTag , , @@ -505,8 +274,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; + a brick:Damper_Position_Command ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasTag , , @@ -515,8 +283,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -525,8 +292,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Air_Flow_Sensor, - brick:Point ; + a brick:Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -535,8 +301,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -545,8 +310,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; brick:hasTag , , @@ -555,8 +319,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; + a brick:Damper_Position_Command ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasTag , , @@ -565,8 +328,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasTag , , @@ -575,8 +337,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Air_Flow_Sensor, - brick:Point ; + a brick:Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -687,8 +448,7 @@ , . - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -698,8 +458,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; + a brick:Outside_Air_Dewpoint_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasTag , , @@ -709,8 +468,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Flow_Sensor, - brick:Point ; + a brick:Outside_Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -720,8 +478,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -731,8 +488,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; + a brick:Exhaust_Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -742,8 +498,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; + a brick:Exhaust_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -753,8 +508,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Flow_Sensor ; + a brick:Return_Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -764,8 +518,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; + a brick:Return_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Temperature" ; brick:hasTag , , @@ -775,8 +528,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; + a brick:Zone_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-Zone-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -786,8 +538,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -797,8 +548,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; + a brick:Outside_Air_Dewpoint_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasTag , , @@ -808,8 +558,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Flow_Sensor, - brick:Point ; + a brick:Outside_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -819,8 +568,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -830,8 +578,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; + a brick:Exhaust_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -841,8 +588,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; + a brick:Exhaust_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -852,8 +598,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Flow_Sensor ; + a brick:Return_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -863,8 +608,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; + a brick:Return_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Temperature" ; brick:hasTag , , @@ -874,8 +618,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; + a brick:Zone_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -885,8 +628,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -896,8 +638,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; + a brick:Outside_Air_Dewpoint_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasTag , , @@ -907,8 +648,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Flow_Sensor, - brick:Point ; + a brick:Outside_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -918,8 +658,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -929,8 +668,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; + a brick:Exhaust_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -940,8 +678,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; + a brick:Exhaust_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -951,8 +688,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Flow_Sensor ; + a brick:Return_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -962,8 +698,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; + a brick:Return_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Temperature" ; brick:hasTag , , @@ -973,8 +708,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; + a brick:Zone_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -984,8 +718,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -995,8 +728,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; + a brick:Outside_Air_Dewpoint_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasTag , , @@ -1006,8 +738,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Flow_Sensor, - brick:Point ; + a brick:Outside_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1017,8 +748,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1028,8 +758,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; + a brick:Exhaust_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1039,8 +768,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; + a brick:Exhaust_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1050,8 +778,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Flow_Sensor ; + a brick:Return_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1061,8 +788,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; + a brick:Return_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1072,8 +798,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; + a brick:Zone_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1083,8 +808,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1094,8 +818,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; + a brick:Outside_Air_Dewpoint_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasTag , , @@ -1105,8 +828,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Flow_Sensor, - brick:Point ; + a brick:Outside_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1116,8 +838,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1127,8 +848,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; + a brick:Exhaust_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1138,8 +858,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; + a brick:Exhaust_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1149,8 +868,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Flow_Sensor ; + a brick:Return_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , , @@ -1160,8 +878,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; + a brick:Return_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1171,8 +888,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; + a brick:Zone_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node_System_Node_Temperature" ; brick:hasTag , , @@ -1189,8 +905,7 @@ , . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasTag , , @@ -1212,8 +927,7 @@ ; brick:isPartOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1224,8 +938,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1236,8 +949,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1248,8 +960,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1261,7 +972,6 @@ brick:isPointOf . a brick:Discharge_Air_Flow_Sensor, - brick:Point, brick:Supply_Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , @@ -1274,7 +984,6 @@ brick:isPointOf . a brick:Discharge_Air_Temperature_Sensor, - brick:Point, brick:Supply_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Temperature" ; brick:hasTag , @@ -1286,8 +995,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Core_ZN-ZN-Zone-Air-Node-Cooling-Setpoint" ; brick:hasTag , , @@ -1298,8 +1006,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1310,8 +1017,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasTag , , @@ -1333,8 +1039,7 @@ ; brick:isPartOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1345,8 +1050,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1357,8 +1061,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1369,8 +1072,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1382,7 +1084,6 @@ brick:isPointOf . a brick:Discharge_Air_Flow_Sensor, - brick:Point, brick:Supply_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , @@ -1395,7 +1096,6 @@ brick:isPointOf . a brick:Discharge_Air_Temperature_Sensor, - brick:Point, brick:Supply_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Temperature" ; brick:hasTag , @@ -1407,8 +1107,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node-Cooling-Setpoint" ; brick:hasTag , , @@ -1419,8 +1118,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1431,8 +1129,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasTag , , @@ -1454,8 +1151,7 @@ ; brick:isPartOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1466,8 +1162,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1478,8 +1173,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1490,8 +1184,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1503,7 +1196,6 @@ brick:isPointOf . a brick:Discharge_Air_Flow_Sensor, - brick:Point, brick:Supply_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , @@ -1516,7 +1208,6 @@ brick:isPointOf . a brick:Discharge_Air_Temperature_Sensor, - brick:Point, brick:Supply_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Temperature" ; brick:hasTag , @@ -1528,8 +1219,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Cooling-Setpoint" ; brick:hasTag , , @@ -1540,8 +1230,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1552,8 +1241,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasTag , , @@ -1575,8 +1263,7 @@ ; brick:isPartOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1587,8 +1274,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1599,8 +1285,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1611,8 +1296,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1624,7 +1308,6 @@ brick:isPointOf . a brick:Discharge_Air_Flow_Sensor, - brick:Point, brick:Supply_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , @@ -1637,7 +1320,6 @@ brick:isPointOf . a brick:Discharge_Air_Temperature_Sensor, - brick:Point, brick:Supply_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Temperature" ; brick:hasTag , @@ -1649,8 +1331,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node-Cooling-Setpoint" ; brick:hasTag , , @@ -1661,8 +1342,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1673,8 +1353,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasTag , , @@ -1696,8 +1375,7 @@ ; brick:isPartOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1708,8 +1386,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1720,8 +1397,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1732,8 +1408,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1745,7 +1420,6 @@ brick:isPointOf . a brick:Discharge_Air_Flow_Sensor, - brick:Point, brick:Supply_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; brick:hasTag , @@ -1758,7 +1432,6 @@ brick:isPointOf . a brick:Discharge_Air_Temperature_Sensor, - brick:Point, brick:Supply_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Temperature" ; brick:hasTag , @@ -1770,8 +1443,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node-Cooling-Setpoint" ; brick:hasTag , , @@ -1782,8 +1454,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; brick:hasTag , , @@ -1794,8 +1465,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Building, - brick:Location ; + a brick:Building ; rdfs:label "smallOffice" ; brick:hasTag , ; @@ -1828,7 +1498,6 @@ brick:isPartOf . a brick:Discharge_Air_Humidity_Sensor, - brick:Point, brick:Supply_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , @@ -1841,8 +1510,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; rdfs:label "Core_ZN-ZN-Zone-Air-Node-Heating-Setpoint" ; brick:hasTag , , @@ -1877,7 +1545,6 @@ brick:isPartOf . a brick:Discharge_Air_Humidity_Sensor, - brick:Point, brick:Supply_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , @@ -1890,8 +1557,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node-Heating-Setpoint" ; brick:hasTag , , @@ -1926,7 +1592,6 @@ brick:isPartOf . a brick:Discharge_Air_Humidity_Sensor, - brick:Point, brick:Supply_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , @@ -1939,8 +1604,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Heating-Setpoint" ; brick:hasTag , , @@ -1975,7 +1639,6 @@ brick:isPartOf . a brick:Discharge_Air_Humidity_Sensor, - brick:Point, brick:Supply_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , @@ -1988,8 +1651,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node-Heating-Setpoint" ; brick:hasTag , , @@ -2024,7 +1686,6 @@ brick:isPartOf . a brick:Discharge_Air_Humidity_Sensor, - brick:Point, brick:Supply_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Relative_Humidity" ; brick:hasTag , @@ -2037,8 +1698,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node-Heating-Setpoint" ; brick:hasTag , , @@ -2050,8 +1710,7 @@ brick:hasUnit ; brick:isPointOf . - a brick:HVAC_Zone, - brick:Location ; + a brick:HVAC_Zone ; rdfs:label "Core_ZN-ZN" ; brick:hasPoint , , @@ -2075,8 +1734,7 @@ ; brick:isPartOf . - a brick:HVAC_Zone, - brick:Location ; + a brick:HVAC_Zone ; rdfs:label "Perimeter_ZN_1-ZN" ; brick:hasPoint , , @@ -2100,8 +1758,7 @@ ; brick:isPartOf . - a brick:HVAC_Zone, - brick:Location ; + a brick:HVAC_Zone ; rdfs:label "Perimeter_ZN_2-ZN" ; brick:hasPoint , , @@ -2125,8 +1782,7 @@ ; brick:isPartOf . - a brick:HVAC_Zone, - brick:Location ; + a brick:HVAC_Zone ; rdfs:label "Perimeter_ZN_3-ZN" ; brick:hasPoint , , @@ -2150,8 +1806,7 @@ ; brick:isPartOf . - a brick:HVAC_Zone, - brick:Location ; + a brick:HVAC_Zone ; rdfs:label "Perimeter_ZN_4-ZN" ; brick:hasPoint , , @@ -2195,8 +1850,7 @@ , , , - , - brick:Mixed_Air . + . brick:isTagOf , , @@ -2351,8 +2005,7 @@ , , , - , - brick:Exhaust_Air . + . brick:isTagOf , , @@ -2384,8 +2037,7 @@ , , , - , - brick:Return_Air . + . brick:isTagOf , , @@ -2438,9 +2090,7 @@ , , , - , - brick:Discharge_Air, - brick:Supply_Air . + . brick:isTagOf , , @@ -2482,8 +2132,7 @@ , , , - , - brick:Outside_Air . + . brick:isTagOf , , @@ -2504,9 +2153,7 @@ , , , - , - brick:Discharge_Air, - brick:Supply_Air . + . brick:isTagOf , , @@ -2558,8 +2205,7 @@ , , , - , - brick:Zone_Air . + . a brick:AHU, brick:Air_Handler_Unit, @@ -3005,17 +2651,7 @@ , , , - , - brick:Air, - brick:Building_Air, - brick:Bypass_Air, - brick:Discharge_Air, - brick:Exhaust_Air, - brick:Mixed_Air, - brick:Outside_Air, - brick:Return_Air, - brick:Supply_Air, - brick:Zone_Air . + . brick:isTagOf , , @@ -3129,12 +2765,9 @@ . brick:isTagOf , - , - , , , , - , , , , @@ -3158,12 +2791,9 @@ , , , - , - , , , , - , , , , @@ -3187,12 +2817,9 @@ , , , - , - , , , , - , , , , @@ -3216,12 +2843,9 @@ , , , - , - , , , , - , , , , @@ -3245,12 +2869,9 @@ , , , - , - , , , , - , , , , diff --git a/tests/unit/test_template_api.py b/tests/unit/test_template_api.py index ef7d2239d..8aeb8f421 100644 --- a/tests/unit/test_template_api.py +++ b/tests/unit/test_template_api.py @@ -1,3 +1,5 @@ +import warnings + import pytest from rdflib import Graph, Namespace @@ -198,9 +200,9 @@ def test_template_evaluate_with_optional(bm: BuildingMOTIF): assert t.parameters == {"occ"} # assert no warning is raised when optional args are not required - with pytest.warns(None) as record: + with warnings.catch_warnings(): + warnings.simplefilter("error") t = templ.evaluate({"name": BLDG["vav"]}) - assert len(record) == 0 with pytest.warns(): partial_templ = templ.evaluate( diff --git a/tests/unit/test_utils.py b/tests/unit/test_utils.py index 8693c7f81..b735f81bb 100644 --- a/tests/unit/test_utils.py +++ b/tests/unit/test_utils.py @@ -51,6 +51,23 @@ def test_get_template_parts_from_shape(): ] . """ ) + body, deps = get_template_parts_from_shape(MODEL["shape1"], shape_graph) + assert len(deps) == 0 + assert (PARAM["name"], A, MODEL["shape1"]) in body + + shape_graph = Graph() + shape_graph.parse( + data=PREAMBLE + + """ + :shape1 a owl:Class, sh:NodeShape ; + sh:property [ + sh:path brick:hasPoint ; + sh:node brick:Temperature_Sensor ; + sh:minCount 1 ; + ] . + """ + ) + body, deps = get_template_parts_from_shape(MODEL["shape1"], shape_graph) assert len(deps) == 1 assert deps[0]["template"] == str(BRICK.Temperature_Sensor) From 550e263472d79f9674bbd56fc2eea523bcc57343 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 11:36:58 -0700 Subject: [PATCH 13/61] use non-deprecated warnings; make sure warnings are emitted when necessary --- buildingmotif/dataclasses/library.py | 12 +++++++----- buildingmotif/dataclasses/template.py | 3 ++- 2 files changed, 9 insertions(+), 6 deletions(-) diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index 5118491b5..fdd446c7b 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -112,7 +112,7 @@ def create(cls, name: str, overwrite: Optional[bool] = True) -> "Library": if overwrite: cls._clear_library(db_library) else: - logging.warn( + logging.warning( f'Library {name} already exists in database. To ovewrite load library with "overwrite=True"' # noqa ) except sqlalchemy.exc.NoResultFound: @@ -334,7 +334,7 @@ def _load_from_directory( if not overwrite: if cls._library_exists(directory.name): - logging.warn( + logging.warning( f'Library "{directory.name}" already exists in database and "overwrite=False". Returning existing library.' # noqa ) return Library.load(name=directory.name) @@ -422,16 +422,18 @@ def _resolve_dependency( # if the dependency is not in the local cache, then search through this library's imports # for the template for imp in self.graph_imports: - library = Library.load(name=imp) try: + library = Library.load(name=imp) dependee = library.get_template_by_name(dep["template"]) template.add_dependency(dependee, dep["args"]) return except Exception as e: logging.debug( - f"Could not find dependee {dep['template']} in library {library.name}: {e}" + f"Could not find dependee {dep['template']} in library {imp}: {e}" ) - logging.warn(f"Warning: could not find dependee {dep['template']}") + logging.warning( + f"Warning: could not find dependee {dep['template']} in libraries {self.graph_imports}" + ) def _resolve_template_dependencies( self, diff --git a/buildingmotif/dataclasses/template.py b/buildingmotif/dataclasses/template.py index 0fe2e9fbf..f0a585bf2 100644 --- a/buildingmotif/dataclasses/template.py +++ b/buildingmotif/dataclasses/template.py @@ -387,7 +387,8 @@ def evaluate( return templ.body if len(leftover_params) > 0 and warn_unused: warnings.warn( - f"Parameters \"{', '.join(leftover_params)}\" were not provided during evaluation" + f"Parameters \"{', '.join(leftover_params)}\" were not provided during evaluation", + UserWarning, ) return templ From b483f71a3c89098c31a1a44e43fc2f6fb041c9e3 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 11:37:23 -0700 Subject: [PATCH 14/61] clarify when dependencies are infered for SHACL shapes -> templates --- buildingmotif/utils.py | 27 +++++++++++++++++++++++---- 1 file changed, 23 insertions(+), 4 deletions(-) diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 950d3ec02..a4dd7e095 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -242,10 +242,24 @@ def get_template_parts_from_shape( else: param = _gensym() body.add((root_param, path, param)) - deps.append({"template": str(otype), "args": {"name": param}}) - body.add((param, RDF.type, otype)) - # add 'hasValue' + # if otype is object of sh:class and it's also a shape, add it to the deps + if (None, SH["class"], otype) in shape_graph and ( + otype, + RDF.type, + SH.NodeShape, + ) in shape_graph: + deps.append({"template": str(otype), "args": {"name": param}}) + body.add((param, RDF.type, otype)) + + # if otype is a shape, add it to the deps + elif (otype, RDF.type, SH.NodeShape) in shape_graph or ( + None, + SH["node"], + otype, + ) in shape_graph: + deps.append({"template": str(otype), "args": {"name": param}}) + body.add((param, RDF.type, otype)) pvalue = shape_graph.value(pshape, SH["hasValue"]) if pvalue: @@ -262,8 +276,13 @@ def get_template_parts_from_shape( for cls in classes: body.add((root_param, RDF.type, cls)) - nodes = shape_graph.objects(shape_name, SH["node"]) + # for all objects of sh:node, add them to the deps if they haven't been added + # already through the property shapes above + nodes = shape_graph.cbd(shape_name).objects(predicate=SH["node"], unique=True) for node in nodes: + # if node is already in deps, skip it + if any(str(node) == dep["template"] for dep in deps): + continue deps.append( {"template": str(node), "args": {"name": "name"}} ) # tie to root param From 1bbdc3a95cb0758ef04c9aa3a4ec8c2a9ede4e60 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 11:37:44 -0700 Subject: [PATCH 15/61] update dependencies --- poetry.lock | 2008 +++++++++++++++++++++++------------------------- pyproject.toml | 7 +- 2 files changed, 955 insertions(+), 1060 deletions(-) diff --git a/poetry.lock b/poetry.lock index 3e35e6912..32cbc76f7 100644 --- a/poetry.lock +++ b/poetry.lock @@ -1,10 +1,9 @@ -# This file is automatically @generated by Poetry and should not be changed by hand. +# This file is automatically @generated by Poetry 1.8.2 and should not be changed by hand. [[package]] name = "accessible-pygments" version = "0.0.4" description = "A collection of accessible pygments styles" -category = "dev" optional = false python-versions = "*" files = [ @@ -19,7 +18,6 @@ pygments = ">=1.5" name = "alabaster" version = "0.7.13" description = "A configurable sidebar-enabled Sphinx theme" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -29,14 +27,13 @@ files = [ [[package]] name = "alembic" -version = "1.12.1" +version = "1.13.1" description = "A database migration tool for SQLAlchemy." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "alembic-1.12.1-py3-none-any.whl", hash = "sha256:47d52e3dfb03666ed945becb723d6482e52190917fdb47071440cfdba05d92cb"}, - {file = "alembic-1.12.1.tar.gz", hash = "sha256:bca5877e9678b454706347bc10b97cb7d67f300320fa5c3a94423e8266e2823f"}, + {file = "alembic-1.13.1-py3-none-any.whl", hash = "sha256:2edcc97bed0bd3272611ce3a98d98279e9c209e7186e43e75bbb1b2bdfdbcc43"}, + {file = "alembic-1.13.1.tar.gz", hash = "sha256:4932c8558bf68f2ee92b9bbcb8218671c627064d5b08939437af6d77dc05e595"}, ] [package.dependencies] @@ -47,47 +44,45 @@ SQLAlchemy = ">=1.3.0" typing-extensions = ">=4" [package.extras] -tz = ["python-dateutil"] +tz = ["backports.zoneinfo"] [[package]] name = "anyio" -version = "4.0.0" +version = "4.3.0" description = "High level compatibility layer for multiple asynchronous event loop implementations" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "anyio-4.0.0-py3-none-any.whl", hash = "sha256:cfdb2b588b9fc25ede96d8db56ed50848b0b649dca3dd1df0b11f683bb9e0b5f"}, - {file = "anyio-4.0.0.tar.gz", hash = "sha256:f7ed51751b2c2add651e5747c891b47e26d2a21be5d32d9311dfe9692f3e5d7a"}, + {file = "anyio-4.3.0-py3-none-any.whl", hash = "sha256:048e05d0f6caeed70d731f3db756d35dcc1f35747c8c403364a8332c630441b8"}, + {file = "anyio-4.3.0.tar.gz", hash = "sha256:f75253795a87df48568485fd18cdd2a3fa5c4f7c5be8e5e36637733fce06fed6"}, ] [package.dependencies] exceptiongroup = {version = ">=1.0.2", markers = "python_version < \"3.11\""} idna = ">=2.8" sniffio = ">=1.1" +typing-extensions = {version = ">=4.1", markers = "python_version < \"3.11\""} [package.extras] -doc = ["Sphinx (>=7)", "packaging", "sphinx-autodoc-typehints (>=1.2.0)"] -test = ["anyio[trio]", "coverage[toml] (>=7)", "hypothesis (>=4.0)", "psutil (>=5.9)", "pytest (>=7.0)", "pytest-mock (>=3.6.1)", "trustme", "uvloop (>=0.17)"] -trio = ["trio (>=0.22)"] +doc = ["Sphinx (>=7)", "packaging", "sphinx-autodoc-typehints (>=1.2.0)", "sphinx-rtd-theme"] +test = ["anyio[trio]", "coverage[toml] (>=7)", "exceptiongroup (>=1.2.0)", "hypothesis (>=4.0)", "psutil (>=5.9)", "pytest (>=7.0)", "pytest-mock (>=3.6.1)", "trustme", "uvloop (>=0.17)"] +trio = ["trio (>=0.23)"] [[package]] name = "appnope" -version = "0.1.3" +version = "0.1.4" description = "Disable App Nap on macOS >= 10.9" -category = "main" optional = false -python-versions = "*" +python-versions = ">=3.6" files = [ - {file = "appnope-0.1.3-py2.py3-none-any.whl", hash = "sha256:265a455292d0bd8a72453494fa24df5a11eb18373a60c7c0430889f22548605e"}, - {file = "appnope-0.1.3.tar.gz", hash = "sha256:02bd91c4de869fbb1e1c50aafc4098827a7a54ab2f39d9dcba6c9547ed920e24"}, + {file = "appnope-0.1.4-py2.py3-none-any.whl", hash = "sha256:502575ee11cd7a28c0205f379b525beefebab9d161b7c964670864014ed7213c"}, + {file = "appnope-0.1.4.tar.gz", hash = "sha256:1de3860566df9caf38f01f86f65e0e13e379af54f9e4bee1e66b48f2efffd1ee"}, ] [[package]] name = "argon2-cffi" version = "23.1.0" description = "Argon2 for Python" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -108,7 +103,6 @@ typing = ["mypy"] name = "argon2-cffi-bindings" version = "21.2.0" description = "Low-level CFFI bindings for Argon2" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -146,7 +140,6 @@ tests = ["pytest"] name = "arrow" version = "1.3.0" description = "Better dates & times for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -160,13 +153,12 @@ types-python-dateutil = ">=2.8.10" [package.extras] doc = ["doc8", "sphinx (>=7.0.0)", "sphinx-autobuild", "sphinx-autodoc-typehints", "sphinx_rtd_theme (>=1.3.0)"] -test = ["dateparser (>=1.0.0,<2.0.0)", "pre-commit", "pytest", "pytest-cov", "pytest-mock", "pytz (==2021.1)", "simplejson (>=3.0.0,<4.0.0)"] +test = ["dateparser (==1.*)", "pre-commit", "pytest", "pytest-cov", "pytest-mock", "pytz (==2021.1)", "simplejson (==3.*)"] [[package]] name = "asttokens" version = "2.4.1" description = "Annotate AST trees with source code positions" -category = "main" optional = false python-versions = "*" files = [ @@ -185,7 +177,6 @@ test = ["astroid (>=1,<2)", "astroid (>=2,<4)", "pytest"] name = "async-lru" version = "2.0.4" description = "Simple LRU cache for asyncio" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -198,33 +189,32 @@ typing-extensions = {version = ">=4.0.0", markers = "python_version < \"3.11\""} [[package]] name = "attrs" -version = "23.1.0" +version = "23.2.0" description = "Classes Without Boilerplate" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "attrs-23.1.0-py3-none-any.whl", hash = "sha256:1f28b4522cdc2fb4256ac1a020c78acf9cba2c6b461ccd2c126f3aa8e8335d04"}, - {file = "attrs-23.1.0.tar.gz", hash = "sha256:6279836d581513a26f1bf235f9acd333bc9115683f14f7e8fae46c98fc50e015"}, + {file = "attrs-23.2.0-py3-none-any.whl", hash = "sha256:99b87a485a5820b23b879f04c2305b44b951b502fd64be915879d77a7e8fc6f1"}, + {file = "attrs-23.2.0.tar.gz", hash = "sha256:935dc3b529c262f6cf76e50877d35a4bd3c1de194fd41f47a2b7ae8f19971f30"}, ] [package.extras] cov = ["attrs[tests]", "coverage[toml] (>=5.3)"] -dev = ["attrs[docs,tests]", "pre-commit"] +dev = ["attrs[tests]", "pre-commit"] docs = ["furo", "myst-parser", "sphinx", "sphinx-notfound-page", "sphinxcontrib-towncrier", "towncrier", "zope-interface"] tests = ["attrs[tests-no-zope]", "zope-interface"] -tests-no-zope = ["cloudpickle", "hypothesis", "mypy (>=1.1.1)", "pympler", "pytest (>=4.3.0)", "pytest-mypy-plugins", "pytest-xdist[psutil]"] +tests-mypy = ["mypy (>=1.6)", "pytest-mypy-plugins"] +tests-no-zope = ["attrs[tests-mypy]", "cloudpickle", "hypothesis", "pympler", "pytest (>=4.3.0)", "pytest-xdist[psutil]"] [[package]] name = "babel" -version = "2.13.1" +version = "2.14.0" description = "Internationalization utilities" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "Babel-2.13.1-py3-none-any.whl", hash = "sha256:7077a4984b02b6727ac10f1f7294484f737443d7e2e66c5e4380e41a3ae0b4ed"}, - {file = "Babel-2.13.1.tar.gz", hash = "sha256:33e0952d7dd6374af8dbf6768cc4ddf3ccfefc244f9986d4074704f2fbd18900"}, + {file = "Babel-2.14.0-py3-none-any.whl", hash = "sha256:efb1a25b7118e67ce3a259bed20545c29cb68be8ad2c784c83689981b7a57287"}, + {file = "Babel-2.14.0.tar.gz", hash = "sha256:6919867db036398ba21eb5c7a0f6b28ab8cbc3ae7a73a44ebe34ae74a4e7d363"}, ] [package.dependencies] @@ -237,7 +227,6 @@ dev = ["freezegun (>=1.0,<2.0)", "pytest (>=6.0)", "pytest-cov"] name = "bac0" version = "22.9.21" description = "BACnet Scripting Framework for testing DDC Controls" -category = "dev" optional = false python-versions = "*" files = [ @@ -253,7 +242,6 @@ colorama = "*" name = "backcall" version = "0.2.0" description = "Specifications for callback functions passed in to an API" -category = "main" optional = false python-versions = "*" files = [ @@ -265,7 +253,6 @@ files = [ name = "bacpypes" version = "0.18.7" description = "BACnet Communications Library" -category = "dev" optional = false python-versions = "*" files = [ @@ -275,20 +262,22 @@ files = [ [[package]] name = "beautifulsoup4" -version = "4.12.2" +version = "4.12.3" description = "Screen-scraping library" -category = "dev" optional = false python-versions = ">=3.6.0" files = [ - {file = "beautifulsoup4-4.12.2-py3-none-any.whl", hash = "sha256:bd2520ca0d9d7d12694a53d44ac482d181b4ec1888909b035a3dbf40d0f57d4a"}, - {file = "beautifulsoup4-4.12.2.tar.gz", hash = "sha256:492bbc69dca35d12daac71c4db1bfff0c876c00ef4a2ffacce226d4638eb72da"}, + {file = "beautifulsoup4-4.12.3-py3-none-any.whl", hash = "sha256:b80878c9f40111313e55da8ba20bdba06d8fa3969fc68304167741bbf9e082ed"}, + {file = "beautifulsoup4-4.12.3.tar.gz", hash = "sha256:74e3d1928edc070d21748185c46e3fb33490f22f52a3addee9aee0f4f7781051"}, ] [package.dependencies] soupsieve = ">1.2" [package.extras] +cchardet = ["cchardet"] +chardet = ["chardet"] +charset-normalizer = ["charset-normalizer"] html5lib = ["html5lib"] lxml = ["lxml"] @@ -296,7 +285,6 @@ lxml = ["lxml"] name = "black" version = "22.12.0" description = "The uncompromising code formatter." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -332,7 +320,6 @@ uvloop = ["uvloop (>=0.15.2)"] name = "bleach" version = "6.1.0" description = "An easy safelist-based HTML-sanitizing tool." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -349,33 +336,30 @@ css = ["tinycss2 (>=1.1.0,<1.3)"] [[package]] name = "blinker" -version = "1.6.3" +version = "1.7.0" description = "Fast, simple object-to-object and broadcast signaling" -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "blinker-1.6.3-py3-none-any.whl", hash = "sha256:296320d6c28b006eb5e32d4712202dbcdcbf5dc482da298c2f44881c43884aaa"}, - {file = "blinker-1.6.3.tar.gz", hash = "sha256:152090d27c1c5c722ee7e48504b02d76502811ce02e1523553b4cf8c8b3d3a8d"}, + {file = "blinker-1.7.0-py3-none-any.whl", hash = "sha256:c3f865d4d54db7abc53758a01601cf343fe55b84c1de4e3fa910e420b438d5b9"}, + {file = "blinker-1.7.0.tar.gz", hash = "sha256:e6820ff6fa4e4d1d8e2747c2283749c3f547e4fee112b98555cdcdae32996182"}, ] [[package]] name = "certifi" -version = "2023.7.22" +version = "2024.2.2" description = "Python package for providing Mozilla's CA Bundle." -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "certifi-2023.7.22-py3-none-any.whl", hash = "sha256:92d6037539857d8206b8f6ae472e8b77db8058fec5937a1ef3f54304089edbb9"}, - {file = "certifi-2023.7.22.tar.gz", hash = "sha256:539cc1d13202e33ca466e88b2807e29f4c13049d6d87031a3c110744495cb082"}, + {file = "certifi-2024.2.2-py3-none-any.whl", hash = "sha256:dc383c07b76109f368f6106eee2b593b04a011ea4d55f652c6ca24a754d1cdd1"}, + {file = "certifi-2024.2.2.tar.gz", hash = "sha256:0569859f95fc761b18b45ef421b1290a0f65f147e92a1e5eb3e635f9a5e4e66f"}, ] [[package]] name = "cffi" version = "1.16.0" description = "Foreign Function Interface for Python calling C code." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -440,7 +424,6 @@ pycparser = "*" name = "cfgv" version = "3.4.0" description = "Validate configuration and produce human readable error messages." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -450,109 +433,107 @@ files = [ [[package]] name = "charset-normalizer" -version = "3.3.1" +version = "3.3.2" description = "The Real First Universal Charset Detector. Open, modern and actively maintained alternative to Chardet." -category = "dev" optional = false python-versions = ">=3.7.0" files = [ - {file = "charset-normalizer-3.3.1.tar.gz", hash = "sha256:d9137a876020661972ca6eec0766d81aef8a5627df628b664b234b73396e727e"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:8aee051c89e13565c6bd366813c386939f8e928af93c29fda4af86d25b73d8f8"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:352a88c3df0d1fa886562384b86f9a9e27563d4704ee0e9d56ec6fcd270ea690"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:223b4d54561c01048f657fa6ce41461d5ad8ff128b9678cfe8b2ecd951e3f8a2"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4f861d94c2a450b974b86093c6c027888627b8082f1299dfd5a4bae8e2292821"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1171ef1fc5ab4693c5d151ae0fdad7f7349920eabbaca6271f95969fa0756c2d"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:28f512b9a33235545fbbdac6a330a510b63be278a50071a336afc1b78781b147"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c0e842112fe3f1a4ffcf64b06dc4c61a88441c2f02f373367f7b4c1aa9be2ad5"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3f9bc2ce123637a60ebe819f9fccc614da1bcc05798bbbaf2dd4ec91f3e08846"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:f194cce575e59ffe442c10a360182a986535fd90b57f7debfaa5c845c409ecc3"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:9a74041ba0bfa9bc9b9bb2cd3238a6ab3b7618e759b41bd15b5f6ad958d17605"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:b578cbe580e3b41ad17b1c428f382c814b32a6ce90f2d8e39e2e635d49e498d1"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:6db3cfb9b4fcecb4390db154e75b49578c87a3b9979b40cdf90d7e4b945656e1"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:debb633f3f7856f95ad957d9b9c781f8e2c6303ef21724ec94bea2ce2fcbd056"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-win32.whl", hash = "sha256:87071618d3d8ec8b186d53cb6e66955ef2a0e4fa63ccd3709c0c90ac5a43520f"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-win_amd64.whl", hash = "sha256:e372d7dfd154009142631de2d316adad3cc1c36c32a38b16a4751ba78da2a397"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ae4070f741f8d809075ef697877fd350ecf0b7c5837ed68738607ee0a2c572cf"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:58e875eb7016fd014c0eea46c6fa92b87b62c0cb31b9feae25cbbe62c919f54d"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:dbd95e300367aa0827496fe75a1766d198d34385a58f97683fe6e07f89ca3e3c"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:de0b4caa1c8a21394e8ce971997614a17648f94e1cd0640fbd6b4d14cab13a72"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:985c7965f62f6f32bf432e2681173db41336a9c2611693247069288bcb0c7f8b"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a15c1fe6d26e83fd2e5972425a772cca158eae58b05d4a25a4e474c221053e2d"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ae55d592b02c4349525b6ed8f74c692509e5adffa842e582c0f861751701a673"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:be4d9c2770044a59715eb57c1144dedea7c5d5ae80c68fb9959515037cde2008"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:851cf693fb3aaef71031237cd68699dded198657ec1e76a76eb8be58c03a5d1f"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:31bbaba7218904d2eabecf4feec0d07469284e952a27400f23b6628439439fa7"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:871d045d6ccc181fd863a3cd66ee8e395523ebfbc57f85f91f035f50cee8e3d4"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:501adc5eb6cd5f40a6f77fbd90e5ab915c8fd6e8c614af2db5561e16c600d6f3"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:f5fb672c396d826ca16a022ac04c9dce74e00a1c344f6ad1a0fdc1ba1f332213"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-win32.whl", hash = "sha256:bb06098d019766ca16fc915ecaa455c1f1cd594204e7f840cd6258237b5079a8"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-win_amd64.whl", hash = "sha256:8af5a8917b8af42295e86b64903156b4f110a30dca5f3b5aedea123fbd638bff"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:7ae8e5142dcc7a49168f4055255dbcced01dc1714a90a21f87448dc8d90617d1"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:5b70bab78accbc672f50e878a5b73ca692f45f5b5e25c8066d748c09405e6a55"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:5ceca5876032362ae73b83347be8b5dbd2d1faf3358deb38c9c88776779b2e2f"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:34d95638ff3613849f473afc33f65c401a89f3b9528d0d213c7037c398a51296"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:9edbe6a5bf8b56a4a84533ba2b2f489d0046e755c29616ef8830f9e7d9cf5728"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:f6a02a3c7950cafaadcd46a226ad9e12fc9744652cc69f9e5534f98b47f3bbcf"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:10b8dd31e10f32410751b3430996f9807fc4d1587ca69772e2aa940a82ab571a"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:edc0202099ea1d82844316604e17d2b175044f9bcb6b398aab781eba957224bd"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:b891a2f68e09c5ef989007fac11476ed33c5c9994449a4e2c3386529d703dc8b"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:71ef3b9be10070360f289aea4838c784f8b851be3ba58cf796262b57775c2f14"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:55602981b2dbf8184c098bc10287e8c245e351cd4fdcad050bd7199d5a8bf514"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:46fb9970aa5eeca547d7aa0de5d4b124a288b42eaefac677bde805013c95725c"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:520b7a142d2524f999447b3a0cf95115df81c4f33003c51a6ab637cbda9d0bf4"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-win32.whl", hash = "sha256:8ec8ef42c6cd5856a7613dcd1eaf21e5573b2185263d87d27c8edcae33b62a61"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-win_amd64.whl", hash = "sha256:baec8148d6b8bd5cee1ae138ba658c71f5b03e0d69d5907703e3e1df96db5e41"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:63a6f59e2d01310f754c270e4a257426fe5a591dc487f1983b3bbe793cf6bac6"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1d6bfc32a68bc0933819cfdfe45f9abc3cae3877e1d90aac7259d57e6e0f85b1"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4f3100d86dcd03c03f7e9c3fdb23d92e32abbca07e7c13ebd7ddfbcb06f5991f"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:39b70a6f88eebe239fa775190796d55a33cfb6d36b9ffdd37843f7c4c1b5dc67"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4e12f8ee80aa35e746230a2af83e81bd6b52daa92a8afaef4fea4a2ce9b9f4fa"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7b6cefa579e1237ce198619b76eaa148b71894fb0d6bcf9024460f9bf30fd228"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:61f1e3fb621f5420523abb71f5771a204b33c21d31e7d9d86881b2cffe92c47c"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:4f6e2a839f83a6a76854d12dbebde50e4b1afa63e27761549d006fa53e9aa80e"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:1ec937546cad86d0dce5396748bf392bb7b62a9eeb8c66efac60e947697f0e58"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:82ca51ff0fc5b641a2d4e1cc8c5ff108699b7a56d7f3ad6f6da9dbb6f0145b48"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:633968254f8d421e70f91c6ebe71ed0ab140220469cf87a9857e21c16687c034"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-win32.whl", hash = "sha256:c0c72d34e7de5604df0fde3644cc079feee5e55464967d10b24b1de268deceb9"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-win_amd64.whl", hash = "sha256:63accd11149c0f9a99e3bc095bbdb5a464862d77a7e309ad5938fbc8721235ae"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:5a3580a4fdc4ac05f9e53c57f965e3594b2f99796231380adb2baaab96e22761"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:2465aa50c9299d615d757c1c888bc6fef384b7c4aec81c05a0172b4400f98557"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:cb7cd68814308aade9d0c93c5bd2ade9f9441666f8ba5aa9c2d4b389cb5e2a45"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:91e43805ccafa0a91831f9cd5443aa34528c0c3f2cc48c4cb3d9a7721053874b"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:854cc74367180beb327ab9d00f964f6d91da06450b0855cbbb09187bcdb02de5"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c15070ebf11b8b7fd1bfff7217e9324963c82dbdf6182ff7050519e350e7ad9f"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2c4c99f98fc3a1835af8179dcc9013f93594d0670e2fa80c83aa36346ee763d2"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3fb765362688821404ad6cf86772fc54993ec11577cd5a92ac44b4c2ba52155b"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:dced27917823df984fe0c80a5c4ad75cf58df0fbfae890bc08004cd3888922a2"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:a66bcdf19c1a523e41b8e9d53d0cedbfbac2e93c649a2e9502cb26c014d0980c"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:ecd26be9f112c4f96718290c10f4caea6cc798459a3a76636b817a0ed7874e42"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:3f70fd716855cd3b855316b226a1ac8bdb3caf4f7ea96edcccc6f484217c9597"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:17a866d61259c7de1bdadef418a37755050ddb4b922df8b356503234fff7932c"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-win32.whl", hash = "sha256:548eefad783ed787b38cb6f9a574bd8664468cc76d1538215d510a3cd41406cb"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-win_amd64.whl", hash = "sha256:45f053a0ece92c734d874861ffe6e3cc92150e32136dd59ab1fb070575189c97"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:bc791ec3fd0c4309a753f95bb6c749ef0d8ea3aea91f07ee1cf06b7b02118f2f"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:0c8c61fb505c7dad1d251c284e712d4e0372cef3b067f7ddf82a7fa82e1e9a93"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:2c092be3885a1b7899cd85ce24acedc1034199d6fca1483fa2c3a35c86e43041"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c2000c54c395d9e5e44c99dc7c20a64dc371f777faf8bae4919ad3e99ce5253e"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4cb50a0335382aac15c31b61d8531bc9bb657cfd848b1d7158009472189f3d62"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c30187840d36d0ba2893bc3271a36a517a717f9fd383a98e2697ee890a37c273"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fe81b35c33772e56f4b6cf62cf4aedc1762ef7162a31e6ac7fe5e40d0149eb67"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d0bf89afcbcf4d1bb2652f6580e5e55a840fdf87384f6063c4a4f0c95e378656"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:06cf46bdff72f58645434d467bf5228080801298fbba19fe268a01b4534467f5"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:3c66df3f41abee950d6638adc7eac4730a306b022570f71dd0bd6ba53503ab57"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:cd805513198304026bd379d1d516afbf6c3c13f4382134a2c526b8b854da1c2e"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:9505dc359edb6a330efcd2be825fdb73ee3e628d9010597aa1aee5aa63442e97"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:31445f38053476a0c4e6d12b047b08ced81e2c7c712e5a1ad97bc913256f91b2"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-win32.whl", hash = "sha256:bd28b31730f0e982ace8663d108e01199098432a30a4c410d06fe08fdb9e93f4"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-win_amd64.whl", hash = "sha256:555fe186da0068d3354cdf4bbcbc609b0ecae4d04c921cc13e209eece7720727"}, - {file = "charset_normalizer-3.3.1-py3-none-any.whl", hash = "sha256:800561453acdecedaac137bf09cd719c7a440b6800ec182f077bb8e7025fb708"}, + {file = "charset-normalizer-3.3.2.tar.gz", hash = "sha256:f30c3cb33b24454a82faecaf01b19c18562b1e89558fb6c56de4d9118a032fd5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:25baf083bf6f6b341f4121c2f3c548875ee6f5339300e08be3f2b2ba1721cdd3"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:06435b539f889b1f6f4ac1758871aae42dc3a8c0e24ac9e60c2384973ad73027"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:9063e24fdb1e498ab71cb7419e24622516c4a04476b17a2dab57e8baa30d6e03"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6897af51655e3691ff853668779c7bad41579facacf5fd7253b0133308cf000d"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1d3193f4a680c64b4b6a9115943538edb896edc190f0b222e73761716519268e"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cd70574b12bb8a4d2aaa0094515df2463cb429d8536cfb6c7ce983246983e5a6"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8465322196c8b4d7ab6d1e049e4c5cb460d0394da4a27d23cc242fbf0034b6b5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a9a8e9031d613fd2009c182b69c7b2c1ef8239a0efb1df3f7c8da66d5dd3d537"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:beb58fe5cdb101e3a055192ac291b7a21e3b7ef4f67fa1d74e331a7f2124341c"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:e06ed3eb3218bc64786f7db41917d4e686cc4856944f53d5bdf83a6884432e12"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:2e81c7b9c8979ce92ed306c249d46894776a909505d8f5a4ba55b14206e3222f"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:572c3763a264ba47b3cf708a44ce965d98555f618ca42c926a9c1616d8f34269"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd1abc0d89e30cc4e02e4064dc67fcc51bd941eb395c502aac3ec19fab46b519"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win32.whl", hash = "sha256:3d47fa203a7bd9c5b6cee4736ee84ca03b8ef23193c0d1ca99b5089f72645c73"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win_amd64.whl", hash = "sha256:10955842570876604d404661fbccbc9c7e684caf432c09c715ec38fbae45ae09"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:802fe99cca7457642125a8a88a084cef28ff0cf9407060f7b93dca5aa25480db"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:573f6eac48f4769d667c4442081b1794f52919e7edada77495aaed9236d13a96"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:549a3a73da901d5bc3ce8d24e0600d1fa85524c10287f6004fbab87672bf3e1e"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f27273b60488abe721a075bcca6d7f3964f9f6f067c8c4c605743023d7d3944f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1ceae2f17a9c33cb48e3263960dc5fc8005351ee19db217e9b1bb15d28c02574"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:65f6f63034100ead094b8744b3b97965785388f308a64cf8d7c34f2f2e5be0c4"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:753f10e867343b4511128c6ed8c82f7bec3bd026875576dfd88483c5c73b2fd8"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a78b2b446bd7c934f5dcedc588903fb2f5eec172f3d29e52a9096a43722adfc"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e537484df0d8f426ce2afb2d0f8e1c3d0b114b83f8850e5f2fbea0e797bd82ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:eb6904c354526e758fda7167b33005998fb68c46fbc10e013ca97f21ca5c8887"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:deb6be0ac38ece9ba87dea880e438f25ca3eddfac8b002a2ec3d9183a454e8ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:4ab2fe47fae9e0f9dee8c04187ce5d09f48eabe611be8259444906793ab7cbce"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:80402cd6ee291dcb72644d6eac93785fe2c8b9cb30893c1af5b8fdd753b9d40f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win32.whl", hash = "sha256:7cd13a2e3ddeed6913a65e66e94b51d80a041145a026c27e6bb76c31a853c6ab"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win_amd64.whl", hash = "sha256:663946639d296df6a2bb2aa51b60a2454ca1cb29835324c640dafb5ff2131a77"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:0b2b64d2bb6d3fb9112bafa732def486049e63de9618b5843bcdd081d8144cd8"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:ddbb2551d7e0102e7252db79ba445cdab71b26640817ab1e3e3648dad515003b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:55086ee1064215781fff39a1af09518bc9255b50d6333f2e4c74ca09fac6a8f6"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8f4a014bc36d3c57402e2977dada34f9c12300af536839dc38c0beab8878f38a"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a10af20b82360ab00827f916a6058451b723b4e65030c5a18577c8b2de5b3389"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8d756e44e94489e49571086ef83b2bb8ce311e730092d2c34ca8f7d925cb20aa"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:90d558489962fd4918143277a773316e56c72da56ec7aa3dc3dbbe20fdfed15b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6ac7ffc7ad6d040517be39eb591cac5ff87416c2537df6ba3cba3bae290c0fed"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7ed9e526742851e8d5cc9e6cf41427dfc6068d4f5a3bb03659444b4cabf6bc26"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8bdb58ff7ba23002a4c5808d608e4e6c687175724f54a5dade5fa8c67b604e4d"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:6b3251890fff30ee142c44144871185dbe13b11bab478a88887a639655be1068"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:b4a23f61ce87adf89be746c8a8974fe1c823c891d8f86eb218bb957c924bb143"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:efcb3f6676480691518c177e3b465bcddf57cea040302f9f4e6e191af91174d4"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win32.whl", hash = "sha256:d965bba47ddeec8cd560687584e88cf699fd28f192ceb452d1d7ee807c5597b7"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win_amd64.whl", hash = "sha256:96b02a3dc4381e5494fad39be677abcb5e6634bf7b4fa83a6dd3112607547001"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:95f2a5796329323b8f0512e09dbb7a1860c46a39da62ecb2324f116fa8fdc85c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c002b4ffc0be611f0d9da932eb0f704fe2602a9a949d1f738e4c34c75b0863d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a981a536974bbc7a512cf44ed14938cf01030a99e9b3a06dd59578882f06f985"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3287761bc4ee9e33561a7e058c72ac0938c4f57fe49a09eae428fd88aafe7bb6"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:42cb296636fcc8b0644486d15c12376cb9fa75443e00fb25de0b8602e64c1714"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0a55554a2fa0d408816b3b5cedf0045f4b8e1a6065aec45849de2d6f3f8e9786"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:c083af607d2515612056a31f0a8d9e0fcb5876b7bfc0abad3ecd275bc4ebc2d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:87d1351268731db79e0f8e745d92493ee2841c974128ef629dc518b937d9194c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:bd8f7df7d12c2db9fab40bdd87a7c09b1530128315d047a086fa3ae3435cb3a8"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:c180f51afb394e165eafe4ac2936a14bee3eb10debc9d9e4db8958fe36afe711"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:8c622a5fe39a48f78944a87d4fb8a53ee07344641b0562c540d840748571b811"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win32.whl", hash = "sha256:db364eca23f876da6f9e16c9da0df51aa4f104a972735574842618b8c6d999d4"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win_amd64.whl", hash = "sha256:86216b5cee4b06df986d214f664305142d9c76df9b6512be2738aa72a2048f99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:6463effa3186ea09411d50efc7d85360b38d5f09b870c48e4600f63af490e56a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:6c4caeef8fa63d06bd437cd4bdcf3ffefe6738fb1b25951440d80dc7df8c03ac"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:37e55c8e51c236f95b033f6fb391d7d7970ba5fe7ff453dad675e88cf303377a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fb69256e180cb6c8a894fee62b3afebae785babc1ee98b81cdf68bbca1987f33"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ae5f4161f18c61806f411a13b0310bea87f987c7d2ecdbdaad0e94eb2e404238"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b2b0a0c0517616b6869869f8c581d4eb2dd83a4d79e0ebcb7d373ef9956aeb0a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:45485e01ff4d3630ec0d9617310448a8702f70e9c01906b0d0118bdf9d124cf2"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:eb00ed941194665c332bf8e078baf037d6c35d7c4f3102ea2d4f16ca94a26dc8"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:2127566c664442652f024c837091890cb1942c30937add288223dc895793f898"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:a50aebfa173e157099939b17f18600f72f84eed3049e743b68ad15bd69b6bf99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:4d0d1650369165a14e14e1e47b372cfcb31d6ab44e6e33cb2d4e57265290044d"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:923c0c831b7cfcb071580d3f46c4baf50f174be571576556269530f4bbd79d04"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:06a81e93cd441c56a9b65d8e1d043daeb97a3d0856d177d5c90ba85acb3db087"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win32.whl", hash = "sha256:6ef1d82a3af9d3eecdba2321dc1b3c238245d890843e040e41e470ffa64c3e25"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win_amd64.whl", hash = "sha256:eb8821e09e916165e160797a6c17edda0679379a4be5c716c260e836e122f54b"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:c235ebd9baae02f1b77bcea61bce332cb4331dc3617d254df3323aa01ab47bd4"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:5b4c145409bef602a690e7cfad0a15a55c13320ff7a3ad7ca59c13bb8ba4d45d"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:68d1f8a9e9e37c1223b656399be5d6b448dea850bed7d0f87a8311f1ff3dabb0"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:22afcb9f253dac0696b5a4be4a1c0f8762f8239e21b99680099abd9b2b1b2269"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e27ad930a842b4c5eb8ac0016b0a54f5aebbe679340c26101df33424142c143c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:1f79682fbe303db92bc2b1136016a38a42e835d932bab5b3b1bfcfbf0640e519"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b261ccdec7821281dade748d088bb6e9b69e6d15b30652b74cbbac25e280b796"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:122c7fa62b130ed55f8f285bfd56d5f4b4a5b503609d181f9ad85e55c89f4185"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:d0eccceffcb53201b5bfebb52600a5fb483a20b61da9dbc885f8b103cbe7598c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:9f96df6923e21816da7e0ad3fd47dd8f94b2a5ce594e00677c0013018b813458"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:7f04c839ed0b6b98b1a7501a002144b76c18fb1c1850c8b98d458ac269e26ed2"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:34d1c8da1e78d2e001f363791c98a272bb734000fcef47a491c1e3b0505657a8"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:ff8fa367d09b717b2a17a052544193ad76cd49979c805768879cb63d9ca50561"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win32.whl", hash = "sha256:aed38f6e4fb3f5d6bf81bfa990a07806be9d83cf7bacef998ab1a9bd660a581f"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win_amd64.whl", hash = "sha256:b01b88d45a6fcb69667cd6d2f7a9aeb4bf53760d7fc536bf679ec94fe9f3ff3d"}, + {file = "charset_normalizer-3.3.2-py3-none-any.whl", hash = "sha256:3e4d1f6587322d2788836a99c69062fbb091331ec940e02d12d179c1d53e25fc"}, ] [[package]] name = "click" version = "8.1.7" description = "Composable command line interface toolkit" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -567,7 +548,6 @@ colorama = {version = "*", markers = "platform_system == \"Windows\""} name = "colorama" version = "0.4.6" description = "Cross-platform colored terminal text." -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*,>=2.7" files = [ @@ -577,84 +557,80 @@ files = [ [[package]] name = "comm" -version = "0.1.4" +version = "0.2.1" description = "Jupyter Python Comm implementation, for usage in ipykernel, xeus-python etc." -category = "main" optional = false -python-versions = ">=3.6" +python-versions = ">=3.8" files = [ - {file = "comm-0.1.4-py3-none-any.whl", hash = "sha256:6d52794cba11b36ed9860999cd10fd02d6b2eac177068fdd585e1e2f8a96e67a"}, - {file = "comm-0.1.4.tar.gz", hash = "sha256:354e40a59c9dd6db50c5cc6b4acc887d82e9603787f83b68c01a80a923984d15"}, + {file = "comm-0.2.1-py3-none-any.whl", hash = "sha256:87928485c0dfc0e7976fd89fc1e187023cf587e7c353e4a9b417555b44adf021"}, + {file = "comm-0.2.1.tar.gz", hash = "sha256:0bc91edae1344d39d3661dcbc36937181fdaddb304790458f8b044dbc064b89a"}, ] [package.dependencies] traitlets = ">=4" [package.extras] -lint = ["black (>=22.6.0)", "mdformat (>0.7)", "mdformat-gfm (>=0.3.5)", "ruff (>=0.0.156)"] test = ["pytest"] -typing = ["mypy (>=0.990)"] [[package]] name = "coverage" -version = "7.3.2" +version = "7.4.3" description = "Code coverage measurement for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.3.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:d872145f3a3231a5f20fd48500274d7df222e291d90baa2026cc5152b7ce86bf"}, - {file = "coverage-7.3.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:310b3bb9c91ea66d59c53fa4989f57d2436e08f18fb2f421a1b0b6b8cc7fffda"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f47d39359e2c3779c5331fc740cf4bce6d9d680a7b4b4ead97056a0ae07cb49a"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:aa72dbaf2c2068404b9870d93436e6d23addd8bbe9295f49cbca83f6e278179c"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:beaa5c1b4777f03fc63dfd2a6bd820f73f036bfb10e925fce067b00a340d0f3f"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:dbc1b46b92186cc8074fee9d9fbb97a9dd06c6cbbef391c2f59d80eabdf0faa6"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:315a989e861031334d7bee1f9113c8770472db2ac484e5b8c3173428360a9148"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:d1bc430677773397f64a5c88cb522ea43175ff16f8bfcc89d467d974cb2274f9"}, - {file = "coverage-7.3.2-cp310-cp310-win32.whl", hash = "sha256:a889ae02f43aa45032afe364c8ae84ad3c54828c2faa44f3bfcafecb5c96b02f"}, - {file = "coverage-7.3.2-cp310-cp310-win_amd64.whl", hash = "sha256:c0ba320de3fb8c6ec16e0be17ee1d3d69adcda99406c43c0409cb5c41788a611"}, - {file = "coverage-7.3.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:ac8c802fa29843a72d32ec56d0ca792ad15a302b28ca6203389afe21f8fa062c"}, - {file = "coverage-7.3.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:89a937174104339e3a3ffcf9f446c00e3a806c28b1841c63edb2b369310fd074"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e267e9e2b574a176ddb983399dec325a80dbe161f1a32715c780b5d14b5f583a"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2443cbda35df0d35dcfb9bf8f3c02c57c1d6111169e3c85fc1fcc05e0c9f39a3"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4175e10cc8dda0265653e8714b3174430b07c1dca8957f4966cbd6c2b1b8065a"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:0cbf38419fb1a347aaf63481c00f0bdc86889d9fbf3f25109cf96c26b403fda1"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:5c913b556a116b8d5f6ef834038ba983834d887d82187c8f73dec21049abd65c"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:1981f785239e4e39e6444c63a98da3a1db8e971cb9ceb50a945ba6296b43f312"}, - {file = "coverage-7.3.2-cp311-cp311-win32.whl", hash = "sha256:43668cabd5ca8258f5954f27a3aaf78757e6acf13c17604d89648ecc0cc66640"}, - {file = "coverage-7.3.2-cp311-cp311-win_amd64.whl", hash = "sha256:e10c39c0452bf6e694511c901426d6b5ac005acc0f78ff265dbe36bf81f808a2"}, - {file = "coverage-7.3.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:4cbae1051ab791debecc4a5dcc4a1ff45fc27b91b9aee165c8a27514dd160836"}, - {file = "coverage-7.3.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:12d15ab5833a997716d76f2ac1e4b4d536814fc213c85ca72756c19e5a6b3d63"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3c7bba973ebee5e56fe9251300c00f1579652587a9f4a5ed8404b15a0471f216"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fe494faa90ce6381770746077243231e0b83ff3f17069d748f645617cefe19d4"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f6e9589bd04d0461a417562649522575d8752904d35c12907d8c9dfeba588faf"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:d51ac2a26f71da1b57f2dc81d0e108b6ab177e7d30e774db90675467c847bbdf"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:99b89d9f76070237975b315b3d5f4d6956ae354a4c92ac2388a5695516e47c84"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:fa28e909776dc69efb6ed975a63691bc8172b64ff357e663a1bb06ff3c9b589a"}, - {file = "coverage-7.3.2-cp312-cp312-win32.whl", hash = "sha256:289fe43bf45a575e3ab10b26d7b6f2ddb9ee2dba447499f5401cfb5ecb8196bb"}, - {file = "coverage-7.3.2-cp312-cp312-win_amd64.whl", hash = "sha256:7dbc3ed60e8659bc59b6b304b43ff9c3ed858da2839c78b804973f613d3e92ed"}, - {file = "coverage-7.3.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:f94b734214ea6a36fe16e96a70d941af80ff3bfd716c141300d95ebc85339738"}, - {file = "coverage-7.3.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:af3d828d2c1cbae52d34bdbb22fcd94d1ce715d95f1a012354a75e5913f1bda2"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:630b13e3036e13c7adc480ca42fa7afc2a5d938081d28e20903cf7fd687872e2"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c9eacf273e885b02a0273bb3a2170f30e2d53a6d53b72dbe02d6701b5296101c"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d8f17966e861ff97305e0801134e69db33b143bbfb36436efb9cfff6ec7b2fd9"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:b4275802d16882cf9c8b3d057a0839acb07ee9379fa2749eca54efbce1535b82"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:72c0cfa5250f483181e677ebc97133ea1ab3eb68645e494775deb6a7f6f83901"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:cb536f0dcd14149425996821a168f6e269d7dcd2c273a8bff8201e79f5104e76"}, - {file = "coverage-7.3.2-cp38-cp38-win32.whl", hash = "sha256:307adb8bd3abe389a471e649038a71b4eb13bfd6b7dd9a129fa856f5c695cf92"}, - {file = "coverage-7.3.2-cp38-cp38-win_amd64.whl", hash = "sha256:88ed2c30a49ea81ea3b7f172e0269c182a44c236eb394718f976239892c0a27a"}, - {file = "coverage-7.3.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:b631c92dfe601adf8f5ebc7fc13ced6bb6e9609b19d9a8cd59fa47c4186ad1ce"}, - {file = "coverage-7.3.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:d3d9df4051c4a7d13036524b66ecf7a7537d14c18a384043f30a303b146164e9"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5f7363d3b6a1119ef05015959ca24a9afc0ea8a02c687fe7e2d557705375c01f"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2f11cc3c967a09d3695d2a6f03fb3e6236622b93be7a4b5dc09166a861be6d25"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:149de1d2401ae4655c436a3dced6dd153f4c3309f599c3d4bd97ab172eaf02d9"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:3a4006916aa6fee7cd38db3bfc95aa9c54ebb4ffbfc47c677c8bba949ceba0a6"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:9028a3871280110d6e1aa2df1afd5ef003bab5fb1ef421d6dc748ae1c8ef2ebc"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:9f805d62aec8eb92bab5b61c0f07329275b6f41c97d80e847b03eb894f38d083"}, - {file = "coverage-7.3.2-cp39-cp39-win32.whl", hash = "sha256:d1c88ec1a7ff4ebca0219f5b1ef863451d828cccf889c173e1253aa84b1e07ce"}, - {file = "coverage-7.3.2-cp39-cp39-win_amd64.whl", hash = "sha256:b4767da59464bb593c07afceaddea61b154136300881844768037fd5e859353f"}, - {file = "coverage-7.3.2-pp38.pp39.pp310-none-any.whl", hash = "sha256:ae97af89f0fbf373400970c0a21eef5aa941ffeed90aee43650b81f7d7f47637"}, - {file = "coverage-7.3.2.tar.gz", hash = "sha256:be32ad29341b0170e795ca590e1c07e81fc061cb5b10c74ce7203491484404ef"}, + {file = "coverage-7.4.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8580b827d4746d47294c0e0b92854c85a92c2227927433998f0d3320ae8a71b6"}, + {file = "coverage-7.4.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:718187eeb9849fc6cc23e0d9b092bc2348821c5e1a901c9f8975df0bc785bfd4"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:767b35c3a246bcb55b8044fd3a43b8cd553dd1f9f2c1eeb87a302b1f8daa0524"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ae7f19afe0cce50039e2c782bff379c7e347cba335429678450b8fe81c4ef96d"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba3a8aaed13770e970b3df46980cb068d1c24af1a1968b7818b69af8c4347efb"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:ee866acc0861caebb4f2ab79f0b94dbfbdbfadc19f82e6e9c93930f74e11d7a0"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:506edb1dd49e13a2d4cac6a5173317b82a23c9d6e8df63efb4f0380de0fbccbc"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd6545d97c98a192c5ac995d21c894b581f1fd14cf389be90724d21808b657e2"}, + {file = "coverage-7.4.3-cp310-cp310-win32.whl", hash = "sha256:f6a09b360d67e589236a44f0c39218a8efba2593b6abdccc300a8862cffc2f94"}, + {file = "coverage-7.4.3-cp310-cp310-win_amd64.whl", hash = "sha256:18d90523ce7553dd0b7e23cbb28865db23cddfd683a38fb224115f7826de78d0"}, + {file = "coverage-7.4.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:cbbe5e739d45a52f3200a771c6d2c7acf89eb2524890a4a3aa1a7fa0695d2a47"}, + {file = "coverage-7.4.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:489763b2d037b164846ebac0cbd368b8a4ca56385c4090807ff9fad817de4113"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:451f433ad901b3bb00184d83fd83d135fb682d780b38af7944c9faeecb1e0bfe"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fcc66e222cf4c719fe7722a403888b1f5e1682d1679bd780e2b26c18bb648cdc"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b3ec74cfef2d985e145baae90d9b1b32f85e1741b04cd967aaf9cfa84c1334f3"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:abbbd8093c5229c72d4c2926afaee0e6e3140de69d5dcd918b2921f2f0c8baba"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:35eb581efdacf7b7422af677b92170da4ef34500467381e805944a3201df2079"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:8249b1c7334be8f8c3abcaaa996e1e4927b0e5a23b65f5bf6cfe3180d8ca7840"}, + {file = "coverage-7.4.3-cp311-cp311-win32.whl", hash = "sha256:cf30900aa1ba595312ae41978b95e256e419d8a823af79ce670835409fc02ad3"}, + {file = "coverage-7.4.3-cp311-cp311-win_amd64.whl", hash = "sha256:18c7320695c949de11a351742ee001849912fd57e62a706d83dfc1581897fa2e"}, + {file = "coverage-7.4.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b51bfc348925e92a9bd9b2e48dad13431b57011fd1038f08316e6bf1df107d10"}, + {file = "coverage-7.4.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:d6cdecaedea1ea9e033d8adf6a0ab11107b49571bbb9737175444cea6eb72328"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3b2eccb883368f9e972e216c7b4c7c06cabda925b5f06dde0650281cb7666a30"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6c00cdc8fa4e50e1cc1f941a7f2e3e0f26cb2a1233c9696f26963ff58445bac7"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b9a4a8dd3dcf4cbd3165737358e4d7dfbd9d59902ad11e3b15eebb6393b0446e"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:062b0a75d9261e2f9c6d071753f7eef0fc9caf3a2c82d36d76667ba7b6470003"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:ebe7c9e67a2d15fa97b77ea6571ce5e1e1f6b0db71d1d5e96f8d2bf134303c1d"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:c0a120238dd71c68484f02562f6d446d736adcc6ca0993712289b102705a9a3a"}, + {file = "coverage-7.4.3-cp312-cp312-win32.whl", hash = "sha256:37389611ba54fd6d278fde86eb2c013c8e50232e38f5c68235d09d0a3f8aa352"}, + {file = "coverage-7.4.3-cp312-cp312-win_amd64.whl", hash = "sha256:d25b937a5d9ffa857d41be042b4238dd61db888533b53bc76dc082cb5a15e914"}, + {file = "coverage-7.4.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:28ca2098939eabab044ad68850aac8f8db6bf0b29bc7f2887d05889b17346454"}, + {file = "coverage-7.4.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:280459f0a03cecbe8800786cdc23067a8fc64c0bd51dc614008d9c36e1659d7e"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6c0cdedd3500e0511eac1517bf560149764b7d8e65cb800d8bf1c63ebf39edd2"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9a9babb9466fe1da12417a4aed923e90124a534736de6201794a3aea9d98484e"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dec9de46a33cf2dd87a5254af095a409ea3bf952d85ad339751e7de6d962cde6"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:16bae383a9cc5abab9bb05c10a3e5a52e0a788325dc9ba8499e821885928968c"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2c854ce44e1ee31bda4e318af1dbcfc929026d12c5ed030095ad98197eeeaed0"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:ce8c50520f57ec57aa21a63ea4f325c7b657386b3f02ccaedeccf9ebe27686e1"}, + {file = "coverage-7.4.3-cp38-cp38-win32.whl", hash = "sha256:708a3369dcf055c00ddeeaa2b20f0dd1ce664eeabde6623e516c5228b753654f"}, + {file = "coverage-7.4.3-cp38-cp38-win_amd64.whl", hash = "sha256:1bf25fbca0c8d121a3e92a2a0555c7e5bc981aee5c3fdaf4bb7809f410f696b9"}, + {file = "coverage-7.4.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:3b253094dbe1b431d3a4ac2f053b6d7ede2664ac559705a704f621742e034f1f"}, + {file = "coverage-7.4.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77fbfc5720cceac9c200054b9fab50cb2a7d79660609200ab83f5db96162d20c"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6679060424faa9c11808598504c3ab472de4531c571ab2befa32f4971835788e"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4af154d617c875b52651dd8dd17a31270c495082f3d55f6128e7629658d63765"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8640f1fde5e1b8e3439fe482cdc2b0bb6c329f4bb161927c28d2e8879c6029ee"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:69b9f6f66c0af29642e73a520b6fed25ff9fd69a25975ebe6acb297234eda501"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:0842571634f39016a6c03e9d4aba502be652a6e4455fadb73cd3a3a49173e38f"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:a78ed23b08e8ab524551f52953a8a05d61c3a760781762aac49f8de6eede8c45"}, + {file = "coverage-7.4.3-cp39-cp39-win32.whl", hash = "sha256:c0524de3ff096e15fcbfe8f056fdb4ea0bf497d584454f344d59fce069d3e6e9"}, + {file = "coverage-7.4.3-cp39-cp39-win_amd64.whl", hash = "sha256:0209a6369ccce576b43bb227dc8322d8ef9e323d089c6f3f26a597b09cb4d2aa"}, + {file = "coverage-7.4.3-pp38.pp39.pp310-none-any.whl", hash = "sha256:7cbde573904625509a3f37b6fecea974e363460b556a627c60dc2f47e2fffa51"}, + {file = "coverage-7.4.3.tar.gz", hash = "sha256:276f6077a5c61447a48d133ed13e759c09e62aff0dc84274a68dc18660104d52"}, ] [package.dependencies] @@ -665,37 +641,39 @@ toml = ["tomli"] [[package]] name = "debugpy" -version = "1.8.0" +version = "1.8.1" description = "An implementation of the Debug Adapter Protocol for Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "debugpy-1.8.0-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:7fb95ca78f7ac43393cd0e0f2b6deda438ec7c5e47fa5d38553340897d2fbdfb"}, - {file = "debugpy-1.8.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ef9ab7df0b9a42ed9c878afd3eaaff471fce3fa73df96022e1f5c9f8f8c87ada"}, - {file = "debugpy-1.8.0-cp310-cp310-win32.whl", hash = "sha256:a8b7a2fd27cd9f3553ac112f356ad4ca93338feadd8910277aff71ab24d8775f"}, - {file = "debugpy-1.8.0-cp310-cp310-win_amd64.whl", hash = "sha256:5d9de202f5d42e62f932507ee8b21e30d49aae7e46d5b1dd5c908db1d7068637"}, - {file = "debugpy-1.8.0-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:ef54404365fae8d45cf450d0544ee40cefbcb9cb85ea7afe89a963c27028261e"}, - {file = "debugpy-1.8.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:60009b132c91951354f54363f8ebdf7457aeb150e84abba5ae251b8e9f29a8a6"}, - {file = "debugpy-1.8.0-cp311-cp311-win32.whl", hash = "sha256:8cd0197141eb9e8a4566794550cfdcdb8b3db0818bdf8c49a8e8f8053e56e38b"}, - {file = "debugpy-1.8.0-cp311-cp311-win_amd64.whl", hash = "sha256:a64093656c4c64dc6a438e11d59369875d200bd5abb8f9b26c1f5f723622e153"}, - {file = "debugpy-1.8.0-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:b05a6b503ed520ad58c8dc682749113d2fd9f41ffd45daec16e558ca884008cd"}, - {file = "debugpy-1.8.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3c6fb41c98ec51dd010d7ed650accfd07a87fe5e93eca9d5f584d0578f28f35f"}, - {file = "debugpy-1.8.0-cp38-cp38-win32.whl", hash = "sha256:46ab6780159eeabb43c1495d9c84cf85d62975e48b6ec21ee10c95767c0590aa"}, - {file = "debugpy-1.8.0-cp38-cp38-win_amd64.whl", hash = "sha256:bdc5ef99d14b9c0fcb35351b4fbfc06ac0ee576aeab6b2511702e5a648a2e595"}, - {file = "debugpy-1.8.0-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:61eab4a4c8b6125d41a34bad4e5fe3d2cc145caecd63c3fe953be4cc53e65bf8"}, - {file = "debugpy-1.8.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:125b9a637e013f9faac0a3d6a82bd17c8b5d2c875fb6b7e2772c5aba6d082332"}, - {file = "debugpy-1.8.0-cp39-cp39-win32.whl", hash = "sha256:57161629133113c97b387382045649a2b985a348f0c9366e22217c87b68b73c6"}, - {file = "debugpy-1.8.0-cp39-cp39-win_amd64.whl", hash = "sha256:e3412f9faa9ade82aa64a50b602544efcba848c91384e9f93497a458767e6926"}, - {file = "debugpy-1.8.0-py2.py3-none-any.whl", hash = "sha256:9c9b0ac1ce2a42888199df1a1906e45e6f3c9555497643a85e0bf2406e3ffbc4"}, - {file = "debugpy-1.8.0.zip", hash = "sha256:12af2c55b419521e33d5fb21bd022df0b5eb267c3e178f1d374a63a2a6bdccd0"}, + {file = "debugpy-1.8.1-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:3bda0f1e943d386cc7a0e71bfa59f4137909e2ed947fb3946c506e113000f741"}, + {file = "debugpy-1.8.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dda73bf69ea479c8577a0448f8c707691152e6c4de7f0c4dec5a4bc11dee516e"}, + {file = "debugpy-1.8.1-cp310-cp310-win32.whl", hash = "sha256:3a79c6f62adef994b2dbe9fc2cc9cc3864a23575b6e387339ab739873bea53d0"}, + {file = "debugpy-1.8.1-cp310-cp310-win_amd64.whl", hash = "sha256:7eb7bd2b56ea3bedb009616d9e2f64aab8fc7000d481faec3cd26c98a964bcdd"}, + {file = "debugpy-1.8.1-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:016a9fcfc2c6b57f939673c874310d8581d51a0fe0858e7fac4e240c5eb743cb"}, + {file = "debugpy-1.8.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fd97ed11a4c7f6d042d320ce03d83b20c3fb40da892f994bc041bbc415d7a099"}, + {file = "debugpy-1.8.1-cp311-cp311-win32.whl", hash = "sha256:0de56aba8249c28a300bdb0672a9b94785074eb82eb672db66c8144fff673146"}, + {file = "debugpy-1.8.1-cp311-cp311-win_amd64.whl", hash = "sha256:1a9fe0829c2b854757b4fd0a338d93bc17249a3bf69ecf765c61d4c522bb92a8"}, + {file = "debugpy-1.8.1-cp312-cp312-macosx_11_0_universal2.whl", hash = "sha256:3ebb70ba1a6524d19fa7bb122f44b74170c447d5746a503e36adc244a20ac539"}, + {file = "debugpy-1.8.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a2e658a9630f27534e63922ebf655a6ab60c370f4d2fc5c02a5b19baf4410ace"}, + {file = "debugpy-1.8.1-cp312-cp312-win32.whl", hash = "sha256:caad2846e21188797a1f17fc09c31b84c7c3c23baf2516fed5b40b378515bbf0"}, + {file = "debugpy-1.8.1-cp312-cp312-win_amd64.whl", hash = "sha256:edcc9f58ec0fd121a25bc950d4578df47428d72e1a0d66c07403b04eb93bcf98"}, + {file = "debugpy-1.8.1-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:7a3afa222f6fd3d9dfecd52729bc2e12c93e22a7491405a0ecbf9e1d32d45b39"}, + {file = "debugpy-1.8.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d915a18f0597ef685e88bb35e5d7ab968964b7befefe1aaea1eb5b2640b586c7"}, + {file = "debugpy-1.8.1-cp38-cp38-win32.whl", hash = "sha256:92116039b5500633cc8d44ecc187abe2dfa9b90f7a82bbf81d079fcdd506bae9"}, + {file = "debugpy-1.8.1-cp38-cp38-win_amd64.whl", hash = "sha256:e38beb7992b5afd9d5244e96ad5fa9135e94993b0c551ceebf3fe1a5d9beb234"}, + {file = "debugpy-1.8.1-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:bfb20cb57486c8e4793d41996652e5a6a885b4d9175dd369045dad59eaacea42"}, + {file = "debugpy-1.8.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:efd3fdd3f67a7e576dd869c184c5dd71d9aaa36ded271939da352880c012e703"}, + {file = "debugpy-1.8.1-cp39-cp39-win32.whl", hash = "sha256:58911e8521ca0c785ac7a0539f1e77e0ce2df753f786188f382229278b4cdf23"}, + {file = "debugpy-1.8.1-cp39-cp39-win_amd64.whl", hash = "sha256:6df9aa9599eb05ca179fb0b810282255202a66835c6efb1d112d21ecb830ddd3"}, + {file = "debugpy-1.8.1-py2.py3-none-any.whl", hash = "sha256:28acbe2241222b87e255260c76741e1fbf04fdc3b6d094fcf57b6c6f75ce1242"}, + {file = "debugpy-1.8.1.zip", hash = "sha256:f696d6be15be87aef621917585f9bb94b1dc9e8aced570db1b8a6fc14e8f9b42"}, ] [[package]] name = "decorator" version = "5.1.1" description = "Decorators for Humans" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -707,7 +685,6 @@ files = [ name = "defusedxml" version = "0.7.1" description = "XML bomb protection for Python stdlib modules" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -717,21 +694,19 @@ files = [ [[package]] name = "distlib" -version = "0.3.7" +version = "0.3.8" description = "Distribution utilities" -category = "dev" optional = false python-versions = "*" files = [ - {file = "distlib-0.3.7-py2.py3-none-any.whl", hash = "sha256:2e24928bc811348f0feb63014e97aaae3037f2cf48712d51ae61df7fd6075057"}, - {file = "distlib-0.3.7.tar.gz", hash = "sha256:9dafe54b34a028eafd95039d5e5d4851a13734540f1331060d31c9916e7147a8"}, + {file = "distlib-0.3.8-py2.py3-none-any.whl", hash = "sha256:034db59a0b96f8ca18035f36290806a9a6e6bd9d1ff91e45a7f172eb17e51784"}, + {file = "distlib-0.3.8.tar.gz", hash = "sha256:1530ea13e350031b6312d8580ddb6b27a104275a31106523b8f123787f494f64"}, ] [[package]] name = "docutils" version = "0.18.1" description = "Docutils -- Python Documentation Utilities" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -743,7 +718,6 @@ files = [ name = "et-xmlfile" version = "1.1.0" description = "An implementation of lxml.xmlfile for the standard library" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -753,14 +727,13 @@ files = [ [[package]] name = "exceptiongroup" -version = "1.1.3" +version = "1.2.0" description = "Backport of PEP 654 (exception groups)" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "exceptiongroup-1.1.3-py3-none-any.whl", hash = "sha256:343280667a4585d195ca1cf9cef84a4e178c4b6cf2274caef9859782b567d5e3"}, - {file = "exceptiongroup-1.1.3.tar.gz", hash = "sha256:097acd85d473d75af5bb98e41b61ff7fe35efe6675e4f9370ec6ec5126d160e9"}, + {file = "exceptiongroup-1.2.0-py3-none-any.whl", hash = "sha256:4bfd3996ac73b41e9b9628b04e079f193850720ea5945fc96a08633c66912f14"}, + {file = "exceptiongroup-1.2.0.tar.gz", hash = "sha256:91f5c769735f051a4290d52edd0858999b57e5876e9f85937691bd4c9fa3ed68"}, ] [package.extras] @@ -770,7 +743,6 @@ test = ["pytest (>=6)"] name = "executing" version = "2.0.1" description = "Get the currently executing AST node of a frame, and other information" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -783,14 +755,13 @@ tests = ["asttokens (>=2.1.0)", "coverage", "coverage-enable-subprocess", "ipyth [[package]] name = "fastjsonschema" -version = "2.18.1" +version = "2.19.1" description = "Fastest Python implementation of JSON schema" -category = "main" optional = false python-versions = "*" files = [ - {file = "fastjsonschema-2.18.1-py3-none-any.whl", hash = "sha256:aec6a19e9f66e9810ab371cc913ad5f4e9e479b63a7072a2cd060a9369e329a8"}, - {file = "fastjsonschema-2.18.1.tar.gz", hash = "sha256:06dc8680d937628e993fa0cd278f196d20449a1adc087640710846b324d422ea"}, + {file = "fastjsonschema-2.19.1-py3-none-any.whl", hash = "sha256:3672b47bc94178c9f23dbb654bf47440155d4db9df5f7bc47643315f9c405cd0"}, + {file = "fastjsonschema-2.19.1.tar.gz", hash = "sha256:e3126a94bdc4623d3de4485f8d468a12f02a67921315ddc87836d6e456dc789d"}, ] [package.extras] @@ -800,7 +771,6 @@ devel = ["colorama", "json-spec", "jsonschema", "pylint", "pytest", "pytest-benc name = "filelock" version = "3.13.1" description = "A platform independent file lock." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -817,7 +787,6 @@ typing = ["typing-extensions (>=4.8)"] name = "flake8" version = "5.0.4" description = "the modular source code checker: pep8 pyflakes and co" -category = "dev" optional = false python-versions = ">=3.6.1" files = [ @@ -834,7 +803,6 @@ pyflakes = ">=2.5.0,<2.6.0" name = "flask" version = "2.3.3" description = "A simple framework for building complex web applications." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -858,7 +826,6 @@ dotenv = ["python-dotenv"] name = "flask-api" version = "3.1" description = "Browsable web APIs for Flask." -category = "main" optional = false python-versions = "*" files = [ @@ -873,7 +840,6 @@ Flask = ">=2.0.0" name = "fqdn" version = "1.5.1" description = "Validates fully-qualified domain names against RFC 1123, so that they are acceptable to modern bowsers" -category = "dev" optional = false python-versions = ">=2.7, !=3.0, !=3.1, !=3.2, !=3.3, !=3.4, <4" files = [ @@ -883,80 +849,90 @@ files = [ [[package]] name = "greenlet" -version = "3.0.1" +version = "3.0.3" description = "Lightweight in-process concurrent programming" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "greenlet-3.0.1-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:f89e21afe925fcfa655965ca8ea10f24773a1791400989ff32f467badfe4a064"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:28e89e232c7593d33cac35425b58950789962011cc274aa43ef8865f2e11f46d"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b8ba29306c5de7717b5761b9ea74f9c72b9e2b834e24aa984da99cbfc70157fd"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19bbdf1cce0346ef7341705d71e2ecf6f41a35c311137f29b8a2dc2341374565"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:599daf06ea59bfedbec564b1692b0166a0045f32b6f0933b0dd4df59a854caf2"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:b641161c302efbb860ae6b081f406839a8b7d5573f20a455539823802c655f63"}, - {file = "greenlet-3.0.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:d57e20ba591727da0c230ab2c3f200ac9d6d333860d85348816e1dca4cc4792e"}, - {file = "greenlet-3.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:5805e71e5b570d490938d55552f5a9e10f477c19400c38bf1d5190d760691846"}, - {file = "greenlet-3.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:52e93b28db27ae7d208748f45d2db8a7b6a380e0d703f099c949d0f0d80b70e9"}, - {file = "greenlet-3.0.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:f7bfb769f7efa0eefcd039dd19d843a4fbfbac52f1878b1da2ed5793ec9b1a65"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:91e6c7db42638dc45cf2e13c73be16bf83179f7859b07cfc139518941320be96"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1757936efea16e3f03db20efd0cd50a1c86b06734f9f7338a90c4ba85ec2ad5a"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19075157a10055759066854a973b3d1325d964d498a805bb68a1f9af4aaef8ec"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e9d21aaa84557d64209af04ff48e0ad5e28c5cca67ce43444e939579d085da72"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:2847e5d7beedb8d614186962c3d774d40d3374d580d2cbdab7f184580a39d234"}, - {file = "greenlet-3.0.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:97e7ac860d64e2dcba5c5944cfc8fa9ea185cd84061c623536154d5a89237884"}, - {file = "greenlet-3.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:b2c02d2ad98116e914d4f3155ffc905fd0c025d901ead3f6ed07385e19122c94"}, - {file = "greenlet-3.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:22f79120a24aeeae2b4471c711dcf4f8c736a2bb2fabad2a67ac9a55ea72523c"}, - {file = "greenlet-3.0.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:100f78a29707ca1525ea47388cec8a049405147719f47ebf3895e7509c6446aa"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:60d5772e8195f4e9ebf74046a9121bbb90090f6550f81d8956a05387ba139353"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:daa7197b43c707462f06d2c693ffdbb5991cbb8b80b5b984007de431493a319c"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ea6b8aa9e08eea388c5f7a276fabb1d4b6b9d6e4ceb12cc477c3d352001768a9"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8d11ebbd679e927593978aa44c10fc2092bc454b7d13fdc958d3e9d508aba7d0"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:dbd4c177afb8a8d9ba348d925b0b67246147af806f0b104af4d24f144d461cd5"}, - {file = "greenlet-3.0.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:20107edf7c2c3644c67c12205dc60b1bb11d26b2610b276f97d666110d1b511d"}, - {file = "greenlet-3.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8bef097455dea90ffe855286926ae02d8faa335ed8e4067326257cb571fc1445"}, - {file = "greenlet-3.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:b2d3337dcfaa99698aa2377c81c9ca72fcd89c07e7eb62ece3f23a3fe89b2ce4"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:80ac992f25d10aaebe1ee15df45ca0d7571d0f70b645c08ec68733fb7a020206"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:337322096d92808f76ad26061a8f5fccb22b0809bea39212cd6c406f6a7060d2"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b9934adbd0f6e476f0ecff3c94626529f344f57b38c9a541f87098710b18af0a"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dc4d815b794fd8868c4d67602692c21bf5293a75e4b607bb92a11e821e2b859a"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:41bdeeb552d814bcd7fb52172b304898a35818107cc8778b5101423c9017b3de"}, - {file = "greenlet-3.0.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:6e6061bf1e9565c29002e3c601cf68569c450be7fc3f7336671af7ddb4657166"}, - {file = "greenlet-3.0.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:fa24255ae3c0ab67e613556375a4341af04a084bd58764731972bcbc8baeba36"}, - {file = "greenlet-3.0.1-cp37-cp37m-win32.whl", hash = "sha256:b489c36d1327868d207002391f662a1d163bdc8daf10ab2e5f6e41b9b96de3b1"}, - {file = "greenlet-3.0.1-cp37-cp37m-win_amd64.whl", hash = "sha256:f33f3258aae89da191c6ebaa3bc517c6c4cbc9b9f689e5d8452f7aedbb913fa8"}, - {file = "greenlet-3.0.1-cp38-cp38-macosx_11_0_universal2.whl", hash = "sha256:d2905ce1df400360463c772b55d8e2518d0e488a87cdea13dd2c71dcb2a1fa16"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0a02d259510b3630f330c86557331a3b0e0c79dac3d166e449a39363beaae174"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:55d62807f1c5a1682075c62436702aaba941daa316e9161e4b6ccebbbf38bda3"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3fcc780ae8edbb1d050d920ab44790201f027d59fdbd21362340a85c79066a74"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4eddd98afc726f8aee1948858aed9e6feeb1758889dfd869072d4465973f6bfd"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:eabe7090db68c981fca689299c2d116400b553f4b713266b130cfc9e2aa9c5a9"}, - {file = "greenlet-3.0.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:f2f6d303f3dee132b322a14cd8765287b8f86cdc10d2cb6a6fae234ea488888e"}, - {file = "greenlet-3.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:d923ff276f1c1f9680d32832f8d6c040fe9306cbfb5d161b0911e9634be9ef0a"}, - {file = "greenlet-3.0.1-cp38-cp38-win32.whl", hash = "sha256:0b6f9f8ca7093fd4433472fd99b5650f8a26dcd8ba410e14094c1e44cd3ceddd"}, - {file = "greenlet-3.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:990066bff27c4fcf3b69382b86f4c99b3652bab2a7e685d968cd4d0cfc6f67c6"}, - {file = "greenlet-3.0.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:ce85c43ae54845272f6f9cd8320d034d7a946e9773c693b27d620edec825e376"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:89ee2e967bd7ff85d84a2de09df10e021c9b38c7d91dead95b406ed6350c6997"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:87c8ceb0cf8a5a51b8008b643844b7f4a8264a2c13fcbcd8a8316161725383fe"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d6a8c9d4f8692917a3dc7eb25a6fb337bff86909febe2f793ec1928cd97bedfc"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9fbc5b8f3dfe24784cee8ce0be3da2d8a79e46a276593db6868382d9c50d97b1"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:85d2b77e7c9382f004b41d9c72c85537fac834fb141b0296942d52bf03fe4a3d"}, - {file = "greenlet-3.0.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:696d8e7d82398e810f2b3622b24e87906763b6ebfd90e361e88eb85b0e554dc8"}, - {file = "greenlet-3.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:329c5a2e5a0ee942f2992c5e3ff40be03e75f745f48847f118a3cfece7a28546"}, - {file = "greenlet-3.0.1-cp39-cp39-win32.whl", hash = "sha256:cf868e08690cb89360eebc73ba4be7fb461cfbc6168dd88e2fbbe6f31812cd57"}, - {file = "greenlet-3.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:ac4a39d1abae48184d420aa8e5e63efd1b75c8444dd95daa3e03f6c6310e9619"}, - {file = "greenlet-3.0.1.tar.gz", hash = "sha256:816bd9488a94cba78d93e1abb58000e8266fa9cc2aa9ccdd6eb0696acb24005b"}, + {file = "greenlet-3.0.3-cp310-cp310-macosx_11_0_universal2.whl", hash = "sha256:9da2bd29ed9e4f15955dd1595ad7bc9320308a3b766ef7f837e23ad4b4aac31a"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d353cadd6083fdb056bb46ed07e4340b0869c305c8ca54ef9da3421acbdf6881"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dca1e2f3ca00b84a396bc1bce13dd21f680f035314d2379c4160c98153b2059b"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3ed7fb269f15dc662787f4119ec300ad0702fa1b19d2135a37c2c4de6fadfd4a"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dd4f49ae60e10adbc94b45c0b5e6a179acc1736cf7a90160b404076ee283cf83"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:73a411ef564e0e097dbe7e866bb2dda0f027e072b04da387282b02c308807405"}, + {file = "greenlet-3.0.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:7f362975f2d179f9e26928c5b517524e89dd48530a0202570d55ad6ca5d8a56f"}, + {file = "greenlet-3.0.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:649dde7de1a5eceb258f9cb00bdf50e978c9db1b996964cd80703614c86495eb"}, + {file = "greenlet-3.0.3-cp310-cp310-win_amd64.whl", hash = "sha256:68834da854554926fbedd38c76e60c4a2e3198c6fbed520b106a8986445caaf9"}, + {file = "greenlet-3.0.3-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:b1b5667cced97081bf57b8fa1d6bfca67814b0afd38208d52538316e9422fc61"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:52f59dd9c96ad2fc0d5724107444f76eb20aaccb675bf825df6435acb7703559"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:afaff6cf5200befd5cec055b07d1c0a5a06c040fe5ad148abcd11ba6ab9b114e"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:fe754d231288e1e64323cfad462fcee8f0288654c10bdf4f603a39ed923bef33"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2797aa5aedac23af156bbb5a6aa2cd3427ada2972c828244eb7d1b9255846379"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:b7f009caad047246ed379e1c4dbcb8b020f0a390667ea74d2387be2998f58a22"}, + {file = "greenlet-3.0.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:c5e1536de2aad7bf62e27baf79225d0d64360d4168cf2e6becb91baf1ed074f3"}, + {file = "greenlet-3.0.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:894393ce10ceac937e56ec00bb71c4c2f8209ad516e96033e4b3b1de270e200d"}, + {file = "greenlet-3.0.3-cp311-cp311-win_amd64.whl", hash = "sha256:1ea188d4f49089fc6fb283845ab18a2518d279c7cd9da1065d7a84e991748728"}, + {file = "greenlet-3.0.3-cp312-cp312-macosx_11_0_universal2.whl", hash = "sha256:70fb482fdf2c707765ab5f0b6655e9cfcf3780d8d87355a063547b41177599be"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d4d1ac74f5c0c0524e4a24335350edad7e5f03b9532da7ea4d3c54d527784f2e"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:149e94a2dd82d19838fe4b2259f1b6b9957d5ba1b25640d2380bea9c5df37676"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:15d79dd26056573940fcb8c7413d84118086f2ec1a8acdfa854631084393efcc"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:881b7db1ebff4ba09aaaeae6aa491daeb226c8150fc20e836ad00041bcb11230"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:fcd2469d6a2cf298f198f0487e0a5b1a47a42ca0fa4dfd1b6862c999f018ebbf"}, + {file = "greenlet-3.0.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:1f672519db1796ca0d8753f9e78ec02355e862d0998193038c7073045899f305"}, + {file = "greenlet-3.0.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:2516a9957eed41dd8f1ec0c604f1cdc86758b587d964668b5b196a9db5bfcde6"}, + {file = "greenlet-3.0.3-cp312-cp312-win_amd64.whl", hash = "sha256:bba5387a6975598857d86de9eac14210a49d554a77eb8261cc68b7d082f78ce2"}, + {file = "greenlet-3.0.3-cp37-cp37m-macosx_11_0_universal2.whl", hash = "sha256:5b51e85cb5ceda94e79d019ed36b35386e8c37d22f07d6a751cb659b180d5274"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:daf3cb43b7cf2ba96d614252ce1684c1bccee6b2183a01328c98d36fcd7d5cb0"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:99bf650dc5d69546e076f413a87481ee1d2d09aaaaaca058c9251b6d8c14783f"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2dd6e660effd852586b6a8478a1d244b8dc90ab5b1321751d2ea15deb49ed414"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e3391d1e16e2a5a1507d83e4a8b100f4ee626e8eca43cf2cadb543de69827c4c"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:e1f145462f1fa6e4a4ae3c0f782e580ce44d57c8f2c7aae1b6fa88c0b2efdb41"}, + {file = "greenlet-3.0.3-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:1a7191e42732df52cb5f39d3527217e7ab73cae2cb3694d241e18f53d84ea9a7"}, + {file = "greenlet-3.0.3-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:0448abc479fab28b00cb472d278828b3ccca164531daab4e970a0458786055d6"}, + {file = "greenlet-3.0.3-cp37-cp37m-win32.whl", hash = "sha256:b542be2440edc2d48547b5923c408cbe0fc94afb9f18741faa6ae970dbcb9b6d"}, + {file = "greenlet-3.0.3-cp37-cp37m-win_amd64.whl", hash = "sha256:01bc7ea167cf943b4c802068e178bbf70ae2e8c080467070d01bfa02f337ee67"}, + {file = "greenlet-3.0.3-cp38-cp38-macosx_11_0_universal2.whl", hash = "sha256:1996cb9306c8595335bb157d133daf5cf9f693ef413e7673cb07e3e5871379ca"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3ddc0f794e6ad661e321caa8d2f0a55ce01213c74722587256fb6566049a8b04"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c9db1c18f0eaad2f804728c67d6c610778456e3e1cc4ab4bbd5eeb8e6053c6fc"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7170375bcc99f1a2fbd9c306f5be8764eaf3ac6b5cb968862cad4c7057756506"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6b66c9c1e7ccabad3a7d037b2bcb740122a7b17a53734b7d72a344ce39882a1b"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:098d86f528c855ead3479afe84b49242e174ed262456c342d70fc7f972bc13c4"}, + {file = "greenlet-3.0.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:81bb9c6d52e8321f09c3d165b2a78c680506d9af285bfccbad9fb7ad5a5da3e5"}, + {file = "greenlet-3.0.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:fd096eb7ffef17c456cfa587523c5f92321ae02427ff955bebe9e3c63bc9f0da"}, + {file = "greenlet-3.0.3-cp38-cp38-win32.whl", hash = "sha256:d46677c85c5ba00a9cb6f7a00b2bfa6f812192d2c9f7d9c4f6a55b60216712f3"}, + {file = "greenlet-3.0.3-cp38-cp38-win_amd64.whl", hash = "sha256:419b386f84949bf0e7c73e6032e3457b82a787c1ab4a0e43732898a761cc9dbf"}, + {file = "greenlet-3.0.3-cp39-cp39-macosx_11_0_universal2.whl", hash = "sha256:da70d4d51c8b306bb7a031d5cff6cc25ad253affe89b70352af5f1cb68e74b53"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:086152f8fbc5955df88382e8a75984e2bb1c892ad2e3c80a2508954e52295257"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d73a9fe764d77f87f8ec26a0c85144d6a951a6c438dfe50487df5595c6373eac"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b7dcbe92cc99f08c8dd11f930de4d99ef756c3591a5377d1d9cd7dd5e896da71"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1551a8195c0d4a68fac7a4325efac0d541b48def35feb49d803674ac32582f61"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:64d7675ad83578e3fc149b617a444fab8efdafc9385471f868eb5ff83e446b8b"}, + {file = "greenlet-3.0.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:b37eef18ea55f2ffd8f00ff8fe7c8d3818abd3e25fb73fae2ca3b672e333a7a6"}, + {file = "greenlet-3.0.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:77457465d89b8263bca14759d7c1684df840b6811b2499838cc5b040a8b5b113"}, + {file = "greenlet-3.0.3-cp39-cp39-win32.whl", hash = "sha256:57e8974f23e47dac22b83436bdcf23080ade568ce77df33159e019d161ce1d1e"}, + {file = "greenlet-3.0.3-cp39-cp39-win_amd64.whl", hash = "sha256:c5ee858cfe08f34712f548c3c363e807e7186f03ad7a5039ebadb29e8c6be067"}, + {file = "greenlet-3.0.3.tar.gz", hash = "sha256:43374442353259554ce33599da8b692d5aa96f8976d567d4badf263371fbe491"}, ] [package.extras] -docs = ["Sphinx"] +docs = ["Sphinx", "furo"] test = ["objgraph", "psutil"] +[[package]] +name = "h11" +version = "0.14.0" +description = "A pure-Python, bring-your-own-I/O implementation of HTTP/1.1" +optional = false +python-versions = ">=3.7" +files = [ + {file = "h11-0.14.0-py3-none-any.whl", hash = "sha256:e3fe4ac4b851c468cc8363d500db52c2ead036020723024a109d37346efaa761"}, + {file = "h11-0.14.0.tar.gz", hash = "sha256:8f19fbbe99e72420ff35c00b27a34cb9937e902a8b810e2c88300c6f0a3b699d"}, +] + [[package]] name = "html5lib" version = "1.1" description = "HTML parser based on the WHATWG HTML specification" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -974,16 +950,60 @@ chardet = ["chardet (>=2.2)"] genshi = ["genshi"] lxml = ["lxml"] +[[package]] +name = "httpcore" +version = "1.0.4" +description = "A minimal low-level HTTP client." +optional = false +python-versions = ">=3.8" +files = [ + {file = "httpcore-1.0.4-py3-none-any.whl", hash = "sha256:ac418c1db41bade2ad53ae2f3834a3a0f5ae76b56cf5aa497d2d033384fc7d73"}, + {file = "httpcore-1.0.4.tar.gz", hash = "sha256:cb2839ccfcba0d2d3c1131d3c3e26dfc327326fbe7a5dc0dbfe9f6c9151bb022"}, +] + +[package.dependencies] +certifi = "*" +h11 = ">=0.13,<0.15" + +[package.extras] +asyncio = ["anyio (>=4.0,<5.0)"] +http2 = ["h2 (>=3,<5)"] +socks = ["socksio (==1.*)"] +trio = ["trio (>=0.22.0,<0.25.0)"] + +[[package]] +name = "httpx" +version = "0.27.0" +description = "The next generation HTTP client." +optional = false +python-versions = ">=3.8" +files = [ + {file = "httpx-0.27.0-py3-none-any.whl", hash = "sha256:71d5465162c13681bff01ad59b2cc68dd838ea1f10e51574bac27103f00c91a5"}, + {file = "httpx-0.27.0.tar.gz", hash = "sha256:a0cb88a46f32dc874e04ee956e4c2764aba2aa228f650b06788ba6bda2962ab5"}, +] + +[package.dependencies] +anyio = "*" +certifi = "*" +httpcore = "==1.*" +idna = "*" +sniffio = "*" + +[package.extras] +brotli = ["brotli", "brotlicffi"] +cli = ["click (==8.*)", "pygments (==2.*)", "rich (>=10,<14)"] +http2 = ["h2 (>=3,<5)"] +socks = ["socksio (==1.*)"] + [[package]] name = "identify" -version = "2.5.31" +version = "2.5.35" description = "File identification library for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "identify-2.5.31-py2.py3-none-any.whl", hash = "sha256:90199cb9e7bd3c5407a9b7e81b4abec4bb9d249991c79439ec8af740afc6293d"}, - {file = "identify-2.5.31.tar.gz", hash = "sha256:7736b3c7a28233637e3c36550646fc6389bedd74ae84cb788200cc8e2dd60b75"}, + {file = "identify-2.5.35-py2.py3-none-any.whl", hash = "sha256:c4de0081837b211594f8e877a6b4fad7ca32bbfc1a9307fdd61c28bfe923f13e"}, + {file = "identify-2.5.35.tar.gz", hash = "sha256:10a7ca245cfcd756a554a7288159f72ff105ad233c7c4b9c6f0f4d108f5f6791"}, ] [package.extras] @@ -991,21 +1011,19 @@ license = ["ukkonen"] [[package]] name = "idna" -version = "3.4" +version = "3.6" description = "Internationalized Domain Names in Applications (IDNA)" -category = "dev" optional = false python-versions = ">=3.5" files = [ - {file = "idna-3.4-py3-none-any.whl", hash = "sha256:90b77e79eaa3eba6de819a0c442c0b4ceefc341a7a2ab77d7562bf49f425c5c2"}, - {file = "idna-3.4.tar.gz", hash = "sha256:814f528e8dead7d329833b91c5faa87d60bf71824cd12a7530b5526063d02cb4"}, + {file = "idna-3.6-py3-none-any.whl", hash = "sha256:c05567e9c24a6b9faaa835c4821bad0590fbb9d5779e7caa6e1cc4978e7eb24f"}, + {file = "idna-3.6.tar.gz", hash = "sha256:9ecdbbd083b06798ae1e86adcbfe8ab1479cf864e4ee30fe4e46a003d12491ca"}, ] [[package]] name = "imagesize" version = "1.4.1" description = "Getting image size from png/jpeg/jpeg2000/gif file" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ @@ -1015,34 +1033,32 @@ files = [ [[package]] name = "importlib-metadata" -version = "6.8.0" +version = "7.0.1" description = "Read metadata from Python packages" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "importlib_metadata-6.8.0-py3-none-any.whl", hash = "sha256:3ebb78df84a805d7698245025b975d9d67053cd94c79245ba4b3eb694abe68bb"}, - {file = "importlib_metadata-6.8.0.tar.gz", hash = "sha256:dbace7892d8c0c4ac1ad096662232f831d4e64f4c4545bd53016a3e9d4654743"}, + {file = "importlib_metadata-7.0.1-py3-none-any.whl", hash = "sha256:4805911c3a4ec7c3966410053e9ec6a1fecd629117df5adee56dfc9432a1081e"}, + {file = "importlib_metadata-7.0.1.tar.gz", hash = "sha256:f238736bb06590ae52ac1fab06a3a9ef1d8dce2b7a35b5ab329371d6c8f5d2cc"}, ] [package.dependencies] zipp = ">=0.5" [package.extras] -docs = ["furo", "jaraco.packaging (>=9)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-lint"] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] perf = ["ipython"] testing = ["flufl.flake8", "importlib-resources (>=1.3)", "packaging", "pyfakefs", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy (>=0.9.1)", "pytest-perf (>=0.9.2)", "pytest-ruff"] [[package]] name = "importlib-resources" -version = "6.1.0" +version = "6.1.2" description = "Read resources from Python packages" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "importlib_resources-6.1.0-py3-none-any.whl", hash = "sha256:aa50258bbfa56d4e33fbd8aa3ef48ded10d1735f11532b8df95388cc6bdb7e83"}, - {file = "importlib_resources-6.1.0.tar.gz", hash = "sha256:9d48dcccc213325e810fd723e7fbb45ccb39f6cf5c31f00cf2b965f5f10f3cb9"}, + {file = "importlib_resources-6.1.2-py3-none-any.whl", hash = "sha256:9a0a862501dc38b68adebc82970140c9e4209fc99601782925178f8386339938"}, + {file = "importlib_resources-6.1.2.tar.gz", hash = "sha256:308abf8474e2dba5f867d279237cd4076482c3de7104a40b41426370e891549b"}, ] [package.dependencies] @@ -1050,13 +1066,12 @@ zipp = {version = ">=3.1.0", markers = "python_version < \"3.10\""} [package.extras] docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] -testing = ["pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy (>=0.9.1)", "pytest-ruff", "zipp (>=3.17)"] +testing = ["pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy", "pytest-ruff (>=0.2.1)", "zipp (>=3.17)"] [[package]] name = "iniconfig" version = "2.0.0" description = "brain-dead simple config-ini parsing" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -1066,14 +1081,13 @@ files = [ [[package]] name = "ipykernel" -version = "6.26.0" +version = "6.29.3" description = "IPython Kernel for Jupyter" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "ipykernel-6.26.0-py3-none-any.whl", hash = "sha256:3ba3dc97424b87b31bb46586b5167b3161b32d7820b9201a9e698c71e271602c"}, - {file = "ipykernel-6.26.0.tar.gz", hash = "sha256:553856658eb8430bbe9653ea041a41bff63e9606fc4628873fc92a6cf3abd404"}, + {file = "ipykernel-6.29.3-py3-none-any.whl", hash = "sha256:5aa086a4175b0229d4eca211e181fb473ea78ffd9869af36ba7694c947302a21"}, + {file = "ipykernel-6.29.3.tar.gz", hash = "sha256:e14c250d1f9ea3989490225cc1a542781b095a18a19447fcf2b5eaf7d0ac5bd2"}, ] [package.dependencies] @@ -1082,12 +1096,12 @@ comm = ">=0.1.1" debugpy = ">=1.6.5" ipython = ">=7.23.1" jupyter-client = ">=6.1.12" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" matplotlib-inline = ">=0.1" nest-asyncio = "*" packaging = "*" psutil = "*" -pyzmq = ">=20" +pyzmq = ">=24" tornado = ">=6.1" traitlets = ">=5.4.0" @@ -1096,13 +1110,12 @@ cov = ["coverage[toml]", "curio", "matplotlib", "pytest-cov", "trio"] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx", "sphinx-autodoc-typehints", "sphinxcontrib-github-alt", "sphinxcontrib-spelling", "trio"] pyqt5 = ["pyqt5"] pyside6 = ["pyside6"] -test = ["flaky", "ipyparallel", "pre-commit", "pytest (>=7.0)", "pytest-asyncio", "pytest-cov", "pytest-timeout"] +test = ["flaky", "ipyparallel", "pre-commit", "pytest (>=7.0)", "pytest-asyncio (>=0.23.5)", "pytest-cov", "pytest-timeout"] [[package]] name = "ipython" version = "8.12.3" description = "IPython: Productive Interactive Computing" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -1138,36 +1151,23 @@ qtconsole = ["qtconsole"] test = ["pytest (<7.1)", "pytest-asyncio", "testpath"] test-extra = ["curio", "matplotlib (!=3.2.0)", "nbformat", "numpy (>=1.21)", "pandas", "pytest (<7.1)", "pytest-asyncio", "testpath", "trio"] -[[package]] -name = "ipython-genutils" -version = "0.2.0" -description = "Vestigial utilities from IPython" -category = "dev" -optional = false -python-versions = "*" -files = [ - {file = "ipython_genutils-0.2.0-py2.py3-none-any.whl", hash = "sha256:72dd37233799e619666c9f639a9da83c34013a73e8bbc79a7a6348d93c61fab8"}, - {file = "ipython_genutils-0.2.0.tar.gz", hash = "sha256:eb2e116e75ecef9d4d228fdc66af54269afa26ab4463042e33785b887c628ba8"}, -] - [[package]] name = "ipywidgets" -version = "8.1.1" +version = "8.1.2" description = "Jupyter interactive widgets" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "ipywidgets-8.1.1-py3-none-any.whl", hash = "sha256:2b88d728656aea3bbfd05d32c747cfd0078f9d7e159cf982433b58ad717eed7f"}, - {file = "ipywidgets-8.1.1.tar.gz", hash = "sha256:40211efb556adec6fa450ccc2a77d59ca44a060f4f9f136833df59c9f538e6e8"}, + {file = "ipywidgets-8.1.2-py3-none-any.whl", hash = "sha256:bbe43850d79fb5e906b14801d6c01402857996864d1e5b6fa62dd2ee35559f60"}, + {file = "ipywidgets-8.1.2.tar.gz", hash = "sha256:d0b9b41e49bae926a866e613a39b0f0097745d2b9f1f3dd406641b4a57ec42c9"}, ] [package.dependencies] comm = ">=0.1.3" ipython = ">=6.1.0" -jupyterlab-widgets = ">=3.0.9,<3.1.0" +jupyterlab-widgets = ">=3.0.10,<3.1.0" traitlets = ">=4.3.1" -widgetsnbextension = ">=4.0.9,<4.1.0" +widgetsnbextension = ">=4.0.10,<4.1.0" [package.extras] test = ["ipykernel", "jsonschema", "pytest (>=3.6.0)", "pytest-cov", "pytz"] @@ -1176,7 +1176,6 @@ test = ["ipykernel", "jsonschema", "pytest (>=3.6.0)", "pytest-cov", "pytz"] name = "isodate" version = "0.6.1" description = "An ISO 8601 date/time/duration parser and formatter" -category = "main" optional = false python-versions = "*" files = [ @@ -1191,7 +1190,6 @@ six = "*" name = "isoduration" version = "20.11.0" description = "Operations with ISO 8601 durations" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1204,27 +1202,22 @@ arrow = ">=0.15.0" [[package]] name = "isort" -version = "5.12.0" +version = "5.13.2" description = "A Python utility / library to sort Python imports." -category = "dev" optional = false python-versions = ">=3.8.0" files = [ - {file = "isort-5.12.0-py3-none-any.whl", hash = "sha256:f84c2818376e66cf843d497486ea8fed8700b340f308f076c6fb1229dff318b6"}, - {file = "isort-5.12.0.tar.gz", hash = "sha256:8bef7dde241278824a6d83f44a544709b065191b95b6e50894bdc722fcba0504"}, + {file = "isort-5.13.2-py3-none-any.whl", hash = "sha256:8ca5e72a8d85860d5a3fa69b8745237f2939afe12dbf656afbcb47fe72d947a6"}, + {file = "isort-5.13.2.tar.gz", hash = "sha256:48fdfcb9face5d58a4f6dde2e72a1fb8dcaf8ab26f95ab49fab84c2ddefb0109"}, ] [package.extras] -colors = ["colorama (>=0.4.3)"] -pipfile-deprecated-finder = ["pip-shims (>=0.5.2)", "pipreqs", "requirementslib"] -plugins = ["setuptools"] -requirements-deprecated-finder = ["pip-api", "pipreqs"] +colors = ["colorama (>=0.4.6)"] [[package]] name = "itsdangerous" version = "2.1.2" description = "Safely pass data to untrusted environments and back." -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -1236,7 +1229,6 @@ files = [ name = "jedi" version = "0.19.1" description = "An autocompletion tool for Python that can be used for text editors." -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -1254,14 +1246,13 @@ testing = ["Django", "attrs", "colorama", "docopt", "pytest (<7.0.0)"] [[package]] name = "jinja2" -version = "3.1.2" +version = "3.1.3" description = "A very fast and expressive template engine." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "Jinja2-3.1.2-py3-none-any.whl", hash = "sha256:6088930bfe239f0e6710546ab9c19c9ef35e29792895fed6e6e31a023a182a61"}, - {file = "Jinja2-3.1.2.tar.gz", hash = "sha256:31351a702a408a9e7595a8fc6150fc3f43bb6bf7e319770cbc0db9df9437e852"}, + {file = "Jinja2-3.1.3-py3-none-any.whl", hash = "sha256:7d6d50dd97d52cbc355597bd845fabfbac3f551e1f99619e39a35ce8c370b5fa"}, + {file = "Jinja2-3.1.3.tar.gz", hash = "sha256:ac8bd6544d4bb2c9792bf3a159e80bba8fda7f07e81bc3aed565432d5925ba90"}, ] [package.dependencies] @@ -1272,14 +1263,13 @@ i18n = ["Babel (>=2.7)"] [[package]] name = "json5" -version = "0.9.14" +version = "0.9.20" description = "A Python implementation of the JSON5 data format." -category = "dev" optional = false -python-versions = "*" +python-versions = ">=3.8" files = [ - {file = "json5-0.9.14-py2.py3-none-any.whl", hash = "sha256:740c7f1b9e584a468dbb2939d8d458db3427f2c93ae2139d05f47e453eae964f"}, - {file = "json5-0.9.14.tar.gz", hash = "sha256:9ed66c3a6ca3510a976a9ef9b8c0787de24802724ab1860bc0153c7fdd589b02"}, + {file = "json5-0.9.20-py3-none-any.whl", hash = "sha256:f623485b37fad95783233bad9352d21526709cbd9a2ec41ddc3e950fca85b701"}, + {file = "json5-0.9.20.tar.gz", hash = "sha256:20a255981244081d5aaa4adc90d31cdbf05bed1863993cbf300b8e2cd2b6de88"}, ] [package.extras] @@ -1289,7 +1279,6 @@ dev = ["hypothesis"] name = "jsonpointer" version = "2.4" description = "Identify specific nodes in a JSON document (RFC 6901)" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*, !=3.6.*" files = [ @@ -1299,14 +1288,13 @@ files = [ [[package]] name = "jsonschema" -version = "4.19.2" +version = "4.21.1" description = "An implementation of JSON Schema validation for Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jsonschema-4.19.2-py3-none-any.whl", hash = "sha256:eee9e502c788e89cb166d4d37f43084e3b64ab405c795c03d343a4dbc2c810fc"}, - {file = "jsonschema-4.19.2.tar.gz", hash = "sha256:c9ff4d7447eed9592c23a12ccee508baf0dd0d59650615e847feb6cdca74f392"}, + {file = "jsonschema-4.21.1-py3-none-any.whl", hash = "sha256:7996507afae316306f9e2290407761157c6f78002dcf7419acb99822143d1c6f"}, + {file = "jsonschema-4.21.1.tar.gz", hash = "sha256:85727c00279f5fa6bedbe6238d2aa6403bedd8b4864ab11207d07df3cc1b2ee5"}, ] [package.dependencies] @@ -1331,25 +1319,23 @@ format-nongpl = ["fqdn", "idna", "isoduration", "jsonpointer (>1.13)", "rfc3339- [[package]] name = "jsonschema-specifications" -version = "2023.7.1" +version = "2023.12.1" description = "The JSON Schema meta-schemas and vocabularies, exposed as a Registry" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jsonschema_specifications-2023.7.1-py3-none-any.whl", hash = "sha256:05adf340b659828a004220a9613be00fa3f223f2b82002e273dee62fd50524b1"}, - {file = "jsonschema_specifications-2023.7.1.tar.gz", hash = "sha256:c91a50404e88a1f6ba40636778e2ee08f6e24c5613fe4c53ac24578a5a7f72bb"}, + {file = "jsonschema_specifications-2023.12.1-py3-none-any.whl", hash = "sha256:87e4fdf3a94858b8a2ba2778d9ba57d8a9cafca7c7489c46ba0d30a8bc6a9c3c"}, + {file = "jsonschema_specifications-2023.12.1.tar.gz", hash = "sha256:48a76787b3e70f5ed53f1160d2b81f586e4ca6d1548c5de7085d1682674764cc"}, ] [package.dependencies] importlib-resources = {version = ">=1.4.0", markers = "python_version < \"3.9\""} -referencing = ">=0.28.0" +referencing = ">=0.31.0" [[package]] name = "jupyter" version = "1.0.0" description = "Jupyter metapackage. Install all the Jupyter components in one go." -category = "dev" optional = false python-versions = "*" files = [ @@ -1370,7 +1356,6 @@ qtconsole = "*" name = "jupyter-book" version = "0.15.1" description = "Build a book with Jupyter Notebooks and Sphinx." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1408,7 +1393,6 @@ testing = ["altair", "beautifulsoup4", "beautifulsoup4", "cookiecutter", "covera name = "jupyter-cache" version = "0.6.1" description = "A defined interface for working with a cache of jupyter notebooks." -category = "dev" optional = false python-versions = "~=3.8" files = [ @@ -1434,19 +1418,18 @@ testing = ["coverage", "ipykernel", "jupytext", "matplotlib", "nbdime", "nbforma [[package]] name = "jupyter-client" -version = "8.5.0" +version = "8.6.0" description = "Jupyter protocol implementation and client libraries" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_client-8.5.0-py3-none-any.whl", hash = "sha256:c3877aac7257ec68d79b5c622ce986bd2a992ca42f6ddc9b4dd1da50e89f7028"}, - {file = "jupyter_client-8.5.0.tar.gz", hash = "sha256:e8754066510ce456358df363f97eae64b50860f30dc1fe8c6771440db3be9a63"}, + {file = "jupyter_client-8.6.0-py3-none-any.whl", hash = "sha256:909c474dbe62582ae62b758bca86d6518c85234bdee2d908c778db6d72f39d99"}, + {file = "jupyter_client-8.6.0.tar.gz", hash = "sha256:0642244bb83b4764ae60d07e010e15f0e2d275ec4e918a8f7b80fbbef3ca60c7"}, ] [package.dependencies] importlib-metadata = {version = ">=4.8.3", markers = "python_version < \"3.10\""} -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" python-dateutil = ">=2.8.2" pyzmq = ">=23.0" tornado = ">=6.2" @@ -1460,7 +1443,6 @@ test = ["coverage", "ipykernel (>=6.14)", "mypy", "paramiko", "pre-commit", "pyt name = "jupyter-console" version = "6.6.3" description = "Jupyter terminal console" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1472,7 +1454,7 @@ files = [ ipykernel = ">=6.14" ipython = "*" jupyter-client = ">=7.0.0" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" prompt-toolkit = ">=3.0.30" pygments = "*" pyzmq = ">=17" @@ -1483,14 +1465,13 @@ test = ["flaky", "pexpect", "pytest"] [[package]] name = "jupyter-core" -version = "5.5.0" +version = "5.7.1" description = "Jupyter core package. A base package on which Jupyter projects rely." -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_core-5.5.0-py3-none-any.whl", hash = "sha256:e11e02cd8ae0a9de5c6c44abf5727df9f2581055afe00b22183f621ba3585805"}, - {file = "jupyter_core-5.5.0.tar.gz", hash = "sha256:880b86053bf298a8724994f95e99b99130659022a4f7f45f563084b6223861d3"}, + {file = "jupyter_core-5.7.1-py3-none-any.whl", hash = "sha256:c65c82126453a723a2804aa52409930434598fd9d35091d63dfb919d2b765bb7"}, + {file = "jupyter_core-5.7.1.tar.gz", hash = "sha256:de61a9d7fc71240f688b2fb5ab659fbb56979458dc66a71decd098e03c79e218"}, ] [package.dependencies] @@ -1504,14 +1485,13 @@ test = ["ipykernel", "pre-commit", "pytest", "pytest-cov", "pytest-timeout"] [[package]] name = "jupyter-events" -version = "0.8.0" +version = "0.9.0" description = "Jupyter Event System library" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_events-0.8.0-py3-none-any.whl", hash = "sha256:81f07375c7673ff298bfb9302b4a981864ec64edaed75ca0fe6f850b9b045525"}, - {file = "jupyter_events-0.8.0.tar.gz", hash = "sha256:fda08f0defce5e16930542ce60634ba48e010830d50073c3dfd235759cee77bf"}, + {file = "jupyter_events-0.9.0-py3-none-any.whl", hash = "sha256:d853b3c10273ff9bc8bb8b30076d65e2c9685579db736873de6c2232dde148bf"}, + {file = "jupyter_events-0.9.0.tar.gz", hash = "sha256:81ad2e4bc710881ec274d31c6c50669d71bbaa5dd9d01e600b56faa85700d399"}, ] [package.dependencies] @@ -1530,14 +1510,13 @@ test = ["click", "pre-commit", "pytest (>=7.0)", "pytest-asyncio (>=0.19.0)", "p [[package]] name = "jupyter-lsp" -version = "2.2.0" +version = "2.2.4" description = "Multi-Language Server WebSocket proxy for Jupyter Notebook/Lab server" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter-lsp-2.2.0.tar.gz", hash = "sha256:8ebbcb533adb41e5d635eb8fe82956b0aafbf0fd443b6c4bfa906edeeb8635a1"}, - {file = "jupyter_lsp-2.2.0-py3-none-any.whl", hash = "sha256:9e06b8b4f7dd50300b70dd1a78c0c3b0c3d8fa68e0f2d8a5d1fbab62072aca3f"}, + {file = "jupyter-lsp-2.2.4.tar.gz", hash = "sha256:5e50033149344065348e688608f3c6d654ef06d9856b67655bd7b6bac9ee2d59"}, + {file = "jupyter_lsp-2.2.4-py3-none-any.whl", hash = "sha256:da61cb63a16b6dff5eac55c2699cc36eac975645adee02c41bdfc03bf4802e77"}, ] [package.dependencies] @@ -1546,14 +1525,13 @@ jupyter-server = ">=1.1.2" [[package]] name = "jupyter-server" -version = "2.9.1" +version = "2.13.0" description = "The backend—i.e. core services, APIs, and REST endpoints—to Jupyter web applications." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_server-2.9.1-py3-none-any.whl", hash = "sha256:21ad1a3d455d5a79ce4bef5201925cd17510c17898cf9d54e3ccfb6b12734948"}, - {file = "jupyter_server-2.9.1.tar.gz", hash = "sha256:9ba71be4b9c16e479e4c50c929f8ac4b1015baf90237a08681397a98c76c7e5e"}, + {file = "jupyter_server-2.13.0-py3-none-any.whl", hash = "sha256:77b2b49c3831fbbfbdb5048cef4350d12946191f833a24e5f83e5f8f4803e97b"}, + {file = "jupyter_server-2.13.0.tar.gz", hash = "sha256:c80bfb049ea20053c3d9641c2add4848b38073bf79f1729cea1faed32fc1c78e"}, ] [package.dependencies] @@ -1561,8 +1539,8 @@ anyio = ">=3.1.0" argon2-cffi = "*" jinja2 = "*" jupyter-client = ">=7.4.4" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" -jupyter-events = ">=0.6.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" +jupyter-events = ">=0.9.0" jupyter-server-terminals = "*" nbconvert = ">=6.4.4" nbformat = ">=5.3.0" @@ -1579,18 +1557,17 @@ websocket-client = "*" [package.extras] docs = ["ipykernel", "jinja2", "jupyter-client", "jupyter-server", "myst-parser", "nbformat", "prometheus-client", "pydata-sphinx-theme", "send2trash", "sphinx-autodoc-typehints", "sphinxcontrib-github-alt", "sphinxcontrib-openapi (>=0.8.0)", "sphinxcontrib-spelling", "sphinxemoji", "tornado", "typing-extensions"] -test = ["flaky", "ipykernel", "pre-commit", "pytest (>=7.0)", "pytest-console-scripts", "pytest-jupyter[server] (>=0.4)", "pytest-timeout", "requests"] +test = ["flaky", "ipykernel", "pre-commit", "pytest (>=7.0)", "pytest-console-scripts", "pytest-jupyter[server] (>=0.7)", "pytest-timeout", "requests"] [[package]] name = "jupyter-server-terminals" -version = "0.4.4" +version = "0.5.2" description = "A Jupyter Server Extension Providing Terminals." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_server_terminals-0.4.4-py3-none-any.whl", hash = "sha256:75779164661cec02a8758a5311e18bb8eb70c4e86c6b699403100f1585a12a36"}, - {file = "jupyter_server_terminals-0.4.4.tar.gz", hash = "sha256:57ab779797c25a7ba68e97bcfb5d7740f2b5e8a83b5e8102b10438041a7eac5d"}, + {file = "jupyter_server_terminals-0.5.2-py3-none-any.whl", hash = "sha256:1b80c12765da979513c42c90215481bbc39bd8ae7c0350b4f85bc3eb58d0fa80"}, + {file = "jupyter_server_terminals-0.5.2.tar.gz", hash = "sha256:396b5ccc0881e550bf0ee7012c6ef1b53edbde69e67cab1d56e89711b46052e8"}, ] [package.dependencies] @@ -1598,23 +1575,23 @@ pywinpty = {version = ">=2.0.3", markers = "os_name == \"nt\""} terminado = ">=0.8.3" [package.extras] -docs = ["jinja2", "jupyter-server", "mistune (<3.0)", "myst-parser", "nbformat", "packaging", "pydata-sphinx-theme", "sphinxcontrib-github-alt", "sphinxcontrib-openapi", "sphinxcontrib-spelling", "sphinxemoji", "tornado"] -test = ["coverage", "jupyter-server (>=2.0.0)", "pytest (>=7.0)", "pytest-cov", "pytest-jupyter[server] (>=0.5.3)", "pytest-timeout"] +docs = ["jinja2", "jupyter-server", "mistune (<4.0)", "myst-parser", "nbformat", "packaging", "pydata-sphinx-theme", "sphinxcontrib-github-alt", "sphinxcontrib-openapi", "sphinxcontrib-spelling", "sphinxemoji", "tornado"] +test = ["jupyter-server (>=2.0.0)", "pytest (>=7.0)", "pytest-jupyter[server] (>=0.5.3)", "pytest-timeout"] [[package]] name = "jupyterlab" -version = "4.0.7" +version = "4.1.3" description = "JupyterLab computational environment" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyterlab-4.0.7-py3-none-any.whl", hash = "sha256:08683045117cc495531fdb39c22ababb9aaac6977a45e67cfad20046564c9c7c"}, - {file = "jupyterlab-4.0.7.tar.gz", hash = "sha256:48792efd9f962b2bcda1f87d72168ff122c288b1d97d32109e4a11b33dc862be"}, + {file = "jupyterlab-4.1.3-py3-none-any.whl", hash = "sha256:67dbec7057c6ad46f08a3667a80bdb890df9453822c93b5ddfd5e8313a718ef9"}, + {file = "jupyterlab-4.1.3.tar.gz", hash = "sha256:b85bd8766f995d23461e1f68a0cbc688d23e0af2b6f42a7768fc7b1826b2ec39"}, ] [package.dependencies] async-lru = ">=1.0.0" +httpx = ">=0.25.0" importlib-metadata = {version = ">=4.8.3", markers = "python_version < \"3.10\""} importlib-resources = {version = ">=1.4", markers = "python_version < \"3.9\""} ipykernel = "*" @@ -1630,33 +1607,31 @@ tornado = ">=6.2.0" traitlets = "*" [package.extras] -dev = ["black[jupyter] (==23.7.0)", "build", "bump2version", "coverage", "hatch", "pre-commit", "pytest-cov", "ruff (==0.0.286)"] -docs = ["jsx-lexer", "myst-parser", "pydata-sphinx-theme (>=0.13.0)", "pytest", "pytest-check-links", "pytest-tornasync", "sphinx (>=1.8,<7.2.0)", "sphinx-copybutton"] -docs-screenshots = ["altair (==5.0.1)", "ipython (==8.14.0)", "ipywidgets (==8.0.6)", "jupyterlab-geojson (==3.4.0)", "jupyterlab-language-pack-zh-cn (==4.0.post0)", "matplotlib (==3.7.1)", "nbconvert (>=7.0.0)", "pandas (==2.0.2)", "scipy (==1.10.1)", "vega-datasets (==0.9.0)"] +dev = ["build", "bump2version", "coverage", "hatch", "pre-commit", "pytest-cov", "ruff (==0.2.0)"] +docs = ["jsx-lexer", "myst-parser", "pydata-sphinx-theme (>=0.13.0)", "pytest", "pytest-check-links", "pytest-jupyter", "sphinx (>=1.8,<7.3.0)", "sphinx-copybutton"] +docs-screenshots = ["altair (==5.2.0)", "ipython (==8.16.1)", "ipywidgets (==8.1.1)", "jupyterlab-geojson (==3.4.0)", "jupyterlab-language-pack-zh-cn (==4.0.post6)", "matplotlib (==3.8.2)", "nbconvert (>=7.0.0)", "pandas (==2.2.0)", "scipy (==1.12.0)", "vega-datasets (==0.9.0)"] test = ["coverage", "pytest (>=7.0)", "pytest-check-links (>=0.7)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter (>=0.5.3)", "pytest-timeout", "pytest-tornasync", "requests", "requests-cache", "virtualenv"] [[package]] name = "jupyterlab-pygments" -version = "0.2.2" +version = "0.3.0" description = "Pygments theme using JupyterLab CSS variables" -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "jupyterlab_pygments-0.2.2-py2.py3-none-any.whl", hash = "sha256:2405800db07c9f770863bcf8049a529c3dd4d3e28536638bd7c1c01d2748309f"}, - {file = "jupyterlab_pygments-0.2.2.tar.gz", hash = "sha256:7405d7fde60819d905a9fa8ce89e4cd830e318cdad22a0030f7a901da705585d"}, + {file = "jupyterlab_pygments-0.3.0-py3-none-any.whl", hash = "sha256:841a89020971da1d8693f1a99997aefc5dc424bb1b251fd6322462a1b8842780"}, + {file = "jupyterlab_pygments-0.3.0.tar.gz", hash = "sha256:721aca4d9029252b11cfa9d185e5b5af4d54772bb8072f9b7036f4170054d35d"}, ] [[package]] name = "jupyterlab-server" -version = "2.25.0" +version = "2.25.3" description = "A set of server components for JupyterLab and JupyterLab like applications." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyterlab_server-2.25.0-py3-none-any.whl", hash = "sha256:c9f67a98b295c5dee87f41551b0558374e45d449f3edca153dd722140630dcb2"}, - {file = "jupyterlab_server-2.25.0.tar.gz", hash = "sha256:77c2f1f282d610f95e496e20d5bf1d2a7706826dfb7b18f3378ae2870d272fb7"}, + {file = "jupyterlab_server-2.25.3-py3-none-any.whl", hash = "sha256:c48862519fded9b418c71645d85a49b2f0ec50d032ba8316738e9276046088c1"}, + {file = "jupyterlab_server-2.25.3.tar.gz", hash = "sha256:846f125a8a19656611df5b03e5912c8393cea6900859baa64fa515eb64a8dc40"}, ] [package.dependencies] @@ -1672,68 +1647,68 @@ requests = ">=2.31" [package.extras] docs = ["autodoc-traits", "jinja2 (<3.2.0)", "mistune (<4)", "myst-parser", "pydata-sphinx-theme", "sphinx", "sphinx-copybutton", "sphinxcontrib-openapi (>0.8)"] openapi = ["openapi-core (>=0.18.0,<0.19.0)", "ruamel-yaml"] -test = ["hatch", "ipykernel", "openapi-core (>=0.18.0,<0.19.0)", "openapi-spec-validator (>=0.6.0,<0.7.0)", "pytest (>=7.0)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter[server] (>=0.6.2)", "pytest-timeout", "requests-mock", "ruamel-yaml", "sphinxcontrib-spelling", "strict-rfc3339", "werkzeug"] +test = ["hatch", "ipykernel", "openapi-core (>=0.18.0,<0.19.0)", "openapi-spec-validator (>=0.6.0,<0.8.0)", "pytest (>=7.0)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter[server] (>=0.6.2)", "pytest-timeout", "requests-mock", "ruamel-yaml", "sphinxcontrib-spelling", "strict-rfc3339", "werkzeug"] [[package]] name = "jupyterlab-widgets" -version = "3.0.9" +version = "3.0.10" description = "Jupyter interactive widgets for JupyterLab" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "jupyterlab_widgets-3.0.9-py3-none-any.whl", hash = "sha256:3cf5bdf5b897bf3bccf1c11873aa4afd776d7430200f765e0686bd352487b58d"}, - {file = "jupyterlab_widgets-3.0.9.tar.gz", hash = "sha256:6005a4e974c7beee84060fdfba341a3218495046de8ae3ec64888e5fe19fdb4c"}, + {file = "jupyterlab_widgets-3.0.10-py3-none-any.whl", hash = "sha256:dd61f3ae7a5a7f80299e14585ce6cf3d6925a96c9103c978eda293197730cb64"}, + {file = "jupyterlab_widgets-3.0.10.tar.gz", hash = "sha256:04f2ac04976727e4f9d0fa91cdc2f1ab860f965e504c29dbd6a65c882c9d04c0"}, ] [[package]] name = "jupytext" -version = "1.15.2" +version = "1.16.1" description = "Jupyter notebooks as Markdown documents, Julia, Python or R scripts" -category = "dev" optional = false -python-versions = "~=3.6" +python-versions = ">=3.8" files = [ - {file = "jupytext-1.15.2-py3-none-any.whl", hash = "sha256:ef2a1a3eb8f63d84a3b3772014bdfbe238e4e12a30c4309b8c89e0a54adeb7d1"}, - {file = "jupytext-1.15.2.tar.gz", hash = "sha256:c9976e24d834e991906c1de55af4b6d512d764f6372aabae45fc1ea72b589173"}, + {file = "jupytext-1.16.1-py3-none-any.whl", hash = "sha256:796ec4f68ada663569e5d38d4ef03738a01284bfe21c943c485bc36433898bd0"}, + {file = "jupytext-1.16.1.tar.gz", hash = "sha256:68c7b68685e870e80e60fda8286fbd6269e9c74dc1df4316df6fe46eabc94c99"}, ] [package.dependencies] -markdown-it-py = ">=1.0.0" +markdown-it-py = ">=1.0" mdit-py-plugins = "*" nbformat = "*" +packaging = "*" pyyaml = "*" toml = "*" [package.extras] -rst2md = ["sphinx-gallery (>=0.7.0,<0.8.0)"] -toml = ["toml"] +dev = ["jupytext[test-cov,test-external]"] +docs = ["myst-parser", "sphinx", "sphinx-copybutton", "sphinx-rtd-theme"] +test = ["pytest", "pytest-randomly", "pytest-xdist"] +test-cov = ["jupytext[test-integration]", "pytest-cov (>=2.6.1)"] +test-external = ["autopep8", "black", "flake8", "gitpython", "isort", "jupyter-fs (<0.4.0)", "jupytext[test-integration]", "pre-commit", "sphinx-gallery (<0.8)"] +test-functional = ["jupytext[test]"] +test-integration = ["ipykernel", "jupyter-server (!=2.11)", "jupytext[test-functional]", "nbconvert"] +test-ui = ["calysto-bash"] [[package]] name = "latexcodec" -version = "2.0.1" +version = "3.0.0" description = "A lexer and codec to work with LaTeX code in Python." -category = "dev" optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" +python-versions = ">=3.7" files = [ - {file = "latexcodec-2.0.1-py2.py3-none-any.whl", hash = "sha256:c277a193638dc7683c4c30f6684e3db728a06efb0dc9cf346db8bd0aa6c5d271"}, - {file = "latexcodec-2.0.1.tar.gz", hash = "sha256:2aa2551c373261cefe2ad3a8953a6d6533e68238d180eb4bb91d7964adb3fe9a"}, + {file = "latexcodec-3.0.0-py3-none-any.whl", hash = "sha256:6f3477ad5e61a0a99bd31a6a370c34e88733a6bad9c921a3ffcfacada12f41a7"}, + {file = "latexcodec-3.0.0.tar.gz", hash = "sha256:917dc5fe242762cc19d963e6548b42d63a118028cdd3361d62397e3b638b6bc5"}, ] -[package.dependencies] -six = ">=1.4.1" - [[package]] name = "linkify-it-py" -version = "2.0.2" +version = "2.0.3" description = "Links recognition library with FULL unicode support." -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "linkify-it-py-2.0.2.tar.gz", hash = "sha256:19f3060727842c254c808e99d465c80c49d2c7306788140987a1a7a29b0d6ad2"}, - {file = "linkify_it_py-2.0.2-py3-none-any.whl", hash = "sha256:a3a24428f6c96f27370d7fe61d2ac0be09017be5190d68d8658233171f1b6541"}, + {file = "linkify-it-py-2.0.3.tar.gz", hash = "sha256:68cda27e162e9215c17d786649d1da0021a451bdc436ef9e0fa0ba5234b9b048"}, + {file = "linkify_it_py-2.0.3-py3-none-any.whl", hash = "sha256:6bcbc417b0ac14323382aef5c5192c0075bf8a9d6b41820a2b66371eac6b6d79"}, ] [package.dependencies] @@ -1747,14 +1722,13 @@ test = ["coverage", "pytest", "pytest-cov"] [[package]] name = "mako" -version = "1.2.4" +version = "1.3.2" description = "A super-fast templating language that borrows the best ideas from the existing templating languages." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "Mako-1.2.4-py3-none-any.whl", hash = "sha256:c97c79c018b9165ac9922ae4f32da095ffd3c4e6872b45eded42926deea46818"}, - {file = "Mako-1.2.4.tar.gz", hash = "sha256:d60a3903dc3bb01a18ad6a89cdbe2e4eadc69c0bc8ef1e3773ba53d44c3f7a34"}, + {file = "Mako-1.3.2-py3-none-any.whl", hash = "sha256:32a99d70754dfce237019d17ffe4a282d2d3351b9c476e90d8a60e63f133b80c"}, + {file = "Mako-1.3.2.tar.gz", hash = "sha256:2a0c8ad7f6274271b3bb7467dd37cf9cc6dab4bc19cb69a4ef10669402de698e"}, ] [package.dependencies] @@ -1769,7 +1743,6 @@ testing = ["pytest"] name = "markdown-it-py" version = "2.2.0" description = "Python port of markdown-it. Markdown parsing, done right!" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1792,69 +1765,77 @@ testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] [[package]] name = "markupsafe" -version = "2.1.3" +version = "2.1.5" description = "Safely add untrusted strings to HTML/XML markup." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:cd0f502fe016460680cd20aaa5a76d241d6f35a1c3350c474bac1273803893fa"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:e09031c87a1e51556fdcb46e5bd4f59dfb743061cf93c4d6831bf894f125eb57"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:68e78619a61ecf91e76aa3e6e8e33fc4894a2bebe93410754bd28fce0a8a4f9f"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:65c1a9bcdadc6c28eecee2c119465aebff8f7a584dd719facdd9e825ec61ab52"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:525808b8019e36eb524b8c68acdd63a37e75714eac50e988180b169d64480a00"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:962f82a3086483f5e5f64dbad880d31038b698494799b097bc59c2edf392fce6"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:aa7bd130efab1c280bed0f45501b7c8795f9fdbeb02e965371bbef3523627779"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:c9c804664ebe8f83a211cace637506669e7890fec1b4195b505c214e50dd4eb7"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-win32.whl", hash = "sha256:10bbfe99883db80bdbaff2dcf681dfc6533a614f700da1287707e8a5d78a8431"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-win_amd64.whl", hash = "sha256:1577735524cdad32f9f694208aa75e422adba74f1baee7551620e43a3141f559"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ad9e82fb8f09ade1c3e1b996a6337afac2b8b9e365f926f5a61aacc71adc5b3c"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:3c0fae6c3be832a0a0473ac912810b2877c8cb9d76ca48de1ed31e1c68386575"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b076b6226fb84157e3f7c971a47ff3a679d837cf338547532ab866c57930dbee"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bfce63a9e7834b12b87c64d6b155fdd9b3b96191b6bd334bf37db7ff1fe457f2"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:338ae27d6b8745585f87218a3f23f1512dbf52c26c28e322dbe54bcede54ccb9"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e4dd52d80b8c83fdce44e12478ad2e85c64ea965e75d66dbeafb0a3e77308fcc"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:df0be2b576a7abbf737b1575f048c23fb1d769f267ec4358296f31c2479db8f9"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:5bbe06f8eeafd38e5d0a4894ffec89378b6c6a625ff57e3028921f8ff59318ac"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-win32.whl", hash = "sha256:dd15ff04ffd7e05ffcb7fe79f1b98041b8ea30ae9234aed2a9168b5797c3effb"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-win_amd64.whl", hash = "sha256:134da1eca9ec0ae528110ccc9e48041e0828d79f24121a1a146161103c76e686"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:8e254ae696c88d98da6555f5ace2279cf7cd5b3f52be2b5cf97feafe883b58d2"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cb0932dc158471523c9637e807d9bfb93e06a95cbf010f1a38b98623b929ef2b"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9402b03f1a1b4dc4c19845e5c749e3ab82d5078d16a2a4c2cd2df62d57bb0707"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ca379055a47383d02a5400cb0d110cef0a776fc644cda797db0c5696cfd7e18e"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:b7ff0f54cb4ff66dd38bebd335a38e2c22c41a8ee45aa608efc890ac3e3931bc"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:c011a4149cfbcf9f03994ec2edffcb8b1dc2d2aede7ca243746df97a5d41ce48"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:56d9f2ecac662ca1611d183feb03a3fa4406469dafe241673d521dd5ae92a155"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-win32.whl", hash = "sha256:8758846a7e80910096950b67071243da3e5a20ed2546e6392603c096778d48e0"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-win_amd64.whl", hash = "sha256:787003c0ddb00500e49a10f2844fac87aa6ce977b90b0feaaf9de23c22508b24"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:2ef12179d3a291be237280175b542c07a36e7f60718296278d8593d21ca937d4"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:2c1b19b3aaacc6e57b7e25710ff571c24d6c3613a45e905b1fde04d691b98ee0"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8afafd99945ead6e075b973fefa56379c5b5c53fd8937dad92c662da5d8fd5ee"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8c41976a29d078bb235fea9b2ecd3da465df42a562910f9022f1a03107bd02be"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d080e0a5eb2529460b30190fcfcc4199bd7f827663f858a226a81bc27beaa97e"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:69c0f17e9f5a7afdf2cc9fb2d1ce6aabdb3bafb7f38017c0b77862bcec2bbad8"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:504b320cd4b7eff6f968eddf81127112db685e81f7e36e75f9f84f0df46041c3"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:42de32b22b6b804f42c5d98be4f7e5e977ecdd9ee9b660fda1a3edf03b11792d"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-win32.whl", hash = "sha256:ceb01949af7121f9fc39f7d27f91be8546f3fb112c608bc4029aef0bab86a2a5"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-win_amd64.whl", hash = "sha256:1b40069d487e7edb2676d3fbdb2b0829ffa2cd63a2ec26c4938b2d34391b4ecc"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:8023faf4e01efadfa183e863fefde0046de576c6f14659e8782065bcece22198"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6b2b56950d93e41f33b4223ead100ea0fe11f8e6ee5f641eb753ce4b77a7042b"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9dcdfd0eaf283af041973bff14a2e143b8bd64e069f4c383416ecd79a81aab58"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:05fb21170423db021895e1ea1e1f3ab3adb85d1c2333cbc2310f2a26bc77272e"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:282c2cb35b5b673bbcadb33a585408104df04f14b2d9b01d4c345a3b92861c2c"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:ab4a0df41e7c16a1392727727e7998a467472d0ad65f3ad5e6e765015df08636"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:7ef3cb2ebbf91e330e3bb937efada0edd9003683db6b57bb108c4001f37a02ea"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:0a4e4a1aff6c7ac4cd55792abf96c915634c2b97e3cc1c7129578aa68ebd754e"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-win32.whl", hash = "sha256:fec21693218efe39aa7f8599346e90c705afa52c5b31ae019b2e57e8f6542bb2"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-win_amd64.whl", hash = "sha256:3fd4abcb888d15a94f32b75d8fd18ee162ca0c064f35b11134be77050296d6ba"}, - {file = "MarkupSafe-2.1.3.tar.gz", hash = "sha256:af598ed32d6ae86f1b747b82783958b1a4ab8f617b06fe68795c7f026abbdcad"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:a17a92de5231666cfbe003f0e4b9b3a7ae3afb1ec2845aadc2bacc93ff85febc"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:72b6be590cc35924b02c78ef34b467da4ba07e4e0f0454a2c5907f473fc50ce5"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e61659ba32cf2cf1481e575d0462554625196a1f2fc06a1c777d3f48e8865d46"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2174c595a0d73a3080ca3257b40096db99799265e1c27cc5a610743acd86d62f"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ae2ad8ae6ebee9d2d94b17fb62763125f3f374c25618198f40cbb8b525411900"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:075202fa5b72c86ad32dc7d0b56024ebdbcf2048c0ba09f1cde31bfdd57bcfff"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:598e3276b64aff0e7b3451b72e94fa3c238d452e7ddcd893c3ab324717456bad"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fce659a462a1be54d2ffcacea5e3ba2d74daa74f30f5f143fe0c58636e355fdd"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-win32.whl", hash = "sha256:d9fad5155d72433c921b782e58892377c44bd6252b5af2f67f16b194987338a4"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-win_amd64.whl", hash = "sha256:bf50cd79a75d181c9181df03572cdce0fbb75cc353bc350712073108cba98de5"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:629ddd2ca402ae6dbedfceeba9c46d5f7b2a61d9749597d4307f943ef198fc1f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:5b7b716f97b52c5a14bffdf688f971b2d5ef4029127f1ad7a513973cfd818df2"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6ec585f69cec0aa07d945b20805be741395e28ac1627333b1c5b0105962ffced"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b91c037585eba9095565a3556f611e3cbfaa42ca1e865f7b8015fe5c7336d5a5"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7502934a33b54030eaf1194c21c692a534196063db72176b0c4028e140f8f32c"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:0e397ac966fdf721b2c528cf028494e86172b4feba51d65f81ffd65c63798f3f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:c061bb86a71b42465156a3ee7bd58c8c2ceacdbeb95d05a99893e08b8467359a"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:3a57fdd7ce31c7ff06cdfbf31dafa96cc533c21e443d57f5b1ecc6cdc668ec7f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-win32.whl", hash = "sha256:397081c1a0bfb5124355710fe79478cdbeb39626492b15d399526ae53422b906"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-win_amd64.whl", hash = "sha256:2b7c57a4dfc4f16f7142221afe5ba4e093e09e728ca65c51f5620c9aaeb9a617"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8dec4936e9c3100156f8a2dc89c4b88d5c435175ff03413b443469c7c8c5f4d1"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:3c6b973f22eb18a789b1460b4b91bf04ae3f0c4234a0a6aa6b0a92f6f7b951d4"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ac07bad82163452a6884fe8fa0963fb98c2346ba78d779ec06bd7a6262132aee"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f5dfb42c4604dddc8e4305050aa6deb084540643ed5804d7455b5df8fe16f5e5"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ea3d8a3d18833cf4304cd2fc9cbb1efe188ca9b5efef2bdac7adc20594a0e46b"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:d050b3361367a06d752db6ead6e7edeb0009be66bc3bae0ee9d97fb326badc2a"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:bec0a414d016ac1a18862a519e54b2fd0fc8bbfd6890376898a6c0891dd82e9f"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:58c98fee265677f63a4385256a6d7683ab1832f3ddd1e66fe948d5880c21a169"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-win32.whl", hash = "sha256:8590b4ae07a35970728874632fed7bd57b26b0102df2d2b233b6d9d82f6c62ad"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-win_amd64.whl", hash = "sha256:823b65d8706e32ad2df51ed89496147a42a2a6e01c13cfb6ffb8b1e92bc910bb"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:c8b29db45f8fe46ad280a7294f5c3ec36dbac9491f2d1c17345be8e69cc5928f"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ec6a563cff360b50eed26f13adc43e61bc0c04d94b8be985e6fb24b81f6dcfdf"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a549b9c31bec33820e885335b451286e2969a2d9e24879f83fe904a5ce59d70a"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4f11aa001c540f62c6166c7726f71f7573b52c68c31f014c25cc7901deea0b52"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:7b2e5a267c855eea6b4283940daa6e88a285f5f2a67f2220203786dfa59b37e9"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:2d2d793e36e230fd32babe143b04cec8a8b3eb8a3122d2aceb4a371e6b09b8df"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:ce409136744f6521e39fd8e2a24c53fa18ad67aa5bc7c2cf83645cce5b5c4e50"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-win32.whl", hash = "sha256:4096e9de5c6fdf43fb4f04c26fb114f61ef0bf2e5604b6ee3019d51b69e8c371"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-win_amd64.whl", hash = "sha256:4275d846e41ecefa46e2015117a9f491e57a71ddd59bbead77e904dc02b1bed2"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:656f7526c69fac7f600bd1f400991cc282b417d17539a1b228617081106feb4a"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:97cafb1f3cbcd3fd2b6fbfb99ae11cdb14deea0736fc2b0952ee177f2b813a46"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1f3fbcb7ef1f16e48246f704ab79d79da8a46891e2da03f8783a5b6fa41a9532"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fa9db3f79de01457b03d4f01b34cf91bc0048eb2c3846ff26f66687c2f6d16ab"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ffee1f21e5ef0d712f9033568f8344d5da8cc2869dbd08d87c84656e6a2d2f68"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:5dedb4db619ba5a2787a94d877bc8ffc0566f92a01c0ef214865e54ecc9ee5e0"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:30b600cf0a7ac9234b2638fbc0fb6158ba5bdcdf46aeb631ead21248b9affbc4"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:8dd717634f5a044f860435c1d8c16a270ddf0ef8588d4887037c5028b859b0c3"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-win32.whl", hash = "sha256:daa4ee5a243f0f20d528d939d06670a298dd39b1ad5f8a72a4275124a7819eff"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-win_amd64.whl", hash = "sha256:619bc166c4f2de5caa5a633b8b7326fbe98e0ccbfacabd87268a2b15ff73a029"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:7a68b554d356a91cce1236aa7682dc01df0edba8d043fd1ce607c49dd3c1edcf"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:db0b55e0f3cc0be60c1f19efdde9a637c32740486004f20d1cff53c3c0ece4d2"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3e53af139f8579a6d5f7b76549125f0d94d7e630761a2111bc431fd820e163b8"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:17b950fccb810b3293638215058e432159d2b71005c74371d784862b7e4683f3"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4c31f53cdae6ecfa91a77820e8b151dba54ab528ba65dfd235c80b086d68a465"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:bff1b4290a66b490a2f4719358c0cdcd9bafb6b8f061e45c7a2460866bf50c2e"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:bc1667f8b83f48511b94671e0e441401371dfd0f0a795c7daa4a3cd1dde55bea"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:5049256f536511ee3f7e1b3f87d1d1209d327e818e6ae1365e8653d7e3abb6a6"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-win32.whl", hash = "sha256:00e046b6dd71aa03a41079792f8473dc494d564611a8f89bbbd7cb93295ebdcf"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-win_amd64.whl", hash = "sha256:fa173ec60341d6bb97a89f5ea19c85c5643c1e7dedebc22f5181eb73573142c5"}, + {file = "MarkupSafe-2.1.5.tar.gz", hash = "sha256:d283d37a890ba4c1ae73ffadf8046435c76e7bc2247bbb63c00bd1a709c6544b"}, ] [[package]] name = "matplotlib-inline" version = "0.1.6" description = "Inline Matplotlib backend for Jupyter" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -1869,7 +1850,6 @@ traitlets = "*" name = "mccabe" version = "0.7.0" description = "McCabe checker, plugin for flake8" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -1881,7 +1861,6 @@ files = [ name = "mdit-py-plugins" version = "0.3.5" description = "Collection of plugins for markdown-it-py" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1901,7 +1880,6 @@ testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] name = "mdurl" version = "0.1.2" description = "Markdown URL utilities" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1913,7 +1891,6 @@ files = [ name = "mistune" version = "3.0.2" description = "A sane and fast Markdown parser with useful plugins and renderers" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1925,7 +1902,6 @@ files = [ name = "mypy" version = "0.931" description = "Optional static typing for Python" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -1964,7 +1940,6 @@ python2 = ["typed-ast (>=1.4.0,<2)"] name = "mypy-extensions" version = "1.0.0" description = "Type system extensions for programs checked with the mypy type checker." -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -1976,7 +1951,6 @@ files = [ name = "myst-nb" version = "0.17.2" description = "A Jupyter Notebook Sphinx reader built on top of the MyST markdown parser." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2005,7 +1979,6 @@ testing = ["beautifulsoup4", "coverage (>=6.4,<8.0)", "ipykernel (>=5.5,<6.0)", name = "myst-parser" version = "0.18.1" description = "An extended commonmark compliant parser, with bridges to docutils & sphinx." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2032,7 +2005,6 @@ testing = ["beautifulsoup4", "coverage[toml]", "pytest (>=6,<7)", "pytest-cov", name = "nbclient" version = "0.6.8" description = "A client library for executing notebooks. Formerly nbconvert's ExecutePreprocessor." -category = "main" optional = false python-versions = ">=3.7.0" files = [ @@ -2052,14 +2024,13 @@ test = ["black", "check-manifest", "flake8", "ipykernel", "ipython", "ipywidgets [[package]] name = "nbconvert" -version = "7.10.0" -description = "Converting Jupyter Notebooks" -category = "dev" +version = "7.16.2" +description = "Converting Jupyter Notebooks (.ipynb files) to other formats. Output formats include asciidoc, html, latex, markdown, pdf, py, rst, script. nbconvert can be used both as a Python library (`import nbconvert`) or as a command line tool (invoked as `jupyter nbconvert ...`)." optional = false python-versions = ">=3.8" files = [ - {file = "nbconvert-7.10.0-py3-none-any.whl", hash = "sha256:8cf1d95e569730f136feb85e4bba25bdcf3a63fefb122d854ddff6771c0ac933"}, - {file = "nbconvert-7.10.0.tar.gz", hash = "sha256:4bedff08848626be544de193b7594d98a048073f392178008ff4f171f5e21d26"}, + {file = "nbconvert-7.16.2-py3-none-any.whl", hash = "sha256:0c01c23981a8de0220255706822c40b751438e32467d6a686e26be08ba784382"}, + {file = "nbconvert-7.16.2.tar.gz", hash = "sha256:8310edd41e1c43947e4ecf16614c61469ebc024898eb808cce0999860fc9fb16"}, ] [package.dependencies] @@ -2086,14 +2057,13 @@ docs = ["ipykernel", "ipython", "myst-parser", "nbsphinx (>=0.2.12)", "pydata-sp qtpdf = ["nbconvert[qtpng]"] qtpng = ["pyqtwebengine (>=5.15)"] serve = ["tornado (>=6.1)"] -test = ["flaky", "ipykernel", "ipywidgets (>=7)", "pytest", "pytest-dependency"] +test = ["flaky", "ipykernel", "ipywidgets (>=7.5)", "pytest"] webpdf = ["playwright"] [[package]] name = "nbformat" version = "5.9.2" description = "The Jupyter Notebook format" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2113,14 +2083,13 @@ test = ["pep440", "pre-commit", "pytest", "testpath"] [[package]] name = "nbmake" -version = "1.4.6" +version = "1.5.2" description = "Pytest plugin for testing notebooks" -category = "main" optional = false -python-versions = ">=3.7.0,<4.0.0" +python-versions = ">=3.8.0,<4.0.0" files = [ - {file = "nbmake-1.4.6-py3-none-any.whl", hash = "sha256:233603c9186c659cb42524de36b556197c352ede1f9daeaa1b1141dfad226218"}, - {file = "nbmake-1.4.6.tar.gz", hash = "sha256:874c5b9d99922f88bf0c92a3b869e75bff154edba2538efef0a1d7ad2263f5fb"}, + {file = "nbmake-1.5.2-py3-none-any.whl", hash = "sha256:b8669c248177e2bc61139b7ce1bcbeb2ef2435e59e2308927737d6c84c53fc40"}, + {file = "nbmake-1.5.2.tar.gz", hash = "sha256:fc423b1f0d5e964a3928c77ff7b18fe50067444ee3479fdc1f82fc77504f0a30"}, ] [package.dependencies] @@ -2132,21 +2101,19 @@ pytest = ">=6.1.0" [[package]] name = "nest-asyncio" -version = "1.5.8" +version = "1.6.0" description = "Patch asyncio to allow nested event loops" -category = "main" optional = false python-versions = ">=3.5" files = [ - {file = "nest_asyncio-1.5.8-py3-none-any.whl", hash = "sha256:accda7a339a70599cb08f9dd09a67e0c2ef8d8d6f4c07f96ab203f2ae254e48d"}, - {file = "nest_asyncio-1.5.8.tar.gz", hash = "sha256:25aa2ca0d2a5b5531956b9e273b45cf664cae2b145101d73b86b199978d48fdb"}, + {file = "nest_asyncio-1.6.0-py3-none-any.whl", hash = "sha256:87af6efd6b5e897c81050477ef65c62e2b2f35d51703cae01aff2905b1852e1c"}, + {file = "nest_asyncio-1.6.0.tar.gz", hash = "sha256:6f172d5449aca15afd6c646851f4e31e02c598d553a667e38cafa997cfec55fe"}, ] [[package]] name = "netifaces" version = "0.11.0" description = "Portable network interface information." -category = "dev" optional = false python-versions = "*" files = [ @@ -2186,7 +2153,6 @@ files = [ name = "networkx" version = "2.8.8" description = "Python package for creating and manipulating graphs and networks" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2205,7 +2171,6 @@ test = ["codecov (>=2.1)", "pytest (>=7.2)", "pytest-cov (>=4.0)"] name = "nodeenv" version = "1.8.0" description = "Node.js virtual environment builder" -category = "dev" optional = false python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*" files = [ @@ -2218,19 +2183,18 @@ setuptools = "*" [[package]] name = "notebook" -version = "7.0.6" +version = "7.1.1" description = "Jupyter Notebook - A web-based notebook environment for interactive computing" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "notebook-7.0.6-py3-none-any.whl", hash = "sha256:0fe8f67102fea3744fedf652e4c15339390902ca70c5a31c4f547fa23da697cc"}, - {file = "notebook-7.0.6.tar.gz", hash = "sha256:ec6113b06529019f7f287819af06c97a2baf7a95ac21a8f6e32192898e9f9a58"}, + {file = "notebook-7.1.1-py3-none-any.whl", hash = "sha256:197d8e0595acabf4005851c8716e952a81b405f7aefb648067a761fbde267ce7"}, + {file = "notebook-7.1.1.tar.gz", hash = "sha256:818e7420fa21f402e726afb9f02df7f3c10f294c02e383ed19852866c316108b"}, ] [package.dependencies] jupyter-server = ">=2.4.0,<3" -jupyterlab = ">=4.0.2,<5" +jupyterlab = ">=4.1.1,<4.2" jupyterlab-server = ">=2.22.1,<3" notebook-shim = ">=0.2,<0.3" tornado = ">=6.2.0" @@ -2242,14 +2206,13 @@ test = ["importlib-resources (>=5.0)", "ipykernel", "jupyter-server[test] (>=2.4 [[package]] name = "notebook-shim" -version = "0.2.3" +version = "0.2.4" description = "A shim layer for notebook traits and config" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "notebook_shim-0.2.3-py3-none-any.whl", hash = "sha256:a83496a43341c1674b093bfcebf0fe8e74cbe7eda5fd2bbc56f8e39e1486c0c7"}, - {file = "notebook_shim-0.2.3.tar.gz", hash = "sha256:f69388ac283ae008cd506dda10d0288b09a017d822d5e8c7129a152cbd3ce7e9"}, + {file = "notebook_shim-0.2.4-py3-none-any.whl", hash = "sha256:411a5be4e9dc882a074ccbcae671eda64cceb068767e9a3419096986560e1cef"}, + {file = "notebook_shim-0.2.4.tar.gz", hash = "sha256:b4b2cfa1b65d98307ca24361f5b30fe785b53c3fd07b7a47e89acb5e6ac638cb"}, ] [package.dependencies] @@ -2262,7 +2225,6 @@ test = ["pytest", "pytest-console-scripts", "pytest-jupyter", "pytest-tornasync" name = "openpyxl" version = "3.1.2" description = "A Python library to read/write Excel 2010 xlsx/xlsm files" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2275,21 +2237,19 @@ et-xmlfile = "*" [[package]] name = "overrides" -version = "7.4.0" +version = "7.7.0" description = "A decorator to automatically detect mismatch when overriding a method." -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "overrides-7.4.0-py3-none-any.whl", hash = "sha256:3ad24583f86d6d7a49049695efe9933e67ba62f0c7625d53c59fa832ce4b8b7d"}, - {file = "overrides-7.4.0.tar.gz", hash = "sha256:9502a3cca51f4fac40b5feca985b6703a5c1f6ad815588a7ca9e285b9dca6757"}, + {file = "overrides-7.7.0-py3-none-any.whl", hash = "sha256:c7ed9d062f78b8e4c1a7b70bd8796b35ead4d9f510227ef9c5dc7626c60d7e49"}, + {file = "overrides-7.7.0.tar.gz", hash = "sha256:55158fa3d93b98cc75299b1e67078ad9003ca27945c76162c1c0766d6f91820a"}, ] [[package]] name = "owlrl" version = "6.0.2" description = "OWL-RL and RDFS based RDF Closure inferencing for Python" -category = "main" optional = false python-versions = "*" files = [ @@ -2304,7 +2264,6 @@ rdflib = ">=6.0.2" name = "packaging" version = "23.2" description = "Core utilities for Python packages" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -2314,21 +2273,19 @@ files = [ [[package]] name = "pandocfilters" -version = "1.5.0" +version = "1.5.1" description = "Utilities for writing pandoc filters in python" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ - {file = "pandocfilters-1.5.0-py2.py3-none-any.whl", hash = "sha256:33aae3f25fd1a026079f5d27bdd52496f0e0803b3469282162bafdcbdf6ef14f"}, - {file = "pandocfilters-1.5.0.tar.gz", hash = "sha256:0b679503337d233b4339a817bfc8c50064e2eff681314376a47cb582305a7a38"}, + {file = "pandocfilters-1.5.1-py2.py3-none-any.whl", hash = "sha256:93be382804a9cdb0a7267585f157e5d1731bbe5545a85b268d6f5fe6232de2bc"}, + {file = "pandocfilters-1.5.1.tar.gz", hash = "sha256:002b4a555ee4ebc03f8b66307e287fa492e4a77b4ea14d3f934328297bb4939e"}, ] [[package]] name = "parso" version = "0.8.3" description = "A Python Parser" -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -2342,26 +2299,24 @@ testing = ["docopt", "pytest (<6.0.0)"] [[package]] name = "pathspec" -version = "0.11.2" +version = "0.12.1" description = "Utility library for gitignore style pattern matching of file paths." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "pathspec-0.11.2-py3-none-any.whl", hash = "sha256:1d6ed233af05e679efb96b1851550ea95bbb64b7c490b0f5aa52996c11e92a20"}, - {file = "pathspec-0.11.2.tar.gz", hash = "sha256:e0d8d0ac2f12da61956eb2306b69f9469b42f4deb0f3cb6ed47b9cce9996ced3"}, + {file = "pathspec-0.12.1-py3-none-any.whl", hash = "sha256:a0d503e138a4c123b27490a4f7beda6a01c6f288df0e4a8b79c7eb0dc7b4cc08"}, + {file = "pathspec-0.12.1.tar.gz", hash = "sha256:a482d51503a1ab33b1c67a6c3813a26953dbdc71c31dacaef9a838c4e29f5712"}, ] [[package]] name = "pexpect" -version = "4.8.0" +version = "4.9.0" description = "Pexpect allows easy control of interactive console applications." -category = "main" optional = false python-versions = "*" files = [ - {file = "pexpect-4.8.0-py2.py3-none-any.whl", hash = "sha256:0b48a55dcb3c05f3329815901ea4fc1537514d6ba867a152b581d69ae3710937"}, - {file = "pexpect-4.8.0.tar.gz", hash = "sha256:fc65a43959d153d0114afe13997d439c22823a27cefceb5ff35c2178c6784c0c"}, + {file = "pexpect-4.9.0-py2.py3-none-any.whl", hash = "sha256:7236d1e080e4936be2dc3e326cec0af72acf9212a7e1d060210e70a47e253523"}, + {file = "pexpect-4.9.0.tar.gz", hash = "sha256:ee7d41123f3c9911050ea2c2dac107568dc43b2d3b0c7557a33212c398ead30f"}, ] [package.dependencies] @@ -2371,7 +2326,6 @@ ptyprocess = ">=0.5" name = "pickleshare" version = "0.7.5" description = "Tiny 'shelve'-like database with concurrency support" -category = "main" optional = false python-versions = "*" files = [ @@ -2383,7 +2337,6 @@ files = [ name = "pkgutil-resolve-name" version = "1.3.10" description = "Resolve a name to an object." -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -2393,30 +2346,28 @@ files = [ [[package]] name = "platformdirs" -version = "3.11.0" +version = "4.2.0" description = "A small Python package for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "platformdirs-3.11.0-py3-none-any.whl", hash = "sha256:e9d171d00af68be50e9202731309c4e658fd8bc76f55c11c7dd760d023bda68e"}, - {file = "platformdirs-3.11.0.tar.gz", hash = "sha256:cf8ee52a3afdb965072dcc652433e0c7e3e40cf5ea1477cd4b3b1d2eb75495b3"}, + {file = "platformdirs-4.2.0-py3-none-any.whl", hash = "sha256:0614df2a2f37e1a662acbd8e2b25b92ccf8632929bc6d43467e17fe89c75e068"}, + {file = "platformdirs-4.2.0.tar.gz", hash = "sha256:ef0cc731df711022c174543cb70a9b5bd22e5a9337c8624ef2c2ceb8ddad8768"}, ] [package.extras] -docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.1)", "sphinx-autodoc-typehints (>=1.24)"] -test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "pytest-mock (>=3.11.1)"] +docs = ["furo (>=2023.9.10)", "proselint (>=0.13)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.25.2)"] +test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)"] [[package]] name = "pluggy" -version = "1.3.0" +version = "1.4.0" description = "plugin and hook calling mechanisms for python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "pluggy-1.3.0-py3-none-any.whl", hash = "sha256:d89c696a773f8bd377d18e5ecda92b7a3793cbe66c87060a6fb58c7b6e1061f7"}, - {file = "pluggy-1.3.0.tar.gz", hash = "sha256:cf61ae8f126ac6f7c451172cf30e3e43d3ca77615509771b3a984a0730651e12"}, + {file = "pluggy-1.4.0-py3-none-any.whl", hash = "sha256:7db9f7b503d67d1c5b95f59773ebb58a8c1c288129a88665838012cfb07b8981"}, + {file = "pluggy-1.4.0.tar.gz", hash = "sha256:8c85c2876142a764e5b7548e7d9a0e0ddb46f5185161049a79b7e974454223be"}, ] [package.extras] @@ -2427,7 +2378,6 @@ testing = ["pytest", "pytest-benchmark"] name = "pre-commit" version = "2.21.0" description = "A framework for managing and maintaining multi-language pre-commit hooks." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2444,32 +2394,30 @@ virtualenv = ">=20.10.0" [[package]] name = "prettytable" -version = "2.5.0" +version = "3.10.0" description = "A simple Python library for easily displaying tabular data in a visually appealing ASCII table format" -category = "main" optional = false -python-versions = ">=3.6" +python-versions = ">=3.8" files = [ - {file = "prettytable-2.5.0-py3-none-any.whl", hash = "sha256:1411c65d21dca9eaa505ba1d041bed75a6d629ae22f5109a923f4e719cfecba4"}, - {file = "prettytable-2.5.0.tar.gz", hash = "sha256:f7da57ba63d55116d65e5acb147bfdfa60dceccabf0d607d6817ee2888a05f2c"}, + {file = "prettytable-3.10.0-py3-none-any.whl", hash = "sha256:6536efaf0757fdaa7d22e78b3aac3b69ea1b7200538c2c6995d649365bddab92"}, + {file = "prettytable-3.10.0.tar.gz", hash = "sha256:9665594d137fb08a1117518c25551e0ede1687197cf353a4fdc78d27e1073568"}, ] [package.dependencies] wcwidth = "*" [package.extras] -tests = ["pytest", "pytest-cov", "pytest-lazy-fixture"] +tests = ["pytest", "pytest-cov", "pytest-lazy-fixtures"] [[package]] name = "prometheus-client" -version = "0.18.0" +version = "0.20.0" description = "Python client for the Prometheus monitoring system." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "prometheus_client-0.18.0-py3-none-any.whl", hash = "sha256:8de3ae2755f890826f4b6479e5571d4f74ac17a81345fe69a6778fdb92579184"}, - {file = "prometheus_client-0.18.0.tar.gz", hash = "sha256:35f7a8c22139e2bb7ca5a698e92d38145bc8dc74c1c0bf56f25cca886a764e17"}, + {file = "prometheus_client-0.20.0-py3-none-any.whl", hash = "sha256:cde524a85bce83ca359cc837f28b8c0db5cac7aa653a588fd7e84ba061c329e7"}, + {file = "prometheus_client-0.20.0.tar.gz", hash = "sha256:287629d00b147a32dcb2be0b9df905da599b2d82f80377083ec8463309a4bb89"}, ] [package.extras] @@ -2477,14 +2425,13 @@ twisted = ["twisted"] [[package]] name = "prompt-toolkit" -version = "3.0.39" +version = "3.0.43" description = "Library for building powerful interactive command lines in Python" -category = "main" optional = false python-versions = ">=3.7.0" files = [ - {file = "prompt_toolkit-3.0.39-py3-none-any.whl", hash = "sha256:9dffbe1d8acf91e3de75f3b544e4842382fc06c6babe903ac9acb74dc6e08d88"}, - {file = "prompt_toolkit-3.0.39.tar.gz", hash = "sha256:04505ade687dc26dc4284b1ad19a83be2f2afe83e7a828ace0c72f3a1df72aac"}, + {file = "prompt_toolkit-3.0.43-py3-none-any.whl", hash = "sha256:a11a29cb3bf0a28a387fe5122cdb649816a957cd9261dcedf8c9f1fef33eacf6"}, + {file = "prompt_toolkit-3.0.43.tar.gz", hash = "sha256:3527b7af26106cbc65a040bcc84839a3566ec1b051bb0bfe953631e704b0ff7d"}, ] [package.dependencies] @@ -2492,28 +2439,27 @@ wcwidth = "*" [[package]] name = "psutil" -version = "5.9.6" +version = "5.9.8" description = "Cross-platform lib for process and system monitoring in Python." -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*" files = [ - {file = "psutil-5.9.6-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:fb8a697f11b0f5994550555fcfe3e69799e5b060c8ecf9e2f75c69302cc35c0d"}, - {file = "psutil-5.9.6-cp27-cp27m-manylinux2010_i686.whl", hash = "sha256:91ecd2d9c00db9817a4b4192107cf6954addb5d9d67a969a4f436dbc9200f88c"}, - {file = "psutil-5.9.6-cp27-cp27m-manylinux2010_x86_64.whl", hash = "sha256:10e8c17b4f898d64b121149afb136c53ea8b68c7531155147867b7b1ac9e7e28"}, - {file = "psutil-5.9.6-cp27-cp27mu-manylinux2010_i686.whl", hash = "sha256:18cd22c5db486f33998f37e2bb054cc62fd06646995285e02a51b1e08da97017"}, - {file = "psutil-5.9.6-cp27-cp27mu-manylinux2010_x86_64.whl", hash = "sha256:ca2780f5e038379e520281e4c032dddd086906ddff9ef0d1b9dcf00710e5071c"}, - {file = "psutil-5.9.6-cp27-none-win32.whl", hash = "sha256:70cb3beb98bc3fd5ac9ac617a327af7e7f826373ee64c80efd4eb2856e5051e9"}, - {file = "psutil-5.9.6-cp27-none-win_amd64.whl", hash = "sha256:51dc3d54607c73148f63732c727856f5febec1c7c336f8f41fcbd6315cce76ac"}, - {file = "psutil-5.9.6-cp36-abi3-macosx_10_9_x86_64.whl", hash = "sha256:c69596f9fc2f8acd574a12d5f8b7b1ba3765a641ea5d60fb4736bf3c08a8214a"}, - {file = "psutil-5.9.6-cp36-abi3-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:92e0cc43c524834af53e9d3369245e6cc3b130e78e26100d1f63cdb0abeb3d3c"}, - {file = "psutil-5.9.6-cp36-abi3-manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:748c9dd2583ed86347ed65d0035f45fa8c851e8d90354c122ab72319b5f366f4"}, - {file = "psutil-5.9.6-cp36-cp36m-win32.whl", hash = "sha256:3ebf2158c16cc69db777e3c7decb3c0f43a7af94a60d72e87b2823aebac3d602"}, - {file = "psutil-5.9.6-cp36-cp36m-win_amd64.whl", hash = "sha256:ff18b8d1a784b810df0b0fff3bcb50ab941c3b8e2c8de5726f9c71c601c611aa"}, - {file = "psutil-5.9.6-cp37-abi3-win32.whl", hash = "sha256:a6f01f03bf1843280f4ad16f4bde26b817847b4c1a0db59bf6419807bc5ce05c"}, - {file = "psutil-5.9.6-cp37-abi3-win_amd64.whl", hash = "sha256:6e5fb8dc711a514da83098bc5234264e551ad980cec5f85dabf4d38ed6f15e9a"}, - {file = "psutil-5.9.6-cp38-abi3-macosx_11_0_arm64.whl", hash = "sha256:daecbcbd29b289aac14ece28eca6a3e60aa361754cf6da3dfb20d4d32b6c7f57"}, - {file = "psutil-5.9.6.tar.gz", hash = "sha256:e4b92ddcd7dd4cdd3f900180ea1e104932c7bce234fb88976e2a3b296441225a"}, + {file = "psutil-5.9.8-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:26bd09967ae00920df88e0352a91cff1a78f8d69b3ecabbfe733610c0af486c8"}, + {file = "psutil-5.9.8-cp27-cp27m-manylinux2010_i686.whl", hash = "sha256:05806de88103b25903dff19bb6692bd2e714ccf9e668d050d144012055cbca73"}, + {file = "psutil-5.9.8-cp27-cp27m-manylinux2010_x86_64.whl", hash = "sha256:611052c4bc70432ec770d5d54f64206aa7203a101ec273a0cd82418c86503bb7"}, + {file = "psutil-5.9.8-cp27-cp27mu-manylinux2010_i686.whl", hash = "sha256:50187900d73c1381ba1454cf40308c2bf6f34268518b3f36a9b663ca87e65e36"}, + {file = "psutil-5.9.8-cp27-cp27mu-manylinux2010_x86_64.whl", hash = "sha256:02615ed8c5ea222323408ceba16c60e99c3f91639b07da6373fb7e6539abc56d"}, + {file = "psutil-5.9.8-cp27-none-win32.whl", hash = "sha256:36f435891adb138ed3c9e58c6af3e2e6ca9ac2f365efe1f9cfef2794e6c93b4e"}, + {file = "psutil-5.9.8-cp27-none-win_amd64.whl", hash = "sha256:bd1184ceb3f87651a67b2708d4c3338e9b10c5df903f2e3776b62303b26cb631"}, + {file = "psutil-5.9.8-cp36-abi3-macosx_10_9_x86_64.whl", hash = "sha256:aee678c8720623dc456fa20659af736241f575d79429a0e5e9cf88ae0605cc81"}, + {file = "psutil-5.9.8-cp36-abi3-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8cb6403ce6d8e047495a701dc7c5bd788add903f8986d523e3e20b98b733e421"}, + {file = "psutil-5.9.8-cp36-abi3-manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d06016f7f8625a1825ba3732081d77c94589dca78b7a3fc072194851e88461a4"}, + {file = "psutil-5.9.8-cp36-cp36m-win32.whl", hash = "sha256:7d79560ad97af658a0f6adfef8b834b53f64746d45b403f225b85c5c2c140eee"}, + {file = "psutil-5.9.8-cp36-cp36m-win_amd64.whl", hash = "sha256:27cc40c3493bb10de1be4b3f07cae4c010ce715290a5be22b98493509c6299e2"}, + {file = "psutil-5.9.8-cp37-abi3-win32.whl", hash = "sha256:bc56c2a1b0d15aa3eaa5a60c9f3f8e3e565303b465dbf57a1b730e7a2b9844e0"}, + {file = "psutil-5.9.8-cp37-abi3-win_amd64.whl", hash = "sha256:8db4c1b57507eef143a15a6884ca10f7c73876cdf5d51e713151c1236a0e68cf"}, + {file = "psutil-5.9.8-cp38-abi3-macosx_11_0_arm64.whl", hash = "sha256:d16bbddf0693323b8c6123dd804100241da461e41d6e332fb0ba6058f630f8c8"}, + {file = "psutil-5.9.8.tar.gz", hash = "sha256:6be126e3225486dff286a8fb9a06246a5253f4c7c53b475ea5f5ac934e64194c"}, ] [package.extras] @@ -2523,7 +2469,6 @@ test = ["enum34", "ipaddress", "mock", "pywin32", "wmi"] name = "psycopg2" version = "2.9.9" description = "psycopg2 - Python-PostgreSQL Database Adapter" -category = "main" optional = true python-versions = ">=3.7" files = [ @@ -2546,7 +2491,6 @@ files = [ name = "psycopg2-binary" version = "2.9.9" description = "psycopg2 - Python-PostgreSQL Database Adapter" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2576,6 +2520,7 @@ files = [ {file = "psycopg2_binary-2.9.9-cp311-cp311-win32.whl", hash = "sha256:dc4926288b2a3e9fd7b50dc6a1909a13bbdadfc67d93f3374d984e56f885579d"}, {file = "psycopg2_binary-2.9.9-cp311-cp311-win_amd64.whl", hash = "sha256:b76bedd166805480ab069612119ea636f5ab8f8771e640ae103e05a4aae3e417"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:8532fd6e6e2dc57bcb3bc90b079c60de896d2128c5d9d6f24a63875a95a088cf"}, + {file = "psycopg2_binary-2.9.9-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:b0605eaed3eb239e87df0d5e3c6489daae3f7388d455d0c0b4df899519c6a38d"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8f8544b092a29a6ddd72f3556a9fcf249ec412e10ad28be6a0c0d948924f2212"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2d423c8d8a3c82d08fe8af900ad5b613ce3632a1249fd6a223941d0735fce493"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:2e5afae772c00980525f6d6ecf7cbca55676296b580c0e6abb407f15f3706996"}, @@ -2627,7 +2572,6 @@ files = [ name = "ptyprocess" version = "0.7.0" description = "Run a subprocess in a pseudo terminal" -category = "main" optional = false python-versions = "*" files = [ @@ -2639,7 +2583,6 @@ files = [ name = "pure-eval" version = "0.2.2" description = "Safely evaluate AST nodes without side effects" -category = "main" optional = false python-versions = "*" files = [ @@ -2654,7 +2597,6 @@ tests = ["pytest"] name = "pyaml" version = "21.10.1" description = "PyYAML-based module to produce pretty and readable YAML-serialized data" -category = "main" optional = false python-versions = "*" files = [ @@ -2669,7 +2611,6 @@ PyYAML = "*" name = "pybtex" version = "0.24.0" description = "A BibTeX-compatible bibliography processor in Python" -category = "dev" optional = false python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*" files = [ @@ -2689,7 +2630,6 @@ test = ["pytest"] name = "pybtex-docutils" version = "1.0.3" description = "A docutils backend for pybtex." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2705,7 +2645,6 @@ pybtex = ">=0.16" name = "pycodestyle" version = "2.9.1" description = "Python style guide checker" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2717,7 +2656,6 @@ files = [ name = "pycparser" version = "2.21" description = "C parser in Python" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ @@ -2727,14 +2665,13 @@ files = [ [[package]] name = "pydata-sphinx-theme" -version = "0.14.3" +version = "0.14.4" description = "Bootstrap-based Sphinx theme from the PyData community" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "pydata_sphinx_theme-0.14.3-py3-none-any.whl", hash = "sha256:b7e40cd75a20449adfe2d7525be379b9fe92f6d31e5233e449fa34ddcd4398d9"}, - {file = "pydata_sphinx_theme-0.14.3.tar.gz", hash = "sha256:bd474f347895f3fc5b6ce87390af64330ee54f11ebf9660d5bc3f87d532d4e5c"}, + {file = "pydata_sphinx_theme-0.14.4-py3-none-any.whl", hash = "sha256:ac15201f4c2e2e7042b0cad8b30251433c1f92be762ddcefdb4ae68811d918d9"}, + {file = "pydata_sphinx_theme-0.14.4.tar.gz", hash = "sha256:f5d7a2cb7a98e35b9b49d3b02cec373ad28958c2ed5c9b1ffe6aff6c56e9de5b"}, ] [package.dependencies] @@ -2757,7 +2694,6 @@ test = ["pytest", "pytest-cov", "pytest-regressions"] name = "pyflakes" version = "2.5.0" description = "passive checker of Python programs" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2769,7 +2705,6 @@ files = [ name = "pygit2" version = "1.11.1" description = "Python bindings for libgit2." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2811,29 +2746,28 @@ cffi = ">=1.9.1" [[package]] name = "pygments" -version = "2.16.1" +version = "2.17.2" description = "Pygments is a syntax highlighting package written in Python." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "Pygments-2.16.1-py3-none-any.whl", hash = "sha256:13fc09fa63bc8d8671a6d247e1eb303c4b343eaee81d861f3404db2935653692"}, - {file = "Pygments-2.16.1.tar.gz", hash = "sha256:1daff0494820c69bc8941e407aa20f577374ee88364ee10a98fdbe0aece96e29"}, + {file = "pygments-2.17.2-py3-none-any.whl", hash = "sha256:b27c2826c47d0f3219f29554824c30c5e8945175d888647acd804ddd04af846c"}, + {file = "pygments-2.17.2.tar.gz", hash = "sha256:da46cec9fd2de5be3a8a784f434e4c4ab670b4ff54d605c4c2717e9d49c4c367"}, ] [package.extras] plugins = ["importlib-metadata"] +windows-terminal = ["colorama (>=0.4.6)"] [[package]] name = "pyparsing" -version = "3.1.1" +version = "3.1.2" description = "pyparsing module - Classes and methods to define and execute parsing grammars" -category = "main" optional = false python-versions = ">=3.6.8" files = [ - {file = "pyparsing-3.1.1-py3-none-any.whl", hash = "sha256:32c7c0b711493c72ff18a981d24f28aaf9c1fb7ed5e9667c9e84e3db623bdbfb"}, - {file = "pyparsing-3.1.1.tar.gz", hash = "sha256:ede28a1a32462f5a9705e07aea48001a08f7cf81a021585011deba701581a0db"}, + {file = "pyparsing-3.1.2-py3-none-any.whl", hash = "sha256:f9db75911801ed778fe61bb643079ff86601aca99fcae6345aa67292038fb742"}, + {file = "pyparsing-3.1.2.tar.gz", hash = "sha256:a1bac0ce561155ecc3ed78ca94d3c9378656ad4c94c1270de543f621420f94ad"}, ] [package.extras] @@ -2841,40 +2775,39 @@ diagrams = ["jinja2", "railroad-diagrams"] [[package]] name = "pyshacl" -version = "0.21.0" +version = "0.25.0" description = "Python SHACL Validator" -category = "main" optional = false -python-versions = ">=3.7.0,<4.0.0" +python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "pyshacl-0.21.0-py3-none-any.whl", hash = "sha256:6e03d0c62cc8c8ca96f2a2fa30871dd479c27fc3f6b49ec376a350e077355772"}, - {file = "pyshacl-0.21.0.tar.gz", hash = "sha256:078c055afe7f4b239c77d74c8dcb9469733d61dde253e644385c44d953acc702"}, + {file = "pyshacl-0.25.0-py3-none-any.whl", hash = "sha256:716b65397486b1a306efefd018d772d3c112a3828ea4e1be27aae16aee524243"}, + {file = "pyshacl-0.25.0.tar.gz", hash = "sha256:91e87ed04ccb29aa47abfcf8a3e172d35a8831fce23a011cfbf35534ce4c940b"}, ] [package.dependencies] html5lib = ">=1.1,<2" +importlib-metadata = {version = ">6", markers = "python_version < \"3.12\""} owlrl = ">=6.0.2,<7" packaging = ">=21.3" -prettytable = ">=2.2.1,<3.0.0" -rdflib = ">=6.2.0,<7" +prettytable = {version = ">=3.5.0", markers = "python_version >= \"3.8\" and python_version < \"3.12\""} +rdflib = {version = ">=6.3.2,<8.0", markers = "python_full_version >= \"3.8.1\""} [package.extras] dev-coverage = ["coverage (>6.1,!=6.1.1,<7)", "platformdirs", "pytest-cov (>=2.8.1,<3.0.0)"] -dev-lint = ["black (==22.8.0)", "flake8 (>=5.0.4,<6.0.0)", "isort (>=5.10.1,<6.0.0)", "platformdirs"] -dev-type-checking = ["mypy (>=0.800,<0.900)", "mypy (>=0.900,<0.1000)", "platformdirs", "types-setuptools"] +dev-lint = ["black (==23.11.0)", "platformdirs", "ruff (>=0.1.5,<0.2.0)"] +dev-type-checking = ["mypy (>=0.812,<0.900)", "mypy (>=0.900,<0.1000)", "platformdirs", "types-setuptools"] http = ["sanic (>=22.12,<23)", "sanic-cors (==2.2.0)", "sanic-ext (>=23.3,<23.6)"] -js = ["pyduktape2 (>=0.4.1,<0.5.0)"] +js = ["pyduktape2 (>=0.4.6,<0.5.0)"] [[package]] name = "pytest" -version = "7.4.3" +version = "8.0.2" description = "pytest: simple powerful testing with Python" -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "pytest-7.4.3-py3-none-any.whl", hash = "sha256:0d009c083ea859a71b76adf7c1d502e4bc170b80a8ef002da5806527b9591fac"}, - {file = "pytest-7.4.3.tar.gz", hash = "sha256:d989d136982de4e3b29dabcc838ad581c64e8ed52c11fbe86ddebd9da0818cd5"}, + {file = "pytest-8.0.2-py3-none-any.whl", hash = "sha256:edfaaef32ce5172d5466b5127b42e0d6d35ebbe4453f0e3505d96afd93f6b096"}, + {file = "pytest-8.0.2.tar.gz", hash = "sha256:d4051d623a2e0b7e51960ba963193b09ce6daeb9759a451844a21e4ddedfc1bd"}, ] [package.dependencies] @@ -2882,7 +2815,7 @@ colorama = {version = "*", markers = "sys_platform == \"win32\""} exceptiongroup = {version = ">=1.0.0rc8", markers = "python_version < \"3.11\""} iniconfig = "*" packaging = "*" -pluggy = ">=0.12,<2.0" +pluggy = ">=1.3.0,<2.0" tomli = {version = ">=1.0.0", markers = "python_version < \"3.11\""} [package.extras] @@ -2892,7 +2825,6 @@ testing = ["argcomplete", "attrs (>=19.2.0)", "hypothesis (>=3.56)", "mock", "no name = "pytest-cov" version = "3.0.0" description = "Pytest plugin for measuring coverage." -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2909,14 +2841,13 @@ testing = ["fields", "hunter", "process-tests", "pytest-xdist", "six", "virtuale [[package]] name = "python-dateutil" -version = "2.8.2" +version = "2.9.0.post0" description = "Extensions to the standard Python datetime module" -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,>=2.7" files = [ - {file = "python-dateutil-2.8.2.tar.gz", hash = "sha256:0123cacc1627ae19ddf3c27a5de5bd67ee4586fbdd6440d9748f8abb483d3e86"}, - {file = "python_dateutil-2.8.2-py2.py3-none-any.whl", hash = "sha256:961d03dc3453ebbc59dbdea9e4e11c5651520a876d0f4db161e8674aae935da9"}, + {file = "python-dateutil-2.9.0.post0.tar.gz", hash = "sha256:37dd54208da7e1cd875388217d5e00ebd4179249f90fb72437e91a35459a0ad3"}, + {file = "python_dateutil-2.9.0.post0-py2.py3-none-any.whl", hash = "sha256:a8b2bc7bffae282281c8140a97d3aa9c14da0b136dfe83f850eea9a5f7470427"}, ] [package.dependencies] @@ -2926,7 +2857,6 @@ six = ">=1.5" name = "python-json-logger" version = "2.0.7" description = "A python library adding a json log formatter" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2938,7 +2868,6 @@ files = [ name = "pytz" version = "2022.7.1" description = "World timezone definitions, modern and historical" -category = "dev" optional = false python-versions = "*" files = [ @@ -2950,7 +2879,6 @@ files = [ name = "pywin32" version = "306" description = "Python for Window Extensions" -category = "main" optional = false python-versions = "*" files = [ @@ -2972,25 +2900,23 @@ files = [ [[package]] name = "pywinpty" -version = "2.0.12" +version = "2.0.13" description = "Pseudo terminal support for Windows from Python." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "pywinpty-2.0.12-cp310-none-win_amd64.whl", hash = "sha256:21319cd1d7c8844fb2c970fb3a55a3db5543f112ff9cfcd623746b9c47501575"}, - {file = "pywinpty-2.0.12-cp311-none-win_amd64.whl", hash = "sha256:853985a8f48f4731a716653170cd735da36ffbdc79dcb4c7b7140bce11d8c722"}, - {file = "pywinpty-2.0.12-cp312-none-win_amd64.whl", hash = "sha256:1617b729999eb6713590e17665052b1a6ae0ad76ee31e60b444147c5b6a35dca"}, - {file = "pywinpty-2.0.12-cp38-none-win_amd64.whl", hash = "sha256:189380469ca143d06e19e19ff3fba0fcefe8b4a8cc942140a6b863aed7eebb2d"}, - {file = "pywinpty-2.0.12-cp39-none-win_amd64.whl", hash = "sha256:7520575b6546db23e693cbd865db2764097bd6d4ef5dc18c92555904cd62c3d4"}, - {file = "pywinpty-2.0.12.tar.gz", hash = "sha256:8197de460ae8ebb7f5d1701dfa1b5df45b157bb832e92acba316305e18ca00dd"}, + {file = "pywinpty-2.0.13-cp310-none-win_amd64.whl", hash = "sha256:697bff211fb5a6508fee2dc6ff174ce03f34a9a233df9d8b5fe9c8ce4d5eaf56"}, + {file = "pywinpty-2.0.13-cp311-none-win_amd64.whl", hash = "sha256:b96fb14698db1284db84ca38c79f15b4cfdc3172065b5137383910567591fa99"}, + {file = "pywinpty-2.0.13-cp312-none-win_amd64.whl", hash = "sha256:2fd876b82ca750bb1333236ce98488c1be96b08f4f7647cfdf4129dfad83c2d4"}, + {file = "pywinpty-2.0.13-cp38-none-win_amd64.whl", hash = "sha256:61d420c2116c0212808d31625611b51caf621fe67f8a6377e2e8b617ea1c1f7d"}, + {file = "pywinpty-2.0.13-cp39-none-win_amd64.whl", hash = "sha256:71cb613a9ee24174730ac7ae439fd179ca34ccb8c5349e8d7b72ab5dea2c6f4b"}, + {file = "pywinpty-2.0.13.tar.gz", hash = "sha256:c34e32351a3313ddd0d7da23d27f835c860d32fe4ac814d372a3ea9594f41dde"}, ] [[package]] name = "pyyaml" version = "6.0.1" description = "YAML parser and emitter for Python" -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -2999,6 +2925,7 @@ files = [ {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:69b023b2b4daa7548bcfbd4aa3da05b3a74b772db9e23b982788168117739938"}, {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:81e0b275a9ecc9c0c0c07b4b90ba548307583c125f54d5b6946cfee6360c733d"}, {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba336e390cd8e4d1739f42dfe9bb83a3cc2e80f567d8805e11b46f4a943f5515"}, + {file = "PyYAML-6.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:326c013efe8048858a6d312ddd31d56e468118ad4cdeda36c719bf5bb6192290"}, {file = "PyYAML-6.0.1-cp310-cp310-win32.whl", hash = "sha256:bd4af7373a854424dabd882decdc5579653d7868b8fb26dc7d0e99f823aa5924"}, {file = "PyYAML-6.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:fd1592b3fdf65fff2ad0004b5e363300ef59ced41c2e6b3a99d4089fa8c5435d"}, {file = "PyYAML-6.0.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:6965a7bc3cf88e5a1c3bd2e0b5c22f8d677dc88a455344035f03399034eb3007"}, @@ -3006,8 +2933,16 @@ files = [ {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:42f8152b8dbc4fe7d96729ec2b99c7097d656dc1213a3229ca5383f973a5ed6d"}, {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:062582fca9fabdd2c8b54a3ef1c978d786e0f6b3a1510e0ac93ef59e0ddae2bc"}, {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d2b04aac4d386b172d5b9692e2d2da8de7bfb6c387fa4f801fbf6fb2e6ba4673"}, + {file = "PyYAML-6.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:e7d73685e87afe9f3b36c799222440d6cf362062f78be1013661b00c5c6f678b"}, {file = "PyYAML-6.0.1-cp311-cp311-win32.whl", hash = "sha256:1635fd110e8d85d55237ab316b5b011de701ea0f29d07611174a1b42f1444741"}, {file = "PyYAML-6.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:bf07ee2fef7014951eeb99f56f39c9bb4af143d8aa3c21b1677805985307da34"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:855fb52b0dc35af121542a76b9a84f8d1cd886ea97c84703eaa6d88e37a2ad28"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:40df9b996c2b73138957fe23a16a4f0ba614f4c0efce1e9406a184b6d07fa3a9"}, + {file = "PyYAML-6.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a08c6f0fe150303c1c6b71ebcd7213c2858041a7e01975da3a99aed1e7a378ef"}, + {file = "PyYAML-6.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6c22bec3fbe2524cde73d7ada88f6566758a8f7227bfbf93a408a9d86bcc12a0"}, + {file = "PyYAML-6.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8d4e9c88387b0f5c7d5f281e55304de64cf7f9c0021a3525bd3b1c542da3b0e4"}, + {file = "PyYAML-6.0.1-cp312-cp312-win32.whl", hash = "sha256:d483d2cdf104e7c9fa60c544d92981f12ad66a457afae824d146093b8c294c54"}, + {file = "PyYAML-6.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:0d3304d8c0adc42be59c5f8a4d9e3d7379e6955ad754aa9d6ab7a398b59dd1df"}, {file = "PyYAML-6.0.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:50550eb667afee136e9a77d6dc71ae76a44df8b3e51e41b77f6de2932bfe0f47"}, {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1fe35611261b29bd1de0070f0b2f47cb6ff71fa6595c077e42bd0c419fa27b98"}, {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:704219a11b772aea0d8ecd7058d0082713c3562b4e271b849ad7dc4a5c90c13c"}, @@ -3024,6 +2959,7 @@ files = [ {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a0cd17c15d3bb3fa06978b4e8958dcdc6e0174ccea823003a106c7d4d7899ac5"}, {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:28c119d996beec18c05208a8bd78cbe4007878c6dd15091efb73a30e90539696"}, {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7e07cbde391ba96ab58e532ff4803f79c4129397514e1413a7dc761ccd755735"}, + {file = "PyYAML-6.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:49a183be227561de579b4a36efbb21b3eab9651dd81b1858589f796549873dd6"}, {file = "PyYAML-6.0.1-cp38-cp38-win32.whl", hash = "sha256:184c5108a2aca3c5b3d3bf9395d50893a7ab82a38004c8f61c258d4428e80206"}, {file = "PyYAML-6.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:1e2722cc9fbb45d9b87631ac70924c11d3a401b2d7f410cc0e3bbf249f2dca62"}, {file = "PyYAML-6.0.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:9eb6caa9a297fc2c2fb8862bc5370d0303ddba53ba97e71f08023b6cd73d16a8"}, @@ -3031,6 +2967,7 @@ files = [ {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5773183b6446b2c99bb77e77595dd486303b4faab2b086e7b17bc6bef28865f6"}, {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b786eecbdf8499b9ca1d697215862083bd6d2a99965554781d0d8d1ad31e13a0"}, {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bc1bf2925a1ecd43da378f4db9e4f799775d6367bdb94671027b73b393a7c42c"}, + {file = "PyYAML-6.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:04ac92ad1925b2cff1db0cfebffb6ffc43457495c9b3c39d3fcae417d7125dc5"}, {file = "PyYAML-6.0.1-cp39-cp39-win32.whl", hash = "sha256:faca3bdcf85b2fc05d06ff3fbc1f83e1391b3e724afa3feba7d13eeab355484c"}, {file = "PyYAML-6.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:510c9deebc5c0225e8c96813043e62b680ba2f9c50a08d3724c7f28a747d1486"}, {file = "PyYAML-6.0.1.tar.gz", hash = "sha256:bfdf460b1736c775f2ba9f6a92bca30bc2095067b8a9d77876d1fad6cc3b4a43"}, @@ -3038,105 +2975,104 @@ files = [ [[package]] name = "pyzmq" -version = "25.1.1" +version = "25.1.2" description = "Python bindings for 0MQ" -category = "main" optional = false python-versions = ">=3.6" files = [ - {file = "pyzmq-25.1.1-cp310-cp310-macosx_10_15_universal2.whl", hash = "sha256:381469297409c5adf9a0e884c5eb5186ed33137badcbbb0560b86e910a2f1e76"}, - {file = "pyzmq-25.1.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:955215ed0604dac5b01907424dfa28b40f2b2292d6493445dd34d0dfa72586a8"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:985bbb1316192b98f32e25e7b9958088431d853ac63aca1d2c236f40afb17c83"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:afea96f64efa98df4da6958bae37f1cbea7932c35878b185e5982821bc883369"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:76705c9325d72a81155bb6ab48d4312e0032bf045fb0754889133200f7a0d849"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_28_x86_64.whl", hash = "sha256:77a41c26205d2353a4c94d02be51d6cbdf63c06fbc1295ea57dad7e2d3381b71"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:12720a53e61c3b99d87262294e2b375c915fea93c31fc2336898c26d7aed34cd"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:57459b68e5cd85b0be8184382cefd91959cafe79ae019e6b1ae6e2ba8a12cda7"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:292fe3fc5ad4a75bc8df0dfaee7d0babe8b1f4ceb596437213821f761b4589f9"}, - {file = "pyzmq-25.1.1-cp310-cp310-win32.whl", hash = "sha256:35b5ab8c28978fbbb86ea54958cd89f5176ce747c1fb3d87356cf698048a7790"}, - {file = "pyzmq-25.1.1-cp310-cp310-win_amd64.whl", hash = "sha256:11baebdd5fc5b475d484195e49bae2dc64b94a5208f7c89954e9e354fc609d8f"}, - {file = "pyzmq-25.1.1-cp311-cp311-macosx_10_15_universal2.whl", hash = "sha256:d20a0ddb3e989e8807d83225a27e5c2eb2260eaa851532086e9e0fa0d5287d83"}, - {file = "pyzmq-25.1.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:e1c1be77bc5fb77d923850f82e55a928f8638f64a61f00ff18a67c7404faf008"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d89528b4943d27029a2818f847c10c2cecc79fa9590f3cb1860459a5be7933eb"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:90f26dc6d5f241ba358bef79be9ce06de58d477ca8485e3291675436d3827cf8"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c2b92812bd214018e50b6380ea3ac0c8bb01ac07fcc14c5f86a5bb25e74026e9"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_28_x86_64.whl", hash = "sha256:2f957ce63d13c28730f7fd6b72333814221c84ca2421298f66e5143f81c9f91f"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:047a640f5c9c6ade7b1cc6680a0e28c9dd5a0825135acbd3569cc96ea00b2505"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:7f7e58effd14b641c5e4dec8c7dab02fb67a13df90329e61c869b9cc607ef752"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:c2910967e6ab16bf6fbeb1f771c89a7050947221ae12a5b0b60f3bca2ee19bca"}, - {file = "pyzmq-25.1.1-cp311-cp311-win32.whl", hash = "sha256:76c1c8efb3ca3a1818b837aea423ff8a07bbf7aafe9f2f6582b61a0458b1a329"}, - {file = "pyzmq-25.1.1-cp311-cp311-win_amd64.whl", hash = "sha256:44e58a0554b21fc662f2712814a746635ed668d0fbc98b7cb9d74cb798d202e6"}, - {file = "pyzmq-25.1.1-cp312-cp312-macosx_10_15_universal2.whl", hash = "sha256:e1ffa1c924e8c72778b9ccd386a7067cddf626884fd8277f503c48bb5f51c762"}, - {file = "pyzmq-25.1.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:1af379b33ef33757224da93e9da62e6471cf4a66d10078cf32bae8127d3d0d4a"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cff084c6933680d1f8b2f3b4ff5bbb88538a4aac00d199ac13f49d0698727ecb"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e2400a94f7dd9cb20cd012951a0cbf8249e3d554c63a9c0cdfd5cbb6c01d2dec"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2d81f1ddae3858b8299d1da72dd7d19dd36aab654c19671aa8a7e7fb02f6638a"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_28_x86_64.whl", hash = "sha256:255ca2b219f9e5a3a9ef3081512e1358bd4760ce77828e1028b818ff5610b87b"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:a882ac0a351288dd18ecae3326b8a49d10c61a68b01419f3a0b9a306190baf69"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:724c292bb26365659fc434e9567b3f1adbdb5e8d640c936ed901f49e03e5d32e"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:4ca1ed0bb2d850aa8471387882247c68f1e62a4af0ce9c8a1dbe0d2bf69e41fb"}, - {file = "pyzmq-25.1.1-cp312-cp312-win32.whl", hash = "sha256:b3451108ab861040754fa5208bca4a5496c65875710f76789a9ad27c801a0075"}, - {file = "pyzmq-25.1.1-cp312-cp312-win_amd64.whl", hash = "sha256:eadbefd5e92ef8a345f0525b5cfd01cf4e4cc651a2cffb8f23c0dd184975d787"}, - {file = "pyzmq-25.1.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:db0b2af416ba735c6304c47f75d348f498b92952f5e3e8bff449336d2728795d"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c7c133e93b405eb0d36fa430c94185bdd13c36204a8635470cccc200723c13bb"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:273bc3959bcbff3f48606b28229b4721716598d76b5aaea2b4a9d0ab454ec062"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:cbc8df5c6a88ba5ae385d8930da02201165408dde8d8322072e3e5ddd4f68e22"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:18d43df3f2302d836f2a56f17e5663e398416e9dd74b205b179065e61f1a6edf"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:73461eed88a88c866656e08f89299720a38cb4e9d34ae6bf5df6f71102570f2e"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:34c850ce7976d19ebe7b9d4b9bb8c9dfc7aac336c0958e2651b88cbd46682123"}, - {file = "pyzmq-25.1.1-cp36-cp36m-win32.whl", hash = "sha256:d2045d6d9439a0078f2a34b57c7b18c4a6aef0bee37f22e4ec9f32456c852c71"}, - {file = "pyzmq-25.1.1-cp36-cp36m-win_amd64.whl", hash = "sha256:458dea649f2f02a0b244ae6aef8dc29325a2810aa26b07af8374dc2a9faf57e3"}, - {file = "pyzmq-25.1.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:7cff25c5b315e63b07a36f0c2bab32c58eafbe57d0dce61b614ef4c76058c115"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b1579413ae492b05de5a6174574f8c44c2b9b122a42015c5292afa4be2507f28"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:3d0a409d3b28607cc427aa5c30a6f1e4452cc44e311f843e05edb28ab5e36da0"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:21eb4e609a154a57c520e3d5bfa0d97e49b6872ea057b7c85257b11e78068222"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:034239843541ef7a1aee0c7b2cb7f6aafffb005ede965ae9cbd49d5ff4ff73cf"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:f8115e303280ba09f3898194791a153862cbf9eef722ad8f7f741987ee2a97c7"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:1a5d26fe8f32f137e784f768143728438877d69a586ddeaad898558dc971a5ae"}, - {file = "pyzmq-25.1.1-cp37-cp37m-win32.whl", hash = "sha256:f32260e556a983bc5c7ed588d04c942c9a8f9c2e99213fec11a031e316874c7e"}, - {file = "pyzmq-25.1.1-cp37-cp37m-win_amd64.whl", hash = "sha256:abf34e43c531bbb510ae7e8f5b2b1f2a8ab93219510e2b287a944432fad135f3"}, - {file = "pyzmq-25.1.1-cp38-cp38-macosx_10_15_universal2.whl", hash = "sha256:87e34f31ca8f168c56d6fbf99692cc8d3b445abb5bfd08c229ae992d7547a92a"}, - {file = "pyzmq-25.1.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:c9c6c9b2c2f80747a98f34ef491c4d7b1a8d4853937bb1492774992a120f475d"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:5619f3f5a4db5dbb572b095ea3cb5cc035335159d9da950830c9c4db2fbb6995"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5a34d2395073ef862b4032343cf0c32a712f3ab49d7ec4f42c9661e0294d106f"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:25f0e6b78220aba09815cd1f3a32b9c7cb3e02cb846d1cfc526b6595f6046618"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:3669cf8ee3520c2f13b2e0351c41fea919852b220988d2049249db10046a7afb"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2d163a18819277e49911f7461567bda923461c50b19d169a062536fffe7cd9d2"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:df27ffddff4190667d40de7beba4a950b5ce78fe28a7dcc41d6f8a700a80a3c0"}, - {file = "pyzmq-25.1.1-cp38-cp38-win32.whl", hash = "sha256:a382372898a07479bd34bda781008e4a954ed8750f17891e794521c3e21c2e1c"}, - {file = "pyzmq-25.1.1-cp38-cp38-win_amd64.whl", hash = "sha256:52533489f28d62eb1258a965f2aba28a82aa747202c8fa5a1c7a43b5db0e85c1"}, - {file = "pyzmq-25.1.1-cp39-cp39-macosx_10_15_universal2.whl", hash = "sha256:03b3f49b57264909aacd0741892f2aecf2f51fb053e7d8ac6767f6c700832f45"}, - {file = "pyzmq-25.1.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:330f9e188d0d89080cde66dc7470f57d1926ff2fb5576227f14d5be7ab30b9fa"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:2ca57a5be0389f2a65e6d3bb2962a971688cbdd30b4c0bd188c99e39c234f414"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d457aed310f2670f59cc5b57dcfced452aeeed77f9da2b9763616bd57e4dbaae"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c56d748ea50215abef7030c72b60dd723ed5b5c7e65e7bc2504e77843631c1a6"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:8f03d3f0d01cb5a018debeb412441996a517b11c5c17ab2001aa0597c6d6882c"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:820c4a08195a681252f46926de10e29b6bbf3e17b30037bd4250d72dd3ddaab8"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:17ef5f01d25b67ca8f98120d5fa1d21efe9611604e8eb03a5147360f517dd1e2"}, - {file = "pyzmq-25.1.1-cp39-cp39-win32.whl", hash = "sha256:04ccbed567171579ec2cebb9c8a3e30801723c575601f9a990ab25bcac6b51e2"}, - {file = "pyzmq-25.1.1-cp39-cp39-win_amd64.whl", hash = "sha256:e61f091c3ba0c3578411ef505992d356a812fb200643eab27f4f70eed34a29ef"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:ade6d25bb29c4555d718ac6d1443a7386595528c33d6b133b258f65f963bb0f6"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e0c95ddd4f6e9fca4e9e3afaa4f9df8552f0ba5d1004e89ef0a68e1f1f9807c7"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:48e466162a24daf86f6b5ca72444d2bf39a5e58da5f96370078be67c67adc978"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:abc719161780932c4e11aaebb203be3d6acc6b38d2f26c0f523b5b59d2fc1996"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:1ccf825981640b8c34ae54231b7ed00271822ea1c6d8ba1090ebd4943759abf5"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:c2f20ce161ebdb0091a10c9ca0372e023ce24980d0e1f810f519da6f79c60800"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:deee9ca4727f53464daf089536e68b13e6104e84a37820a88b0a057b97bba2d2"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:aa8d6cdc8b8aa19ceb319aaa2b660cdaccc533ec477eeb1309e2a291eaacc43a"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:019e59ef5c5256a2c7378f2fb8560fc2a9ff1d315755204295b2eab96b254d0a"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:b9af3757495c1ee3b5c4e945c1df7be95562277c6e5bccc20a39aec50f826cd0"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:548d6482dc8aadbe7e79d1b5806585c8120bafa1ef841167bc9090522b610fa6"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:057e824b2aae50accc0f9a0570998adc021b372478a921506fddd6c02e60308e"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:2243700cc5548cff20963f0ca92d3e5e436394375ab8a354bbea2b12911b20b0"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:79986f3b4af059777111409ee517da24a529bdbd46da578b33f25580adcff728"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:11d58723d44d6ed4dd677c5615b2ffb19d5c426636345567d6af82be4dff8a55"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:49d238cf4b69652257db66d0c623cd3e09b5d2e9576b56bc067a396133a00d4a"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fedbdc753827cf014c01dbbee9c3be17e5a208dcd1bf8641ce2cd29580d1f0d4"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bc16ac425cc927d0a57d242589f87ee093884ea4804c05a13834d07c20db203c"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:11c1d2aed9079c6b0c9550a7257a836b4a637feb334904610f06d70eb44c56d2"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:e8a701123029cc240cea61dd2d16ad57cab4691804143ce80ecd9286b464d180"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:61706a6b6c24bdece85ff177fec393545a3191eeda35b07aaa1458a027ad1304"}, - {file = "pyzmq-25.1.1.tar.gz", hash = "sha256:259c22485b71abacdfa8bf79720cd7bcf4b9d128b30ea554f01ae71fdbfdaa23"}, + {file = "pyzmq-25.1.2-cp310-cp310-macosx_10_15_universal2.whl", hash = "sha256:e624c789359f1a16f83f35e2c705d07663ff2b4d4479bad35621178d8f0f6ea4"}, + {file = "pyzmq-25.1.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:49151b0efece79f6a79d41a461d78535356136ee70084a1c22532fc6383f4ad0"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d9a5f194cf730f2b24d6af1f833c14c10f41023da46a7f736f48b6d35061e76e"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:faf79a302f834d9e8304fafdc11d0d042266667ac45209afa57e5efc998e3872"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7f51a7b4ead28d3fca8dda53216314a553b0f7a91ee8fc46a72b402a78c3e43d"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_28_x86_64.whl", hash = "sha256:0ddd6d71d4ef17ba5a87becf7ddf01b371eaba553c603477679ae817a8d84d75"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:246747b88917e4867e2367b005fc8eefbb4a54b7db363d6c92f89d69abfff4b6"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:00c48ae2fd81e2a50c3485de1b9d5c7c57cd85dc8ec55683eac16846e57ac979"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:5a68d491fc20762b630e5db2191dd07ff89834086740f70e978bb2ef2668be08"}, + {file = "pyzmq-25.1.2-cp310-cp310-win32.whl", hash = "sha256:09dfe949e83087da88c4a76767df04b22304a682d6154de2c572625c62ad6886"}, + {file = "pyzmq-25.1.2-cp310-cp310-win_amd64.whl", hash = "sha256:fa99973d2ed20417744fca0073390ad65ce225b546febb0580358e36aa90dba6"}, + {file = "pyzmq-25.1.2-cp311-cp311-macosx_10_15_universal2.whl", hash = "sha256:82544e0e2d0c1811482d37eef297020a040c32e0687c1f6fc23a75b75db8062c"}, + {file = "pyzmq-25.1.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:01171fc48542348cd1a360a4b6c3e7d8f46cdcf53a8d40f84db6707a6768acc1"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bc69c96735ab501419c432110016329bf0dea8898ce16fab97c6d9106dc0b348"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3e124e6b1dd3dfbeb695435dff0e383256655bb18082e094a8dd1f6293114642"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7598d2ba821caa37a0f9d54c25164a4fa351ce019d64d0b44b45540950458840"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_28_x86_64.whl", hash = "sha256:d1299d7e964c13607efd148ca1f07dcbf27c3ab9e125d1d0ae1d580a1682399d"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:4e6f689880d5ad87918430957297c975203a082d9a036cc426648fcbedae769b"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:cc69949484171cc961e6ecd4a8911b9ce7a0d1f738fcae717177c231bf77437b"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:9880078f683466b7f567b8624bfc16cad65077be046b6e8abb53bed4eeb82dd3"}, + {file = "pyzmq-25.1.2-cp311-cp311-win32.whl", hash = "sha256:4e5837af3e5aaa99a091302df5ee001149baff06ad22b722d34e30df5f0d9097"}, + {file = "pyzmq-25.1.2-cp311-cp311-win_amd64.whl", hash = "sha256:25c2dbb97d38b5ac9fd15586e048ec5eb1e38f3d47fe7d92167b0c77bb3584e9"}, + {file = "pyzmq-25.1.2-cp312-cp312-macosx_10_15_universal2.whl", hash = "sha256:11e70516688190e9c2db14fcf93c04192b02d457b582a1f6190b154691b4c93a"}, + {file = "pyzmq-25.1.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:313c3794d650d1fccaaab2df942af9f2c01d6217c846177cfcbc693c7410839e"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1b3cbba2f47062b85fe0ef9de5b987612140a9ba3a9c6d2543c6dec9f7c2ab27"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fc31baa0c32a2ca660784d5af3b9487e13b61b3032cb01a115fce6588e1bed30"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:02c9087b109070c5ab0b383079fa1b5f797f8d43e9a66c07a4b8b8bdecfd88ee"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_28_x86_64.whl", hash = "sha256:f8429b17cbb746c3e043cb986328da023657e79d5ed258b711c06a70c2ea7537"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:5074adeacede5f810b7ef39607ee59d94e948b4fd954495bdb072f8c54558181"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7ae8f354b895cbd85212da245f1a5ad8159e7840e37d78b476bb4f4c3f32a9fe"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:b264bf2cc96b5bc43ce0e852be995e400376bd87ceb363822e2cb1964fcdc737"}, + {file = "pyzmq-25.1.2-cp312-cp312-win32.whl", hash = "sha256:02bbc1a87b76e04fd780b45e7f695471ae6de747769e540da909173d50ff8e2d"}, + {file = "pyzmq-25.1.2-cp312-cp312-win_amd64.whl", hash = "sha256:ced111c2e81506abd1dc142e6cd7b68dd53747b3b7ae5edbea4578c5eeff96b7"}, + {file = "pyzmq-25.1.2-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:7b6d09a8962a91151f0976008eb7b29b433a560fde056ec7a3db9ec8f1075438"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:967668420f36878a3c9ecb5ab33c9d0ff8d054f9c0233d995a6d25b0e95e1b6b"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5edac3f57c7ddaacdb4d40f6ef2f9e299471fc38d112f4bc6d60ab9365445fb0"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:0dabfb10ef897f3b7e101cacba1437bd3a5032ee667b7ead32bbcdd1a8422fe7"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:2c6441e0398c2baacfe5ba30c937d274cfc2dc5b55e82e3749e333aabffde561"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:16b726c1f6c2e7625706549f9dbe9b06004dfbec30dbed4bf50cbdfc73e5b32a"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:a86c2dd76ef71a773e70551a07318b8e52379f58dafa7ae1e0a4be78efd1ff16"}, + {file = "pyzmq-25.1.2-cp36-cp36m-win32.whl", hash = "sha256:359f7f74b5d3c65dae137f33eb2bcfa7ad9ebefd1cab85c935f063f1dbb245cc"}, + {file = "pyzmq-25.1.2-cp36-cp36m-win_amd64.whl", hash = "sha256:55875492f820d0eb3417b51d96fea549cde77893ae3790fd25491c5754ea2f68"}, + {file = "pyzmq-25.1.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:b8c8a419dfb02e91b453615c69568442e897aaf77561ee0064d789705ff37a92"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8807c87fa893527ae8a524c15fc505d9950d5e856f03dae5921b5e9aa3b8783b"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5e319ed7d6b8f5fad9b76daa0a68497bc6f129858ad956331a5835785761e003"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:3c53687dde4d9d473c587ae80cc328e5b102b517447456184b485587ebd18b62"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:9add2e5b33d2cd765ad96d5eb734a5e795a0755f7fc49aa04f76d7ddda73fd70"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:e690145a8c0c273c28d3b89d6fb32c45e0d9605b2293c10e650265bf5c11cfec"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:00a06faa7165634f0cac1abb27e54d7a0b3b44eb9994530b8ec73cf52e15353b"}, + {file = "pyzmq-25.1.2-cp37-cp37m-win32.whl", hash = "sha256:0f97bc2f1f13cb16905a5f3e1fbdf100e712d841482b2237484360f8bc4cb3d7"}, + {file = "pyzmq-25.1.2-cp37-cp37m-win_amd64.whl", hash = "sha256:6cc0020b74b2e410287e5942e1e10886ff81ac77789eb20bec13f7ae681f0fdd"}, + {file = "pyzmq-25.1.2-cp38-cp38-macosx_10_15_universal2.whl", hash = "sha256:bef02cfcbded83473bdd86dd8d3729cd82b2e569b75844fb4ea08fee3c26ae41"}, + {file = "pyzmq-25.1.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:e10a4b5a4b1192d74853cc71a5e9fd022594573926c2a3a4802020360aa719d8"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:8c5f80e578427d4695adac6fdf4370c14a2feafdc8cb35549c219b90652536ae"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5dde6751e857910c1339890f3524de74007958557593b9e7e8c5f01cd919f8a7"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ea1608dd169da230a0ad602d5b1ebd39807ac96cae1845c3ceed39af08a5c6df"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:0f513130c4c361201da9bc69df25a086487250e16b5571ead521b31ff6b02220"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:019744b99da30330798bb37df33549d59d380c78e516e3bab9c9b84f87a9592f"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:2e2713ef44be5d52dd8b8e2023d706bf66cb22072e97fc71b168e01d25192755"}, + {file = "pyzmq-25.1.2-cp38-cp38-win32.whl", hash = "sha256:07cd61a20a535524906595e09344505a9bd46f1da7a07e504b315d41cd42eb07"}, + {file = "pyzmq-25.1.2-cp38-cp38-win_amd64.whl", hash = "sha256:eb7e49a17fb8c77d3119d41a4523e432eb0c6932187c37deb6fbb00cc3028088"}, + {file = "pyzmq-25.1.2-cp39-cp39-macosx_10_15_universal2.whl", hash = "sha256:94504ff66f278ab4b7e03e4cba7e7e400cb73bfa9d3d71f58d8972a8dc67e7a6"}, + {file = "pyzmq-25.1.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6dd0d50bbf9dca1d0bdea219ae6b40f713a3fb477c06ca3714f208fd69e16fd8"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:004ff469d21e86f0ef0369717351073e0e577428e514c47c8480770d5e24a565"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:c0b5ca88a8928147b7b1e2dfa09f3b6c256bc1135a1338536cbc9ea13d3b7add"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2c9a79f1d2495b167119d02be7448bfba57fad2a4207c4f68abc0bab4b92925b"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:518efd91c3d8ac9f9b4f7dd0e2b7b8bf1a4fe82a308009016b07eaa48681af82"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:1ec23bd7b3a893ae676d0e54ad47d18064e6c5ae1fadc2f195143fb27373f7f6"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:db36c27baed588a5a8346b971477b718fdc66cf5b80cbfbd914b4d6d355e44e2"}, + {file = "pyzmq-25.1.2-cp39-cp39-win32.whl", hash = "sha256:39b1067f13aba39d794a24761e385e2eddc26295826530a8c7b6c6c341584289"}, + {file = "pyzmq-25.1.2-cp39-cp39-win_amd64.whl", hash = "sha256:8e9f3fabc445d0ce320ea2c59a75fe3ea591fdbdeebec5db6de530dd4b09412e"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:a8c1d566344aee826b74e472e16edae0a02e2a044f14f7c24e123002dcff1c05"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:759cfd391a0996345ba94b6a5110fca9c557ad4166d86a6e81ea526c376a01e8"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7c61e346ac34b74028ede1c6b4bcecf649d69b707b3ff9dc0fab453821b04d1e"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4cb8fc1f8d69b411b8ec0b5f1ffbcaf14c1db95b6bccea21d83610987435f1a4"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:3c00c9b7d1ca8165c610437ca0c92e7b5607b2f9076f4eb4b095c85d6e680a1d"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:df0c7a16ebb94452d2909b9a7b3337940e9a87a824c4fc1c7c36bb4404cb0cde"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:45999e7f7ed5c390f2e87ece7f6c56bf979fb213550229e711e45ecc7d42ccb8"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:ac170e9e048b40c605358667aca3d94e98f604a18c44bdb4c102e67070f3ac9b"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d1b604734bec94f05f81b360a272fc824334267426ae9905ff32dc2be433ab96"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:a793ac733e3d895d96f865f1806f160696422554e46d30105807fdc9841b9f7d"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:0806175f2ae5ad4b835ecd87f5f85583316b69f17e97786f7443baaf54b9bb98"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:ef12e259e7bc317c7597d4f6ef59b97b913e162d83b421dd0db3d6410f17a244"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:ea253b368eb41116011add00f8d5726762320b1bda892f744c91997b65754d73"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1b9b1f2ad6498445a941d9a4fee096d387fee436e45cc660e72e768d3d8ee611"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:8b14c75979ce932c53b79976a395cb2a8cd3aaf14aef75e8c2cb55a330b9b49d"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:889370d5174a741a62566c003ee8ddba4b04c3f09a97b8000092b7ca83ec9c49"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9a18fff090441a40ffda8a7f4f18f03dc56ae73f148f1832e109f9bffa85df15"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:99a6b36f95c98839ad98f8c553d8507644c880cf1e0a57fe5e3a3f3969040882"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4345c9a27f4310afbb9c01750e9461ff33d6fb74cd2456b107525bbeebcb5be3"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:3516e0b6224cf6e43e341d56da15fd33bdc37fa0c06af4f029f7d7dfceceabbc"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:146b9b1f29ead41255387fb07be56dc29639262c0f7344f570eecdcd8d683314"}, + {file = "pyzmq-25.1.2.tar.gz", hash = "sha256:93f1aa311e8bb912e34f004cf186407a4e90eec4f0ecc0efd26056bf7eda0226"}, ] [package.dependencies] @@ -3144,19 +3080,17 @@ cffi = {version = "*", markers = "implementation_name == \"pypy\""} [[package]] name = "qtconsole" -version = "5.4.4" +version = "5.5.1" description = "Jupyter Qt console" -category = "dev" optional = false -python-versions = ">= 3.7" +python-versions = ">= 3.8" files = [ - {file = "qtconsole-5.4.4-py3-none-any.whl", hash = "sha256:a3b69b868e041c2c698bdc75b0602f42e130ffb256d6efa48f9aa756c97672aa"}, - {file = "qtconsole-5.4.4.tar.gz", hash = "sha256:b7ffb53d74f23cee29f4cdb55dd6fabc8ec312d94f3c46ba38e1dde458693dfb"}, + {file = "qtconsole-5.5.1-py3-none-any.whl", hash = "sha256:8c75fa3e9b4ed884880ff7cea90a1b67451219279ec33deaee1d59e3df1a5d2b"}, + {file = "qtconsole-5.5.1.tar.gz", hash = "sha256:a0e806c6951db9490628e4df80caec9669b65149c7ba40f9bf033c025a5b56bc"}, ] [package.dependencies] ipykernel = ">=4.1" -ipython-genutils = "*" jupyter-client = ">=4.1" jupyter-core = "*" packaging = "*" @@ -3173,7 +3107,6 @@ test = ["flaky", "pytest", "pytest-qt"] name = "qtpy" version = "2.4.1" description = "Provides an abstraction layer on top of the various Qt bindings (PyQt5/6 and PySide2/6)." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3189,34 +3122,29 @@ test = ["pytest (>=6,!=7.0.0,!=7.0.1)", "pytest-cov (>=3.0.0)", "pytest-qt"] [[package]] name = "rdflib" -version = "6.2.0" +version = "6.3.2" description = "RDFLib is a Python library for working with RDF, a simple yet powerful language for representing information." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.7,<4.0" files = [ - {file = "rdflib-6.2.0-py3-none-any.whl", hash = "sha256:85c34a86dfc517a41e5f2425a41a0aceacc23983462b32e68610b9fad1383bca"}, - {file = "rdflib-6.2.0.tar.gz", hash = "sha256:62dc3c86d1712db0f55785baf8047f63731fa59b2682be03219cb89262065942"}, + {file = "rdflib-6.3.2-py3-none-any.whl", hash = "sha256:36b4e74a32aa1e4fa7b8719876fb192f19ecd45ff932ea5ebbd2e417a0247e63"}, + {file = "rdflib-6.3.2.tar.gz", hash = "sha256:72af591ff704f4caacea7ecc0c5a9056b8553e0489dd4f35a9bc52dbd41522e0"}, ] [package.dependencies] -isodate = "*" -pyparsing = "*" -setuptools = "*" +isodate = ">=0.6.0,<0.7.0" +pyparsing = ">=2.1.0,<4" [package.extras] -berkeleydb = ["berkeleydb"] -dev = ["black (==22.6.0)", "flake8", "flakeheaven", "isort", "mypy", "pep8-naming", "types-setuptools"] -docs = ["myst-parser", "sphinx (<6)", "sphinx-autodoc-typehints", "sphinxcontrib-apidoc", "sphinxcontrib-kroki"] -html = ["html5lib"] -networkx = ["networkx"] -tests = ["html5lib", "pytest", "pytest-cov"] +berkeleydb = ["berkeleydb (>=18.1.0,<19.0.0)"] +html = ["html5lib (>=1.0,<2.0)"] +lxml = ["lxml (>=4.3.0,<5.0.0)"] +networkx = ["networkx (>=2.0.0,<3.0.0)"] [[package]] name = "rdflib-sqlalchemy" version = "0.5.4" description = "rdflib extension adding SQLAlchemy as an AbstractSQLStore back-end store" -category = "main" optional = false python-versions = "*" files = [ @@ -3232,14 +3160,13 @@ SQLAlchemy = ">=1.1.4,<2.0.0" [[package]] name = "referencing" -version = "0.30.2" +version = "0.33.0" description = "JSON Referencing + Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "referencing-0.30.2-py3-none-any.whl", hash = "sha256:449b6669b6121a9e96a7f9e410b245d471e8d48964c67113ce9afe50c8dd7bdf"}, - {file = "referencing-0.30.2.tar.gz", hash = "sha256:794ad8003c65938edcdbc027f1933215e0d0ccc0291e3ce20a4d87432b59efc0"}, + {file = "referencing-0.33.0-py3-none-any.whl", hash = "sha256:39240f2ecc770258f28b642dd47fd74bc8b02484de54e1882b74b35ebd779bd5"}, + {file = "referencing-0.33.0.tar.gz", hash = "sha256:c775fedf74bc0f9189c2a3be1c12fd03e8c23f4d371dce795df44e06c5b412f7"}, ] [package.dependencies] @@ -3250,7 +3177,6 @@ rpds-py = ">=0.7.0" name = "requests" version = "2.31.0" description = "Python HTTP for Humans." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3272,7 +3198,6 @@ use-chardet-on-py3 = ["chardet (>=3.0.2,<6)"] name = "rfc3339-validator" version = "0.1.4" description = "A pure python RFC3339 validator" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -3287,7 +3212,6 @@ six = "*" name = "rfc3986-validator" version = "0.1.1" description = "Pure python rfc3986 validator" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -3299,7 +3223,6 @@ files = [ name = "rfc3987" version = "1.3.8" description = "Parsing and validation of URIs (RFC 3986) and IRIs (RFC 3987)" -category = "main" optional = false python-versions = "*" files = [ @@ -3311,7 +3234,6 @@ files = [ name = "rise" version = "5.7.1" description = "Reveal.js - Jupyter/IPython Slideshow Extension" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, <4" files = [ @@ -3324,118 +3246,116 @@ notebook = ">=6.0" [[package]] name = "rpds-py" -version = "0.10.6" +version = "0.18.0" description = "Python bindings to Rust's persistent data structures (rpds)" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "rpds_py-0.10.6-cp310-cp310-macosx_10_7_x86_64.whl", hash = "sha256:6bdc11f9623870d75692cc33c59804b5a18d7b8a4b79ef0b00b773a27397d1f6"}, - {file = "rpds_py-0.10.6-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:26857f0f44f0e791f4a266595a7a09d21f6b589580ee0585f330aaccccb836e3"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d7f5e15c953ace2e8dde9824bdab4bec50adb91a5663df08d7d994240ae6fa31"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:61fa268da6e2e1cd350739bb61011121fa550aa2545762e3dc02ea177ee4de35"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c48f3fbc3e92c7dd6681a258d22f23adc2eb183c8cb1557d2fcc5a024e80b094"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c0503c5b681566e8b722fe8c4c47cce5c7a51f6935d5c7012c4aefe952a35eed"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:734c41f9f57cc28658d98270d3436dba65bed0cfc730d115b290e970150c540d"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a5d7ed104d158c0042a6a73799cf0eb576dfd5fc1ace9c47996e52320c37cb7c"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:e3df0bc35e746cce42579826b89579d13fd27c3d5319a6afca9893a9b784ff1b"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:73e0a78a9b843b8c2128028864901f55190401ba38aae685350cf69b98d9f7c9"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:5ed505ec6305abd2c2c9586a7b04fbd4baf42d4d684a9c12ec6110deefe2a063"}, - {file = "rpds_py-0.10.6-cp310-none-win32.whl", hash = "sha256:d97dd44683802000277bbf142fd9f6b271746b4846d0acaf0cefa6b2eaf2a7ad"}, - {file = "rpds_py-0.10.6-cp310-none-win_amd64.whl", hash = "sha256:b455492cab07107bfe8711e20cd920cc96003e0da3c1f91297235b1603d2aca7"}, - {file = "rpds_py-0.10.6-cp311-cp311-macosx_10_7_x86_64.whl", hash = "sha256:e8cdd52744f680346ff8c1ecdad5f4d11117e1724d4f4e1874f3a67598821069"}, - {file = "rpds_py-0.10.6-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:66414dafe4326bca200e165c2e789976cab2587ec71beb80f59f4796b786a238"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cc435d059f926fdc5b05822b1be4ff2a3a040f3ae0a7bbbe672babb468944722"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:8e7f2219cb72474571974d29a191714d822e58be1eb171f229732bc6fdedf0ac"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:3953c6926a63f8ea5514644b7afb42659b505ece4183fdaaa8f61d978754349e"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2bb2e4826be25e72013916eecd3d30f66fd076110de09f0e750163b416500721"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7bf347b495b197992efc81a7408e9a83b931b2f056728529956a4d0858608b80"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:102eac53bb0bf0f9a275b438e6cf6904904908562a1463a6fc3323cf47d7a532"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:40f93086eef235623aa14dbddef1b9fb4b22b99454cb39a8d2e04c994fb9868c"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:e22260a4741a0e7a206e175232867b48a16e0401ef5bce3c67ca5b9705879066"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:f4e56860a5af16a0fcfa070a0a20c42fbb2012eed1eb5ceeddcc7f8079214281"}, - {file = "rpds_py-0.10.6-cp311-none-win32.whl", hash = "sha256:0774a46b38e70fdde0c6ded8d6d73115a7c39d7839a164cc833f170bbf539116"}, - {file = "rpds_py-0.10.6-cp311-none-win_amd64.whl", hash = "sha256:4a5ee600477b918ab345209eddafde9f91c0acd931f3776369585a1c55b04c57"}, - {file = "rpds_py-0.10.6-cp312-cp312-macosx_10_7_x86_64.whl", hash = "sha256:5ee97c683eaface61d38ec9a489e353d36444cdebb128a27fe486a291647aff6"}, - {file = "rpds_py-0.10.6-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:0713631d6e2d6c316c2f7b9320a34f44abb644fc487b77161d1724d883662e31"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b5a53f5998b4bbff1cb2e967e66ab2addc67326a274567697379dd1e326bded7"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:6a555ae3d2e61118a9d3e549737bb4a56ff0cec88a22bd1dfcad5b4e04759175"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:945eb4b6bb8144909b203a88a35e0a03d22b57aefb06c9b26c6e16d72e5eb0f0"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:52c215eb46307c25f9fd2771cac8135d14b11a92ae48d17968eda5aa9aaf5071"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c1b3cd23d905589cb205710b3988fc8f46d4a198cf12862887b09d7aaa6bf9b9"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:64ccc28683666672d7c166ed465c09cee36e306c156e787acef3c0c62f90da5a"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:516a611a2de12fbea70c78271e558f725c660ce38e0006f75139ba337d56b1f6"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:9ff93d3aedef11f9c4540cf347f8bb135dd9323a2fc705633d83210d464c579d"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:d858532212f0650be12b6042ff4378dc2efbb7792a286bee4489eaa7ba010586"}, - {file = "rpds_py-0.10.6-cp312-none-win32.whl", hash = "sha256:3c4eff26eddac49d52697a98ea01b0246e44ca82ab09354e94aae8823e8bda02"}, - {file = "rpds_py-0.10.6-cp312-none-win_amd64.whl", hash = "sha256:150eec465dbc9cbca943c8e557a21afdcf9bab8aaabf386c44b794c2f94143d2"}, - {file = "rpds_py-0.10.6-cp38-cp38-macosx_10_7_x86_64.whl", hash = "sha256:cf693eb4a08eccc1a1b636e4392322582db2a47470d52e824b25eca7a3977b53"}, - {file = "rpds_py-0.10.6-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:4134aa2342f9b2ab6c33d5c172e40f9ef802c61bb9ca30d21782f6e035ed0043"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e782379c2028a3611285a795b89b99a52722946d19fc06f002f8b53e3ea26ea9"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:2f6da6d842195fddc1cd34c3da8a40f6e99e4a113918faa5e60bf132f917c247"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b4a9fe992887ac68256c930a2011255bae0bf5ec837475bc6f7edd7c8dfa254e"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b788276a3c114e9f51e257f2a6f544c32c02dab4aa7a5816b96444e3f9ffc336"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:caa1afc70a02645809c744eefb7d6ee8fef7e2fad170ffdeacca267fd2674f13"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:bddd4f91eede9ca5275e70479ed3656e76c8cdaaa1b354e544cbcf94c6fc8ac4"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:775049dfa63fb58293990fc59473e659fcafd953bba1d00fc5f0631a8fd61977"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:c6c45a2d2b68c51fe3d9352733fe048291e483376c94f7723458cfd7b473136b"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:0699ab6b8c98df998c3eacf51a3b25864ca93dab157abe358af46dc95ecd9801"}, - {file = "rpds_py-0.10.6-cp38-none-win32.whl", hash = "sha256:ebdab79f42c5961682654b851f3f0fc68e6cc7cd8727c2ac4ffff955154123c1"}, - {file = "rpds_py-0.10.6-cp38-none-win_amd64.whl", hash = "sha256:24656dc36f866c33856baa3ab309da0b6a60f37d25d14be916bd3e79d9f3afcf"}, - {file = "rpds_py-0.10.6-cp39-cp39-macosx_10_7_x86_64.whl", hash = "sha256:0898173249141ee99ffcd45e3829abe7bcee47d941af7434ccbf97717df020e5"}, - {file = "rpds_py-0.10.6-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:9e9184fa6c52a74a5521e3e87badbf9692549c0fcced47443585876fcc47e469"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5752b761902cd15073a527b51de76bbae63d938dc7c5c4ad1e7d8df10e765138"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:99a57006b4ec39dbfb3ed67e5b27192792ffb0553206a107e4aadb39c5004cd5"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:09586f51a215d17efdb3a5f090d7cbf1633b7f3708f60a044757a5d48a83b393"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e225a6a14ecf44499aadea165299092ab0cba918bb9ccd9304eab1138844490b"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b2039f8d545f20c4e52713eea51a275e62153ee96c8035a32b2abb772b6fc9e5"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:34ad87a831940521d462ac11f1774edf867c34172010f5390b2f06b85dcc6014"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:dcdc88b6b01015da066da3fb76545e8bb9a6880a5ebf89e0f0b2e3ca557b3ab7"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:25860ed5c4e7f5e10c496ea78af46ae8d8468e0be745bd233bab9ca99bfd2647"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:7854a207ef77319ec457c1eb79c361b48807d252d94348305db4f4b62f40f7f3"}, - {file = "rpds_py-0.10.6-cp39-none-win32.whl", hash = "sha256:e6fcc026a3f27c1282c7ed24b7fcac82cdd70a0e84cc848c0841a3ab1e3dea2d"}, - {file = "rpds_py-0.10.6-cp39-none-win_amd64.whl", hash = "sha256:e98c4c07ee4c4b3acf787e91b27688409d918212dfd34c872201273fdd5a0e18"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-macosx_10_7_x86_64.whl", hash = "sha256:68fe9199184c18d997d2e4293b34327c0009a78599ce703e15cd9a0f47349bba"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:3339eca941568ed52d9ad0f1b8eb9fe0958fa245381747cecf2e9a78a5539c42"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a360cfd0881d36c6dc271992ce1eda65dba5e9368575663de993eeb4523d895f"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:031f76fc87644a234883b51145e43985aa2d0c19b063e91d44379cd2786144f8"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1f36a9d751f86455dc5278517e8b65580eeee37d61606183897f122c9e51cef3"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:052a832078943d2b2627aea0d19381f607fe331cc0eb5df01991268253af8417"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:023574366002bf1bd751ebaf3e580aef4a468b3d3c216d2f3f7e16fdabd885ed"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:defa2c0c68734f4a82028c26bcc85e6b92cced99866af118cd6a89b734ad8e0d"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:879fb24304ead6b62dbe5034e7b644b71def53c70e19363f3c3be2705c17a3b4"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:53c43e10d398e365da2d4cc0bcaf0854b79b4c50ee9689652cdc72948e86f487"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:3777cc9dea0e6c464e4b24760664bd8831738cc582c1d8aacf1c3f546bef3f65"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-macosx_10_7_x86_64.whl", hash = "sha256:40578a6469e5d1df71b006936ce95804edb5df47b520c69cf5af264d462f2cbb"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:cf71343646756a072b85f228d35b1d7407da1669a3de3cf47f8bbafe0c8183a4"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:10f32b53f424fc75ff7b713b2edb286fdbfc94bf16317890260a81c2c00385dc"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:81de24a1c51cfb32e1fbf018ab0bdbc79c04c035986526f76c33e3f9e0f3356c"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ac17044876e64a8ea20ab132080ddc73b895b4abe9976e263b0e30ee5be7b9c2"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5e8a78bd4879bff82daef48c14d5d4057f6856149094848c3ed0ecaf49f5aec2"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:78ca33811e1d95cac8c2e49cb86c0fb71f4d8409d8cbea0cb495b6dbddb30a55"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:c63c3ef43f0b3fb00571cff6c3967cc261c0ebd14a0a134a12e83bdb8f49f21f"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:7fde6d0e00b2fd0dbbb40c0eeec463ef147819f23725eda58105ba9ca48744f4"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:79edd779cfc46b2e15b0830eecd8b4b93f1a96649bcb502453df471a54ce7977"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:9164ec8010327ab9af931d7ccd12ab8d8b5dc2f4c6a16cbdd9d087861eaaefa1"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-macosx_10_7_x86_64.whl", hash = "sha256:d29ddefeab1791e3c751e0189d5f4b3dbc0bbe033b06e9c333dca1f99e1d523e"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:30adb75ecd7c2a52f5e76af50644b3e0b5ba036321c390b8e7ec1bb2a16dd43c"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:dd609fafdcdde6e67a139898196698af37438b035b25ad63704fd9097d9a3482"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:6eef672de005736a6efd565577101277db6057f65640a813de6c2707dc69f396"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:6cf4393c7b41abbf07c88eb83e8af5013606b1cdb7f6bc96b1b3536b53a574b8"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ad857f42831e5b8d41a32437f88d86ead6c191455a3499c4b6d15e007936d4cf"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1d7360573f1e046cb3b0dceeb8864025aa78d98be4bb69f067ec1c40a9e2d9df"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:d08f63561c8a695afec4975fae445245386d645e3e446e6f260e81663bfd2e38"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:f0f17f2ce0f3529177a5fff5525204fad7b43dd437d017dd0317f2746773443d"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:442626328600bde1d09dc3bb00434f5374948838ce75c41a52152615689f9403"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:e9616f5bd2595f7f4a04b67039d890348ab826e943a9bfdbe4938d0eba606971"}, - {file = "rpds_py-0.10.6.tar.gz", hash = "sha256:4ce5a708d65a8dbf3748d2474b580d606b1b9f91b5c6ab2a316e0b0cf7a4ba50"}, + {file = "rpds_py-0.18.0-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:5b4e7d8d6c9b2e8ee2d55c90b59c707ca59bc30058269b3db7b1f8df5763557e"}, + {file = "rpds_py-0.18.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:c463ed05f9dfb9baebef68048aed8dcdc94411e4bf3d33a39ba97e271624f8f7"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:01e36a39af54a30f28b73096dd39b6802eddd04c90dbe161c1b8dbe22353189f"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d62dec4976954a23d7f91f2f4530852b0c7608116c257833922a896101336c51"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dd18772815d5f008fa03d2b9a681ae38d5ae9f0e599f7dda233c439fcaa00d40"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:923d39efa3cfb7279a0327e337a7958bff00cc447fd07a25cddb0a1cc9a6d2da"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:39514da80f971362f9267c600b6d459bfbbc549cffc2cef8e47474fddc9b45b1"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a34d557a42aa28bd5c48a023c570219ba2593bcbbb8dc1b98d8cf5d529ab1434"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:93df1de2f7f7239dc9cc5a4a12408ee1598725036bd2dedadc14d94525192fc3"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:34b18ba135c687f4dac449aa5157d36e2cbb7c03cbea4ddbd88604e076aa836e"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:c0b5dcf9193625afd8ecc92312d6ed78781c46ecbf39af9ad4681fc9f464af88"}, + {file = "rpds_py-0.18.0-cp310-none-win32.whl", hash = "sha256:c4325ff0442a12113a6379af66978c3fe562f846763287ef66bdc1d57925d337"}, + {file = "rpds_py-0.18.0-cp310-none-win_amd64.whl", hash = "sha256:7223a2a5fe0d217e60a60cdae28d6949140dde9c3bcc714063c5b463065e3d66"}, + {file = "rpds_py-0.18.0-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:3a96e0c6a41dcdba3a0a581bbf6c44bb863f27c541547fb4b9711fd8cf0ffad4"}, + {file = "rpds_py-0.18.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:30f43887bbae0d49113cbaab729a112251a940e9b274536613097ab8b4899cf6"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fcb25daa9219b4cf3a0ab24b0eb9a5cc8949ed4dc72acb8fa16b7e1681aa3c58"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d68c93e381010662ab873fea609bf6c0f428b6d0bb00f2c6939782e0818d37bf"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b34b7aa8b261c1dbf7720b5d6f01f38243e9b9daf7e6b8bc1fd4657000062f2c"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2e6d75ab12b0bbab7215e5d40f1e5b738aa539598db27ef83b2ec46747df90e1"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0b8612cd233543a3781bc659c731b9d607de65890085098986dfd573fc2befe5"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:aec493917dd45e3c69d00a8874e7cbed844efd935595ef78a0f25f14312e33c6"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:661d25cbffaf8cc42e971dd570d87cb29a665f49f4abe1f9e76be9a5182c4688"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:1df3659d26f539ac74fb3b0c481cdf9d725386e3552c6fa2974f4d33d78e544b"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:a1ce3ba137ed54f83e56fb983a5859a27d43a40188ba798993812fed73c70836"}, + {file = "rpds_py-0.18.0-cp311-none-win32.whl", hash = "sha256:69e64831e22a6b377772e7fb337533c365085b31619005802a79242fee620bc1"}, + {file = "rpds_py-0.18.0-cp311-none-win_amd64.whl", hash = "sha256:998e33ad22dc7ec7e030b3df701c43630b5bc0d8fbc2267653577e3fec279afa"}, + {file = "rpds_py-0.18.0-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:7f2facbd386dd60cbbf1a794181e6aa0bd429bd78bfdf775436020172e2a23f0"}, + {file = "rpds_py-0.18.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:1d9a5be316c15ffb2b3c405c4ff14448c36b4435be062a7f578ccd8b01f0c4d8"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cd5bf1af8efe569654bbef5a3e0a56eca45f87cfcffab31dd8dde70da5982475"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5417558f6887e9b6b65b4527232553c139b57ec42c64570569b155262ac0754f"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:56a737287efecafc16f6d067c2ea0117abadcd078d58721f967952db329a3e5c"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8f03bccbd8586e9dd37219bce4d4e0d3ab492e6b3b533e973fa08a112cb2ffc9"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4457a94da0d5c53dc4b3e4de1158bdab077db23c53232f37a3cb7afdb053a4e3"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:0ab39c1ba9023914297dd88ec3b3b3c3f33671baeb6acf82ad7ce883f6e8e157"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:9d54553c1136b50fd12cc17e5b11ad07374c316df307e4cfd6441bea5fb68496"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:0af039631b6de0397ab2ba16eaf2872e9f8fca391b44d3d8cac317860a700a3f"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:84ffab12db93b5f6bad84c712c92060a2d321b35c3c9960b43d08d0f639d60d7"}, + {file = "rpds_py-0.18.0-cp312-none-win32.whl", hash = "sha256:685537e07897f173abcf67258bee3c05c374fa6fff89d4c7e42fb391b0605e98"}, + {file = "rpds_py-0.18.0-cp312-none-win_amd64.whl", hash = "sha256:e003b002ec72c8d5a3e3da2989c7d6065b47d9eaa70cd8808b5384fbb970f4ec"}, + {file = "rpds_py-0.18.0-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:08f9ad53c3f31dfb4baa00da22f1e862900f45908383c062c27628754af2e88e"}, + {file = "rpds_py-0.18.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:c0013fe6b46aa496a6749c77e00a3eb07952832ad6166bd481c74bda0dcb6d58"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e32a92116d4f2a80b629778280103d2a510a5b3f6314ceccd6e38006b5e92dcb"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e541ec6f2ec456934fd279a3120f856cd0aedd209fc3852eca563f81738f6861"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:bed88b9a458e354014d662d47e7a5baafd7ff81c780fd91584a10d6ec842cb73"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2644e47de560eb7bd55c20fc59f6daa04682655c58d08185a9b95c1970fa1e07"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8e8916ae4c720529e18afa0b879473049e95949bf97042e938530e072fde061d"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:465a3eb5659338cf2a9243e50ad9b2296fa15061736d6e26240e713522b6235c"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:ea7d4a99f3b38c37eac212dbd6ec42b7a5ec51e2c74b5d3223e43c811609e65f"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:67071a6171e92b6da534b8ae326505f7c18022c6f19072a81dcf40db2638767c"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:41ef53e7c58aa4ef281da975f62c258950f54b76ec8e45941e93a3d1d8580594"}, + {file = "rpds_py-0.18.0-cp38-none-win32.whl", hash = "sha256:fdea4952db2793c4ad0bdccd27c1d8fdd1423a92f04598bc39425bcc2b8ee46e"}, + {file = "rpds_py-0.18.0-cp38-none-win_amd64.whl", hash = "sha256:7cd863afe7336c62ec78d7d1349a2f34c007a3cc6c2369d667c65aeec412a5b1"}, + {file = "rpds_py-0.18.0-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:5307def11a35f5ae4581a0b658b0af8178c65c530e94893345bebf41cc139d33"}, + {file = "rpds_py-0.18.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77f195baa60a54ef9d2de16fbbfd3ff8b04edc0c0140a761b56c267ac11aa467"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:39f5441553f1c2aed4de4377178ad8ff8f9d733723d6c66d983d75341de265ab"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:9a00312dea9310d4cb7dbd7787e722d2e86a95c2db92fbd7d0155f97127bcb40"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8f2fc11e8fe034ee3c34d316d0ad8808f45bc3b9ce5857ff29d513f3ff2923a1"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:586f8204935b9ec884500498ccc91aa869fc652c40c093bd9e1471fbcc25c022"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ddc2f4dfd396c7bfa18e6ce371cba60e4cf9d2e5cdb71376aa2da264605b60b9"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5ddcba87675b6d509139d1b521e0c8250e967e63b5909a7e8f8944d0f90ff36f"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:7bd339195d84439cbe5771546fe8a4e8a7a045417d8f9de9a368c434e42a721e"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:d7c36232a90d4755b720fbd76739d8891732b18cf240a9c645d75f00639a9024"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:6b0817e34942b2ca527b0e9298373e7cc75f429e8da2055607f4931fded23e20"}, + {file = "rpds_py-0.18.0-cp39-none-win32.whl", hash = "sha256:99f70b740dc04d09e6b2699b675874367885217a2e9f782bdf5395632ac663b7"}, + {file = "rpds_py-0.18.0-cp39-none-win_amd64.whl", hash = "sha256:6ef687afab047554a2d366e112dd187b62d261d49eb79b77e386f94644363294"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:ad36cfb355e24f1bd37cac88c112cd7730873f20fb0bdaf8ba59eedf8216079f"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:36b3ee798c58ace201289024b52788161e1ea133e4ac93fba7d49da5fec0ef9e"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f8a2f084546cc59ea99fda8e070be2fd140c3092dc11524a71aa8f0f3d5a55ca"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e4461d0f003a0aa9be2bdd1b798a041f177189c1a0f7619fe8c95ad08d9a45d7"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8db715ebe3bb7d86d77ac1826f7d67ec11a70dbd2376b7cc214199360517b641"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:793968759cd0d96cac1e367afd70c235867831983f876a53389ad869b043c948"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:66e6a3af5a75363d2c9a48b07cb27c4ea542938b1a2e93b15a503cdfa8490795"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6ef0befbb5d79cf32d0266f5cff01545602344eda89480e1dd88aca964260b18"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:1d4acf42190d449d5e89654d5c1ed3a4f17925eec71f05e2a41414689cda02d1"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:a5f446dd5055667aabaee78487f2b5ab72e244f9bc0b2ffebfeec79051679984"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:9dbbeb27f4e70bfd9eec1be5477517365afe05a9b2c441a0b21929ee61048124"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:22806714311a69fd0af9b35b7be97c18a0fc2826e6827dbb3a8c94eac6cf7eeb"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b34ae4636dfc4e76a438ab826a0d1eed2589ca7d9a1b2d5bb546978ac6485461"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8c8370641f1a7f0e0669ddccca22f1da893cef7628396431eb445d46d893e5cd"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:c8362467a0fdeccd47935f22c256bec5e6abe543bf0d66e3d3d57a8fb5731863"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:11a8c85ef4a07a7638180bf04fe189d12757c696eb41f310d2426895356dcf05"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b316144e85316da2723f9d8dc75bada12fa58489a527091fa1d5a612643d1a0e"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cf1ea2e34868f6fbf070e1af291c8180480310173de0b0c43fc38a02929fc0e3"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:e546e768d08ad55b20b11dbb78a745151acbd938f8f00d0cfbabe8b0199b9880"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:4901165d170a5fde6f589acb90a6b33629ad1ec976d4529e769c6f3d885e3e80"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:618a3d6cae6ef8ec88bb76dd80b83cfe415ad4f1d942ca2a903bf6b6ff97a2da"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:ed4eb745efbff0a8e9587d22a84be94a5eb7d2d99c02dacf7bd0911713ed14dd"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:6c81e5f372cd0dc5dc4809553d34f832f60a46034a5f187756d9b90586c2c307"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:43fbac5f22e25bee1d482c97474f930a353542855f05c1161fd804c9dc74a09d"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6d7faa6f14017c0b1e69f5e2c357b998731ea75a442ab3841c0dbbbfe902d2c4"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:08231ac30a842bd04daabc4d71fddd7e6d26189406d5a69535638e4dcb88fe76"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:044a3e61a7c2dafacae99d1e722cc2d4c05280790ec5a05031b3876809d89a5c"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3f26b5bd1079acdb0c7a5645e350fe54d16b17bfc5e71f371c449383d3342e17"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:482103aed1dfe2f3b71a58eff35ba105289b8d862551ea576bd15479aba01f66"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:1374f4129f9bcca53a1bba0bb86bf78325a0374577cf7e9e4cd046b1e6f20e24"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:635dc434ff724b178cb192c70016cc0ad25a275228f749ee0daf0eddbc8183b1"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:bc362ee4e314870a70f4ae88772d72d877246537d9f8cb8f7eacf10884862432"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:4832d7d380477521a8c1644bbab6588dfedea5e30a7d967b5fb75977c45fd77f"}, + {file = "rpds_py-0.18.0.tar.gz", hash = "sha256:42821446ee7a76f5d9f71f9e33a4fb2ffd724bb3e7f93386150b61a43115788d"}, ] [[package]] name = "send2trash" version = "1.8.2" description = "Send file to trash natively under Mac OS X, Windows and Linux" -category = "dev" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,>=2.7" files = [ @@ -3452,7 +3372,6 @@ win32 = ["pywin32"] name = "setuptools" version = "65.7.0" description = "Easily download, build, install, upgrade, and uninstall Python packages" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -3469,7 +3388,6 @@ testing-integration = ["build[virtualenv]", "filelock (>=3.4.0)", "jaraco.envs ( name = "six" version = "1.16.0" description = "Python 2 and 3 compatibility utilities" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*" files = [ @@ -3479,21 +3397,19 @@ files = [ [[package]] name = "sniffio" -version = "1.3.0" +version = "1.3.1" description = "Sniff out which async library your code is running under" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "sniffio-1.3.0-py3-none-any.whl", hash = "sha256:eecefdce1e5bbfb7ad2eeaabf7c1eeb404d7757c379bd1f7e5cce9d8bf425384"}, - {file = "sniffio-1.3.0.tar.gz", hash = "sha256:e60305c5e5d314f5389259b7f22aaa33d8f7dee49763119234af3755c55b9101"}, + {file = "sniffio-1.3.1-py3-none-any.whl", hash = "sha256:2f6da418d1f1e0fddd844478f41680e794e6051915791a034ff65e5f100525a2"}, + {file = "sniffio-1.3.1.tar.gz", hash = "sha256:f4324edc670a0f49750a81b895f35c3adb843cca46f0530f79fc1babb23789dc"}, ] [[package]] name = "snowballstemmer" version = "2.2.0" description = "This package provides 29 stemmers for 28 languages generated from Snowball algorithms." -category = "dev" optional = false python-versions = "*" files = [ @@ -3505,7 +3421,6 @@ files = [ name = "soupsieve" version = "2.5" description = "A modern CSS selector implementation for Beautiful Soup." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -3517,7 +3432,6 @@ files = [ name = "sphinx" version = "5.0.2" description = "Python documentation generator" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3553,7 +3467,6 @@ test = ["cython", "html5lib", "pytest (>=4.6)", "typed-ast"] name = "sphinx-book-theme" version = "1.0.1" description = "A clean book theme for scientific explanations and documentation with Sphinx" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3574,7 +3487,6 @@ test = ["beautifulsoup4", "coverage", "myst-nb", "pytest", "pytest-cov", "pytest name = "sphinx-comments" version = "0.0.3" description = "Add comments and annotation to your documentation." -category = "dev" optional = false python-versions = "*" files = [ @@ -3594,7 +3506,6 @@ testing = ["beautifulsoup4", "myst-parser", "pytest", "pytest-regressions", "sph name = "sphinx-copybutton" version = "0.5.2" description = "Add a copy button to each of your code cells." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3613,7 +3524,6 @@ rtd = ["ipython", "myst-nb", "sphinx", "sphinx-book-theme", "sphinx-examples"] name = "sphinx-design" version = "0.3.0" description = "A sphinx extension for designing beautiful, view size responsive web components." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3637,7 +3547,6 @@ theme-sbt = ["sphinx-book-theme (>=0.3.0,<0.4.0)"] name = "sphinx-external-toc" version = "0.3.1" description = "A sphinx extension that allows the site-map to be defined in a single YAML file." -category = "dev" optional = false python-versions = "~=3.7" files = [ @@ -3659,7 +3568,6 @@ testing = ["coverage", "pytest (>=7.1,<8.0)", "pytest-cov", "pytest-regressions" name = "sphinx-jupyterbook-latex" version = "0.5.2" description = "Latex specific features for jupyter book" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3681,7 +3589,6 @@ testing = ["coverage (<5.0)", "myst-nb (>=0.13,<0.18)", "pytest (>=3.6,<4)", "py name = "sphinx-multitoc-numbering" version = "0.1.3" description = "Supporting continuous HTML section numbering" -category = "dev" optional = false python-versions = "*" files = [ @@ -3701,7 +3608,6 @@ testing = ["coverage (<5.0)", "jupyter-book", "pytest (>=5.4,<6.0)", "pytest-cov name = "sphinx-thebe" version = "0.2.1" description = "Integrate interactive code blocks into your documentation with Thebe and Binder." -category = "dev" optional = false python-versions = "*" files = [ @@ -3720,7 +3626,6 @@ testing = ["beautifulsoup4", "matplotlib", "pytest", "pytest-regressions"] name = "sphinx-togglebutton" version = "0.3.2" description = "Toggle page content and collapse admonitions in Sphinx." -category = "dev" optional = false python-versions = "*" files = [ @@ -3741,7 +3646,6 @@ sphinx = ["matplotlib", "myst-nb", "numpy", "sphinx-book-theme", "sphinx-design" name = "sphinxcontrib-applehelp" version = "1.0.4" description = "sphinxcontrib-applehelp is a Sphinx extension which outputs Apple help books" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -3757,7 +3661,6 @@ test = ["pytest"] name = "sphinxcontrib-bibtex" version = "2.5.0" description = "Sphinx extension for BibTeX style citations." -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3776,7 +3679,6 @@ Sphinx = ">=2.1" name = "sphinxcontrib-devhelp" version = "1.0.2" description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp document." -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -3792,7 +3694,6 @@ test = ["pytest"] name = "sphinxcontrib-htmlhelp" version = "2.0.1" description = "sphinxcontrib-htmlhelp is a sphinx extension which renders HTML help files" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -3808,7 +3709,6 @@ test = ["html5lib", "pytest"] name = "sphinxcontrib-jsmath" version = "1.0.1" description = "A sphinx extension which renders display math in HTML via JavaScript" -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -3823,7 +3723,6 @@ test = ["flake8", "mypy", "pytest"] name = "sphinxcontrib-qthelp" version = "1.0.3" description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp document." -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -3839,7 +3738,6 @@ test = ["pytest"] name = "sphinxcontrib-serializinghtml" version = "1.1.5" description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)." -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -3853,37 +3751,57 @@ test = ["pytest"] [[package]] name = "sqlalchemy" -version = "1.4.50" +version = "1.4.52" description = "Database Abstraction Library" -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,>=2.7" files = [ - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d00665725063692c42badfd521d0c4392e83c6c826795d38eb88fb108e5660e5"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:85292ff52ddf85a39367057c3d7968a12ee1fb84565331a36a8fead346f08796"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d0fed0f791d78e7767c2db28d34068649dfeea027b83ed18c45a423f741425cb"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:db4db3c08ffbb18582f856545f058a7a5e4ab6f17f75795ca90b3c38ee0a8ba4"}, - {file = "SQLAlchemy-1.4.50-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:14b0cacdc8a4759a1e1bd47dc3ee3f5db997129eb091330beda1da5a0e9e5bd7"}, - {file = "SQLAlchemy-1.4.50-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1fb9cb60e0f33040e4f4681e6658a7eb03b5cb4643284172f91410d8c493dace"}, - {file = "SQLAlchemy-1.4.50-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c4cb501d585aa74a0f86d0ea6263b9c5e1d1463f8f9071392477fd401bd3c7cc"}, - {file = "SQLAlchemy-1.4.50-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8a7a66297e46f85a04d68981917c75723e377d2e0599d15fbe7a56abed5e2d75"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c1db0221cb26d66294f4ca18c533e427211673ab86c1fbaca8d6d9ff78654293"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0b7dbe6369677a2bea68fe9812c6e4bbca06ebfa4b5cde257b2b0bf208709131"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:a9bddb60566dc45c57fd0a5e14dd2d9e5f106d2241e0a2dc0c1da144f9444516"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:82dd4131d88395df7c318eeeef367ec768c2a6fe5bd69423f7720c4edb79473c"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:273505fcad22e58cc67329cefab2e436006fc68e3c5423056ee0513e6523268a"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a3257a6e09626d32b28a0c5b4f1a97bced585e319cfa90b417f9ab0f6145c33c"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d69738d582e3a24125f0c246ed8d712b03bd21e148268421e4a4d09c34f521a5"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:34e1c5d9cd3e6bf3d1ce56971c62a40c06bfc02861728f368dcfec8aeedb2814"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f1fcee5a2c859eecb4ed179edac5ffbc7c84ab09a5420219078ccc6edda45436"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fbaf6643a604aa17e7a7afd74f665f9db882df5c297bdd86c38368f2c471f37d"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:2e70e0673d7d12fa6cd363453a0d22dac0d9978500aa6b46aa96e22690a55eab"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8b881ac07d15fb3e4f68c5a67aa5cdaf9eb8f09eb5545aaf4b0a5f5f4659be18"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3f6997da81114daef9203d30aabfa6b218a577fc2bd797c795c9c88c9eb78d49"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bdb77e1789e7596b77fd48d99ec1d2108c3349abd20227eea0d48d3f8cf398d9"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:128a948bd40780667114b0297e2cc6d657b71effa942e0a368d8cc24293febb3"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f2d526aeea1bd6a442abc7c9b4b00386fd70253b80d54a0930c0a216230a35be"}, - {file = "SQLAlchemy-1.4.50.tar.gz", hash = "sha256:3b97ddf509fc21e10b09403b5219b06c5b558b27fc2453150274fa4e70707dbf"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:f68016f9a5713684c1507cc37133c28035f29925c75c0df2f9d0f7571e23720a"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:24bb0f81fbbb13d737b7f76d1821ec0b117ce8cbb8ee5e8641ad2de41aa916d3"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e93983cc0d2edae253b3f2141b0a3fb07e41c76cd79c2ad743fc27eb79c3f6db"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:84e10772cfc333eb08d0b7ef808cd76e4a9a30a725fb62a0495877a57ee41d81"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:427988398d2902de042093d17f2b9619a5ebc605bf6372f7d70e29bde6736842"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-win32.whl", hash = "sha256:1296f2cdd6db09b98ceb3c93025f0da4835303b8ac46c15c2136e27ee4d18d94"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-win_amd64.whl", hash = "sha256:80e7f697bccc56ac6eac9e2df5c98b47de57e7006d2e46e1a3c17c546254f6ef"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:2f251af4c75a675ea42766880ff430ac33291c8d0057acca79710f9e5a77383d"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cb8f9e4c4718f111d7b530c4e6fb4d28f9f110eb82e7961412955b3875b66de0"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:afb1672b57f58c0318ad2cff80b384e816735ffc7e848d8aa51e0b0fc2f4b7bb"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-win32.whl", hash = "sha256:6e41cb5cda641f3754568d2ed8962f772a7f2b59403b95c60c89f3e0bd25f15e"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-win_amd64.whl", hash = "sha256:5bed4f8c3b69779de9d99eb03fd9ab67a850d74ab0243d1be9d4080e77b6af12"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:49e3772eb3380ac88d35495843daf3c03f094b713e66c7d017e322144a5c6b7c"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:618827c1a1c243d2540314c6e100aee7af09a709bd005bae971686fab6723554"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:de9acf369aaadb71a725b7e83a5ef40ca3de1cf4cdc93fa847df6b12d3cd924b"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-win32.whl", hash = "sha256:763bd97c4ebc74136ecf3526b34808c58945023a59927b416acebcd68d1fc126"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-win_amd64.whl", hash = "sha256:f12aaf94f4d9679ca475975578739e12cc5b461172e04d66f7a3c39dd14ffc64"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-macosx_10_14_x86_64.whl", hash = "sha256:853fcfd1f54224ea7aabcf34b227d2b64a08cbac116ecf376907968b29b8e763"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f98dbb8fcc6d1c03ae8ec735d3c62110949a3b8bc6e215053aa27096857afb45"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1e135fff2e84103bc15c07edd8569612ce317d64bdb391f49ce57124a73f45c5"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5b5de6af8852500d01398f5047d62ca3431d1e29a331d0b56c3e14cb03f8094c"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3491c85df263a5c2157c594f54a1a9c72265b75d3777e61ee13c556d9e43ffc9"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-win32.whl", hash = "sha256:427c282dd0deba1f07bcbf499cbcc9fe9a626743f5d4989bfdfd3ed3513003dd"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-win_amd64.whl", hash = "sha256:ca5ce82b11731492204cff8845c5e8ca1a4bd1ade85e3b8fcf86e7601bfc6a39"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-macosx_11_0_x86_64.whl", hash = "sha256:29d4247313abb2015f8979137fe65f4eaceead5247d39603cc4b4a610936cd2b"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a752bff4796bf22803d052d4841ebc3c55c26fb65551f2c96e90ac7c62be763a"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7ea11727feb2861deaa293c7971a4df57ef1c90e42cb53f0da40c3468388000"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d913f8953e098ca931ad7f58797f91deed26b435ec3756478b75c608aa80d139"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a251146b921725547ea1735b060a11e1be705017b568c9f8067ca61e6ef85f20"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-win32.whl", hash = "sha256:1f8e1c6a6b7f8e9407ad9afc0ea41c1f65225ce505b79bc0342159de9c890782"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-win_amd64.whl", hash = "sha256:346ed50cb2c30f5d7a03d888e25744154ceac6f0e6e1ab3bc7b5b77138d37710"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:4dae6001457d4497736e3bc422165f107ecdd70b0d651fab7f731276e8b9e12d"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a5d2e08d79f5bf250afb4a61426b41026e448da446b55e4770c2afdc1e200fce"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5bbce5dd7c7735e01d24f5a60177f3e589078f83c8a29e124a6521b76d825b85"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:bdb7b4d889631a3b2a81a3347c4c3f031812eb4adeaa3ee4e6b0d028ad1852b5"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c294ae4e6bbd060dd79e2bd5bba8b6274d08ffd65b58d106394cb6abbf35cf45"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-win32.whl", hash = "sha256:bcdfb4b47fe04967669874fb1ce782a006756fdbebe7263f6a000e1db969120e"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-win_amd64.whl", hash = "sha256:7d0dbc56cb6af5088f3658982d3d8c1d6a82691f31f7b0da682c7b98fa914e91"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:a551d5f3dc63f096ed41775ceec72fdf91462bb95abdc179010dc95a93957800"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6ab773f9ad848118df7a9bbabca53e3f1002387cdbb6ee81693db808b82aaab0"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d2de46f5d5396d5331127cfa71f837cca945f9a2b04f7cb5a01949cf676db7d1"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:7027be7930a90d18a386b25ee8af30514c61f3852c7268899f23fdfbd3107181"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:99224d621affbb3c1a4f72b631f8393045f4ce647dd3262f12fe3576918f8bf3"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-win32.whl", hash = "sha256:c124912fd4e1bb9d1e7dc193ed482a9f812769cb1e69363ab68e01801e859821"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-win_amd64.whl", hash = "sha256:2c286fab42e49db23c46ab02479f328b8bdb837d3e281cae546cc4085c83b680"}, + {file = "SQLAlchemy-1.4.52.tar.gz", hash = "sha256:80e63bbdc5217dad3485059bdf6f65a7d43f33c8bde619df5c220edf03d87296"}, ] [package.dependencies] @@ -3891,7 +3809,7 @@ greenlet = {version = "!=0.4.17", markers = "python_version >= \"3\" and (platfo [package.extras] aiomysql = ["aiomysql (>=0.2.0)", "greenlet (!=0.4.17)"] -aiosqlite = ["aiosqlite", "greenlet (!=0.4.17)", "typing-extensions (!=3.10.0.1)"] +aiosqlite = ["aiosqlite", "greenlet (!=0.4.17)", "typing_extensions (!=3.10.0.1)"] asyncio = ["greenlet (!=0.4.17)"] asyncmy = ["asyncmy (>=0.2.3,!=0.2.4)", "greenlet (!=0.4.17)"] mariadb-connector = ["mariadb (>=1.0.1,!=1.1.2)"] @@ -3901,25 +3819,24 @@ mssql-pyodbc = ["pyodbc"] mypy = ["mypy (>=0.910)", "sqlalchemy2-stubs"] mysql = ["mysqlclient (>=1.4.0)", "mysqlclient (>=1.4.0,<2)"] mysql-connector = ["mysql-connector-python"] -oracle = ["cx-oracle (>=7)", "cx-oracle (>=7,<8)"] +oracle = ["cx_oracle (>=7)", "cx_oracle (>=7,<8)"] postgresql = ["psycopg2 (>=2.7)"] postgresql-asyncpg = ["asyncpg", "greenlet (!=0.4.17)"] postgresql-pg8000 = ["pg8000 (>=1.16.6,!=1.29.0)"] postgresql-psycopg2binary = ["psycopg2-binary"] postgresql-psycopg2cffi = ["psycopg2cffi"] pymysql = ["pymysql", "pymysql (<1)"] -sqlcipher = ["sqlcipher3-binary"] +sqlcipher = ["sqlcipher3_binary"] [[package]] name = "sqlalchemy2-stubs" -version = "0.0.2a36" +version = "0.0.2a38" description = "Typing Stubs for SQLAlchemy 1.4" -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "sqlalchemy2-stubs-0.0.2a36.tar.gz", hash = "sha256:1c820c176a50401b7b3fc1e25019703b2c0753fe99a79d7e19305146baf1f60f"}, - {file = "sqlalchemy2_stubs-0.0.2a36-py3-none-any.whl", hash = "sha256:9b5b3eb263cdc649b6a5619d2c089b98290406027a01e1de171eeb98c38ce678"}, + {file = "sqlalchemy2-stubs-0.0.2a38.tar.gz", hash = "sha256:861d722abeb12f13eacd775a9f09379b11a5a9076f469ccd4099961b95800f9e"}, + {file = "sqlalchemy2_stubs-0.0.2a38-py3-none-any.whl", hash = "sha256:b62aa46943807287550e2033dafe07564b33b6a815fbaa3c144e396f9cc53bcb"}, ] [package.dependencies] @@ -3929,7 +3846,6 @@ typing-extensions = ">=3.7.4" name = "stack-data" version = "0.6.3" description = "Extract data from python stack frames and tracebacks for informative displays" -category = "main" optional = false python-versions = "*" files = [ @@ -3949,7 +3865,6 @@ tests = ["cython", "littleutils", "pygments", "pytest", "typeguard"] name = "tabulate" version = "0.9.0" description = "Pretty-print tabular data" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3962,14 +3877,13 @@ widechars = ["wcwidth"] [[package]] name = "terminado" -version = "0.17.1" +version = "0.18.0" description = "Tornado websocket backend for the Xterm.js Javascript terminal emulator library." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "terminado-0.17.1-py3-none-any.whl", hash = "sha256:8650d44334eba354dd591129ca3124a6ba42c3d5b70df5051b6921d506fdaeae"}, - {file = "terminado-0.17.1.tar.gz", hash = "sha256:6ccbbcd3a4f8a25a5ec04991f39a0b8db52dfcd487ea0e578d977e6752380333"}, + {file = "terminado-0.18.0-py3-none-any.whl", hash = "sha256:87b0d96642d0fe5f5abd7783857b9cab167f221a39ff98e3b9619a788a3c0f2e"}, + {file = "terminado-0.18.0.tar.gz", hash = "sha256:1ea08a89b835dd1b8c0c900d92848147cef2537243361b2e3f4dc15df9b6fded"}, ] [package.dependencies] @@ -3980,12 +3894,12 @@ tornado = ">=6.1.0" [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] test = ["pre-commit", "pytest (>=7.0)", "pytest-timeout"] +typing = ["mypy (>=1.6,<2.0)", "traitlets (>=5.11.1)"] [[package]] name = "tinycss2" version = "1.2.1" description = "A tiny CSS parser" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4004,7 +3918,6 @@ test = ["flake8", "isort", "pytest"] name = "toml" version = "0.10.2" description = "Python Library for Tom's Obvious, Minimal Language" -category = "dev" optional = false python-versions = ">=2.6, !=3.0.*, !=3.1.*, !=3.2.*" files = [ @@ -4016,7 +3929,6 @@ files = [ name = "tomli" version = "2.0.1" description = "A lil' TOML parser" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -4026,51 +3938,48 @@ files = [ [[package]] name = "tornado" -version = "6.3.3" +version = "6.4" description = "Tornado is a Python web framework and asynchronous networking library, originally developed at FriendFeed." -category = "main" optional = false python-versions = ">= 3.8" files = [ - {file = "tornado-6.3.3-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:502fba735c84450974fec147340016ad928d29f1e91f49be168c0a4c18181e1d"}, - {file = "tornado-6.3.3-cp38-abi3-macosx_10_9_x86_64.whl", hash = "sha256:805d507b1f588320c26f7f097108eb4023bbaa984d63176d1652e184ba24270a"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1bd19ca6c16882e4d37368e0152f99c099bad93e0950ce55e71daed74045908f"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7ac51f42808cca9b3613f51ffe2a965c8525cb1b00b7b2d56828b8045354f76a"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:71a8db65160a3c55d61839b7302a9a400074c9c753040455494e2af74e2501f2"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:ceb917a50cd35882b57600709dd5421a418c29ddc852da8bcdab1f0db33406b0"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_i686.whl", hash = "sha256:7d01abc57ea0dbb51ddfed477dfe22719d376119844e33c661d873bf9c0e4a16"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:9dc4444c0defcd3929d5c1eb5706cbe1b116e762ff3e0deca8b715d14bf6ec17"}, - {file = "tornado-6.3.3-cp38-abi3-win32.whl", hash = "sha256:65ceca9500383fbdf33a98c0087cb975b2ef3bfb874cb35b8de8740cf7f41bd3"}, - {file = "tornado-6.3.3-cp38-abi3-win_amd64.whl", hash = "sha256:22d3c2fa10b5793da13c807e6fc38ff49a4f6e1e3868b0a6f4164768bb8e20f5"}, - {file = "tornado-6.3.3.tar.gz", hash = "sha256:e7d8db41c0181c80d76c982aacc442c0783a2c54d6400fe028954201a2e032fe"}, + {file = "tornado-6.4-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:02ccefc7d8211e5a7f9e8bc3f9e5b0ad6262ba2fbb683a6443ecc804e5224ce0"}, + {file = "tornado-6.4-cp38-abi3-macosx_10_9_x86_64.whl", hash = "sha256:27787de946a9cffd63ce5814c33f734c627a87072ec7eed71f7fc4417bb16263"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7894c581ecdcf91666a0912f18ce5e757213999e183ebfc2c3fdbf4d5bd764e"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e43bc2e5370a6a8e413e1e1cd0c91bedc5bd62a74a532371042a18ef19e10579"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f0251554cdd50b4b44362f73ad5ba7126fc5b2c2895cc62b14a1c2d7ea32f212"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:fd03192e287fbd0899dd8f81c6fb9cbbc69194d2074b38f384cb6fa72b80e9c2"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_i686.whl", hash = "sha256:88b84956273fbd73420e6d4b8d5ccbe913c65d31351b4c004ae362eba06e1f78"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:71ddfc23a0e03ef2df1c1397d859868d158c8276a0603b96cf86892bff58149f"}, + {file = "tornado-6.4-cp38-abi3-win32.whl", hash = "sha256:6f8a6c77900f5ae93d8b4ae1196472d0ccc2775cc1dfdc9e7727889145c45052"}, + {file = "tornado-6.4-cp38-abi3-win_amd64.whl", hash = "sha256:10aeaa8006333433da48dec9fe417877f8bcc21f48dda8d661ae79da357b2a63"}, + {file = "tornado-6.4.tar.gz", hash = "sha256:72291fa6e6bc84e626589f1c29d90a5a6d593ef5ae68052ee2ef000dfd273dee"}, ] [[package]] name = "traitlets" -version = "5.13.0" +version = "5.14.1" description = "Traitlets Python configuration system" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "traitlets-5.13.0-py3-none-any.whl", hash = "sha256:baf991e61542da48fe8aef8b779a9ea0aa38d8a54166ee250d5af5ecf4486619"}, - {file = "traitlets-5.13.0.tar.gz", hash = "sha256:9b232b9430c8f57288c1024b34a8f0251ddcc47268927367a0dd3eeaca40deb5"}, + {file = "traitlets-5.14.1-py3-none-any.whl", hash = "sha256:2e5a030e6eff91737c643231bfcf04a65b0132078dad75e4936700b213652e74"}, + {file = "traitlets-5.14.1.tar.gz", hash = "sha256:8585105b371a04b8316a43d5ce29c098575c2e477850b62b848b964f1444527e"}, ] [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] -test = ["argcomplete (>=3.0.3)", "mypy (>=1.6.0)", "pre-commit", "pytest (>=7.0,<7.5)", "pytest-mock", "pytest-mypy-testing"] +test = ["argcomplete (>=3.0.3)", "mypy (>=1.7.0)", "pre-commit", "pytest (>=7.0,<7.5)", "pytest-mock", "pytest-mypy-testing"] [[package]] name = "types-jsonschema" -version = "4.19.0.4" +version = "4.21.0.20240118" description = "Typing stubs for jsonschema" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "types-jsonschema-4.19.0.4.tar.gz", hash = "sha256:994feb6632818259c4b5dbd733867824cb475029a6abc2c2b5201a2268b6e7d2"}, - {file = "types_jsonschema-4.19.0.4-py3-none-any.whl", hash = "sha256:b73c3f4ba3cd8108602d1198a438e2698d5eb6b9db206ed89a33e24729b0abe7"}, + {file = "types-jsonschema-4.21.0.20240118.tar.gz", hash = "sha256:31aae1b5adc0176c1155c2d4f58348b22d92ae64315e9cc83bd6902168839232"}, + {file = "types_jsonschema-4.21.0.20240118-py3-none-any.whl", hash = "sha256:77a4ac36b0be4f24274d5b9bf0b66208ee771c05f80e34c4641de7d63e8a872d"}, ] [package.dependencies] @@ -4078,21 +3987,19 @@ referencing = "*" [[package]] name = "types-python-dateutil" -version = "2.8.19.14" +version = "2.8.19.20240106" description = "Typing stubs for python-dateutil" -category = "dev" optional = false -python-versions = "*" +python-versions = ">=3.8" files = [ - {file = "types-python-dateutil-2.8.19.14.tar.gz", hash = "sha256:1f4f10ac98bb8b16ade9dbee3518d9ace017821d94b057a425b069f834737f4b"}, - {file = "types_python_dateutil-2.8.19.14-py3-none-any.whl", hash = "sha256:f977b8de27787639986b4e28963263fd0e5158942b3ecef91b9335c130cb1ce9"}, + {file = "types-python-dateutil-2.8.19.20240106.tar.gz", hash = "sha256:1f8db221c3b98e6ca02ea83a58371b22c374f42ae5bbdf186db9c9a76581459f"}, + {file = "types_python_dateutil-2.8.19.20240106-py3-none-any.whl", hash = "sha256:efbbdc54590d0f16152fa103c9879c7d4a00e82078f6e2cf01769042165acaa2"}, ] [[package]] name = "types-pyyaml" version = "6.0.12.12" description = "Typing stubs for PyYAML" -category = "main" optional = false python-versions = "*" files = [ @@ -4102,26 +4009,24 @@ files = [ [[package]] name = "typing-extensions" -version = "4.8.0" +version = "4.10.0" description = "Backported and Experimental Type Hints for Python 3.8+" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "typing_extensions-4.8.0-py3-none-any.whl", hash = "sha256:8f92fc8806f9a6b641eaa5318da32b44d401efaac0f6678c9bc448ba3605faa0"}, - {file = "typing_extensions-4.8.0.tar.gz", hash = "sha256:df8e4339e9cb77357558cbdbceca33c303714cf861d1eef15e1070055ae8b7ef"}, + {file = "typing_extensions-4.10.0-py3-none-any.whl", hash = "sha256:69b1a937c3a517342112fb4c6df7e72fc39a38e7891a5730ed4985b5214b5475"}, + {file = "typing_extensions-4.10.0.tar.gz", hash = "sha256:b0abd7c89e8fb96f98db18d86106ff1d90ab692004eb746cf6eda2682f91b3cb"}, ] [[package]] name = "uc-micro-py" -version = "1.0.2" +version = "1.0.3" description = "Micro subset of unicode data files for linkify-it-py projects." -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "uc-micro-py-1.0.2.tar.gz", hash = "sha256:30ae2ac9c49f39ac6dce743bd187fcd2b574b16ca095fa74cd9396795c954c54"}, - {file = "uc_micro_py-1.0.2-py3-none-any.whl", hash = "sha256:8c9110c309db9d9e87302e2f4ad2c3152770930d88ab385cd544e7a7e75f3de0"}, + {file = "uc-micro-py-1.0.3.tar.gz", hash = "sha256:d321b92cff673ec58027c04015fcaa8bb1e005478643ff4a500882eaab88c48a"}, + {file = "uc_micro_py-1.0.3-py3-none-any.whl", hash = "sha256:db1dffff340817673d7b466ec86114a9dc0e9d4d9b5ba229d9d60e5c12600cd5"}, ] [package.extras] @@ -4131,7 +4036,6 @@ test = ["coverage", "pytest", "pytest-cov"] name = "uri-template" version = "1.3.0" description = "RFC 6570 URI Template Processor" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4144,38 +4048,36 @@ dev = ["flake8", "flake8-annotations", "flake8-bandit", "flake8-bugbear", "flake [[package]] name = "urllib3" -version = "2.0.7" +version = "2.2.1" description = "HTTP library with thread-safe connection pooling, file post, and more." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "urllib3-2.0.7-py3-none-any.whl", hash = "sha256:fdb6d215c776278489906c2f8916e6e7d4f5a9b602ccbcfdf7f016fc8da0596e"}, - {file = "urllib3-2.0.7.tar.gz", hash = "sha256:c97dfde1f7bd43a71c8d2a58e369e9b2bf692d1334ea9f9cae55add7d0dd0f84"}, + {file = "urllib3-2.2.1-py3-none-any.whl", hash = "sha256:450b20ec296a467077128bff42b73080516e71b56ff59a60a02bef2232c4fa9d"}, + {file = "urllib3-2.2.1.tar.gz", hash = "sha256:d0570876c61ab9e520d776c38acbbb5b05a776d3f9ff98a5c8fd5162a444cf19"}, ] [package.extras] brotli = ["brotli (>=1.0.9)", "brotlicffi (>=0.8.0)"] -secure = ["certifi", "cryptography (>=1.9)", "idna (>=2.0.0)", "pyopenssl (>=17.1.0)", "urllib3-secure-extra"] +h2 = ["h2 (>=4,<5)"] socks = ["pysocks (>=1.5.6,!=1.5.7,<2.0)"] zstd = ["zstandard (>=0.18.0)"] [[package]] name = "virtualenv" -version = "20.24.6" +version = "20.25.1" description = "Virtual Python Environment builder" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "virtualenv-20.24.6-py3-none-any.whl", hash = "sha256:520d056652454c5098a00c0f073611ccbea4c79089331f60bf9d7ba247bb7381"}, - {file = "virtualenv-20.24.6.tar.gz", hash = "sha256:02ece4f56fbf939dbbc33c0715159951d6bf14aaf5457b092e4548e1382455af"}, + {file = "virtualenv-20.25.1-py3-none-any.whl", hash = "sha256:961c026ac520bac5f69acb8ea063e8a4f071bcc9457b9c1f28f6b085c511583a"}, + {file = "virtualenv-20.25.1.tar.gz", hash = "sha256:e08e13ecdca7a0bd53798f356d5831434afa5b07b93f0abdf0797b7a06ffe197"}, ] [package.dependencies] distlib = ">=0.3.7,<1" filelock = ">=3.12.2,<4" -platformdirs = ">=3.9.1,<4" +platformdirs = ">=3.9.1,<5" [package.extras] docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.2)", "sphinx-argparse (>=0.4)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] @@ -4183,21 +4085,19 @@ test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess [[package]] name = "wcwidth" -version = "0.2.9" +version = "0.2.13" description = "Measures the displayed width of unicode strings in a terminal" -category = "main" optional = false python-versions = "*" files = [ - {file = "wcwidth-0.2.9-py2.py3-none-any.whl", hash = "sha256:9a929bd8380f6cd9571a968a9c8f4353ca58d7cd812a4822bba831f8d685b223"}, - {file = "wcwidth-0.2.9.tar.gz", hash = "sha256:a675d1a4a2d24ef67096a04b85b02deeecd8e226f57b5e3a72dbb9ed99d27da8"}, + {file = "wcwidth-0.2.13-py2.py3-none-any.whl", hash = "sha256:3da69048e4540d84af32131829ff948f1e022c1c6bdb8d6102117aac784f6859"}, + {file = "wcwidth-0.2.13.tar.gz", hash = "sha256:72ea0c06399eb286d978fdedb6923a9eb47e1c486ce63e9b4e64fc18303972b5"}, ] [[package]] name = "webcolors" version = "1.13" description = "A library for working with the color formats defined by HTML and CSS." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4213,7 +4113,6 @@ tests = ["pytest", "pytest-cov"] name = "webencodings" version = "0.5.1" description = "Character encoding aliases for legacy web content" -category = "main" optional = false python-versions = "*" files = [ @@ -4223,14 +4122,13 @@ files = [ [[package]] name = "websocket-client" -version = "1.6.4" +version = "1.7.0" description = "WebSocket client for Python with low level API options" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "websocket-client-1.6.4.tar.gz", hash = "sha256:b3324019b3c28572086c4a319f91d1dcd44e6e11cd340232978c684a7650d0df"}, - {file = "websocket_client-1.6.4-py3-none-any.whl", hash = "sha256:084072e0a7f5f347ef2ac3d8698a5e0b4ffbfcab607628cadabc650fc9a83a24"}, + {file = "websocket-client-1.7.0.tar.gz", hash = "sha256:10e511ea3a8c744631d3bd77e61eb17ed09304c413ad42cf6ddfa4c7787e8fe6"}, + {file = "websocket_client-1.7.0-py3-none-any.whl", hash = "sha256:f4c3d22fec12a2461427a29957ff07d35098ee2d976d3ba244e688b8b4057588"}, ] [package.extras] @@ -4240,14 +4138,13 @@ test = ["websockets"] [[package]] name = "werkzeug" -version = "2.3.7" +version = "2.3.8" description = "The comprehensive WSGI web application library." -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "werkzeug-2.3.7-py3-none-any.whl", hash = "sha256:effc12dba7f3bd72e605ce49807bbe692bd729c3bb122a3b91747a6ae77df528"}, - {file = "werkzeug-2.3.7.tar.gz", hash = "sha256:2b8c0e447b4b9dbcc85dd97b6eeb4dcbaf6c8b6c3be0bd654e25553e0a2157d8"}, + {file = "werkzeug-2.3.8-py3-none-any.whl", hash = "sha256:bba1f19f8ec89d4d607a3bd62f1904bd2e609472d93cd85e9d4e178f472c3748"}, + {file = "werkzeug-2.3.8.tar.gz", hash = "sha256:554b257c74bbeb7a0d254160a4f8ffe185243f52a52035060b761ca62d977f03"}, ] [package.dependencies] @@ -4258,14 +4155,13 @@ watchdog = ["watchdog (>=2.3)"] [[package]] name = "wheel" -version = "0.41.3" +version = "0.42.0" description = "A built-package format for Python" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "wheel-0.41.3-py3-none-any.whl", hash = "sha256:488609bc63a29322326e05560731bf7bfea8e48ad646e1f5e40d366607de0942"}, - {file = "wheel-0.41.3.tar.gz", hash = "sha256:4d4987ce51a49370ea65c0bfd2234e8ce80a12780820d9dc462597a6e60d0841"}, + {file = "wheel-0.42.0-py3-none-any.whl", hash = "sha256:177f9c9b0d45c47873b619f5b650346d632cdc35fb5e4d25058e09c9e581433d"}, + {file = "wheel-0.42.0.tar.gz", hash = "sha256:c45be39f7882c9d34243236f2d63cbd58039e360f85d0913425fbd7ceea617a8"}, ] [package.extras] @@ -4273,21 +4169,19 @@ test = ["pytest (>=6.0.0)", "setuptools (>=65)"] [[package]] name = "widgetsnbextension" -version = "4.0.9" +version = "4.0.10" description = "Jupyter interactive widgets for Jupyter Notebook" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "widgetsnbextension-4.0.9-py3-none-any.whl", hash = "sha256:91452ca8445beb805792f206e560c1769284267a30ceb1cec9f5bcc887d15175"}, - {file = "widgetsnbextension-4.0.9.tar.gz", hash = "sha256:3c1f5e46dc1166dfd40a42d685e6a51396fd34ff878742a3e47c6f0cc4a2a385"}, + {file = "widgetsnbextension-4.0.10-py3-none-any.whl", hash = "sha256:d37c3724ec32d8c48400a435ecfa7d3e259995201fbefa37163124a9fcb393cc"}, + {file = "widgetsnbextension-4.0.10.tar.gz", hash = "sha256:64196c5ff3b9a9183a8e699a4227fb0b7002f252c814098e66c4d1cd0644688f"}, ] [[package]] name = "zipp" version = "3.17.0" description = "Backport of pathlib-compatible object wrapper for zip files" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -4308,5 +4202,5 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" -python-versions = "^3.8, <3.12" -content-hash = "2458c9fffd306abb4ebb82cd8b7c7222ef6b28bfce7abda9de1e9bcec89d8dea" +python-versions = ">=3.8.1, <3.12" +content-hash = "77a7a7040004e21b46a7645e671cf92f2c17c00e09b6a4b0364f03062cf375a7" diff --git a/pyproject.toml b/pyproject.toml index 9c70bbb6d..1c2c8b3e3 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -19,15 +19,15 @@ documentation = "https://nrel.github.io/BuildingMOTIF" buildingmotif = 'buildingmotif.bin.cli:app' [tool.poetry.dependencies] -python = "^3.8, <3.12" -rdflib = "~6.2.0" +python = ">=3.8.1, <3.12" +rdflib = "^6.3.2" SQLAlchemy = "^1.4" pyaml = "^21.10.1" networkx = "^2.7.1" types-PyYAML = "^6.0.4" nbmake = "^1.3.0" rdflib-sqlalchemy = "^0.5.3" -pyshacl = "^0.21.0" +pyshacl = "^0.25.0" alembic = "^1.8.0" Flask = "^2.1.2" Flask-API = "^3.0.post1" @@ -58,6 +58,7 @@ BAC0 = "^22.9.21" netifaces = "^0.11.0" pytz = "^2022.7.1" openpyxl = "^3.0.10" +pytest = "^8.0.2" [tool.poetry.extras] all = ["BAC0", "openpyxl", "netifaces", "pytz", "psycopg2"] From 82e575c38ffc2405ac0bd3db37264cc5c66dc4c5 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 12:39:59 -0700 Subject: [PATCH 16/61] adding documentation on templates --- docs/_toc.yml | 1 + docs/explanations/templates.md | 206 +++++++++++++++++++++++++++++++++ 2 files changed, 207 insertions(+) create mode 100644 docs/explanations/templates.md diff --git a/docs/_toc.yml b/docs/_toc.yml index 27d7da736..7410c2569 100644 --- a/docs/_toc.yml +++ b/docs/_toc.yml @@ -24,6 +24,7 @@ parts: - caption: Explainations chapters: - file: explanations/ingresses.md + - file: explanations/templates.md - file: explanations/shapes-and-templates.md - file: explanations/shacl_to_sparql.md - caption: Appendix diff --git a/docs/explanations/templates.md b/docs/explanations/templates.md new file mode 100644 index 000000000..519b5a41c --- /dev/null +++ b/docs/explanations/templates.md @@ -0,0 +1,206 @@ +# Templates + +Templates are functions which generate RDF graphs. + +## How to Define Templates + + +### YAML Format + +The most common way of defining a Template is as a YAML document. Several Templates can be expressed in the same YAML file. +A YAML template has several components: +- the **name** of the template is the top-level key of the YAML document +- a template *must* have a **body** key, whose value is an RDF graph (see below for details on the graph) +- a template *may* have an **optional** key, whose value is a list of parameter names +- a template *may* have a **dependencies** key, whose value is a list of dependency dictionaries (see below for details on dependencies) + +The **body** of a template is an RDF graph. Parameters are nodes/edges in the graph which exist in the `urn:___param___#` namespace (this can be bound to any prefix, but is commonly bound to `P` or `p`). +When a template is [evaluated](template-eval), the parameters are replaced with the provided bindings. +The parameters of a template are exactly those which appear in the RDF Graph body. + +The other elements of a template's definition -- `optional`, `dependencies`, etc -- refer to the name of a parameter *without* the `urn:___param___#` prefix. +For example, a parameter would be defined in the body as `P:sensor` or `urn:___param___#sensor` (these are equivalent, provided there is a `@prefix P: ` line), but the other elements of the template would refer to this parameter simply as `sensor` + +Here is an example of two YAML templates. + +```yaml +vav-cooling-only: + body: > + @prefix p: . + @prefix brick: . + p:name a brick:VAV ; + brick:hasPoint p:ztemp, p:occ, p:co2, p:dat ; + brick:hasPart p:dmp ; + brick:feeds p:zone . + optional: ['occ', 'co2'] + dependencies: + - template: damper + args: {"name": "dmp"} + - template: https://brickschema.org/schema/Brick#HVAC_Zone + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "zone"} + - template: https://brickschema.org/schema/Brick#Zone_Air_Temperature_Sensor + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "ztemp"} + - template: https://brickschema.org/schema/Brick#Occupancy_Sensor + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "occ"} + - template: https://brickschema.org/schema/Brick#CO2_Level_Sensor + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "co2"} + - template: https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Sensor + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "dat"} + +damper: + body: > + @prefix P: . + @prefix brick: . + P:name a brick:Damper . +``` + +### SHACL Shapes + +BuildingMOTIF can also infer a template from certain SHACL shape definitions. +This happens when a Library is loaded into BuildingMOTIF that contains an RDF graph; this can happen by loading the RDF graph directly (via `Library.load(ontology_graph="path to graph")`) +or by loading in a directory that contains RDF graphs (via `Library.load(directory="directory with .ttl files")`). + +Given an RDF graph, BuildingMOTIF will create a template for each instance of `sh:NodeShape` *provided* that it is also an instance of `owl:Class`. +In the following RDF graph, BuildingMOTIF would create a tempalte for `vav_shape` but not `sensor_shape`: + +```ttl +@prefix brick: . +@prefix owl: . +@prefix sh: . +@prefix unit: . +@prefix : . + +:vav_shape a sh:NodeShape, owl:Class ; + sh:targetClass brick:VAV ; + sh:property [ + sh:path brick:hasPoint ; + sh:qualifiedValueShape [ sh:node :sensor_shape ] ; + sh:qualifiedMinCount 1 ; + ] ; +. + +:sensor_shape a sh:NodeShape ; + sh:class brick:Temperature_Sensor ; + sh:property [ + sh:path brick:hasUnit ; + sh:hasValue unit:DEG_C ; + ] ; +. +``` + +BuildingMOTIF will create a `name` parameter for the shape automatically. It will create a parameter for each Property Shape on the input Node Shape if +that Property Shape has one of `sh:class`, `sh:node` or `sh:datatype` inside; use of `sh:qualifiedValueShape` is permitted. +Only Property Shapes with a `sh:minCount` or `sh:qualifiedMinCount` greater than 1 will be included. +If the Property Shape contains a `sh:name` parameter, the string value of `sh:name` will be used as the name of the parameter; otherwise, BuildingMOTIF +ll invent a new name (`P:pX` where *X* is an incrementing integer). + +The name of the template is the IRI of the SHACL Node Shape. + +## Template Dependencies + +Dependencies between templates can be done explicitly (for YAML-based templates) or implicitly (for SHACL-based templates). + +### Explicit Template Dependencies + +A template dependency is a dictionary with the following keys: +- `template` (required): the name of the template +- `library` (optional): the name of the Library from which to load the template +- `args` (required): a key-value dictionary mapping the dependency parameter names to this template's (the depndent's) parameter names. Values bound to the dependent's parameter will also be bound to the dependency's corresponding parameter; we call this "binding" the dependent's parameter to the dependency's parameter + +When depending on another template, it is not necessary to bind all of the parameters. +This affects how [inlining](template-inline) works. + +The template in the example below has two dependencies. The first dependency is on another template called `damper` in the same Library as `vav-cooling-only`. The `name` parameter +of the `damper` template will be bound to the value of the `dmp` parameter in the `vav-cooling-only` template. +The second dependency is on the HVAC Zone template in the Brick ontology (this template is inferred automatically from the `brick:HVAC_Zone` Node Shape when the Brick library is loaded). +The `name` parameter of the HVAC zone template will be bound to the `zone` parameter in the `vav-cooling-only` template. + +```yaml +vav-cooling-only: + body: > + @prefix p: . + @prefix brick: . + p:name a brick:VAV ; + brick:hasPoint p:ztemp, p:occ, p:co2, p:dat ; + brick:hasPart p:dmp ; + brick:feeds p:zone . + optional: ['occ', 'co2'] + dependencies: + - template: damper + args: {"name": "dmp"} + - template: https://brickschema.org/schema/Brick#HVAC_Zone + library: https://brickschema.org/schema/1.3/Brick + args: {"name": "zone"} +``` + + +### Implicit Template Dependencies + +BuildingMOTIF will add dependencies to a template inferred from a Node Shape in each of the following cases. +- if a Property Shape on the Node Shape refers to a Node Shape through `sh:class` (the Node Shape dependency will probably also be an `owl:Class`) +- if a Property Shape on the Node Shape refers to a Node Shape through `sh:node` +- if the Node Shape refers to another Node Shape through `sh:node` + +The template inferred from the `vav_shape` Node Shape below will have 2 dependencies. +The first dependency is on the `:Air_Flow_Sensor` template, also defined in this library. +The invented parameter name for the first property shape (probably `p1`) will be bound to the `name` parameter of the inferred `:Air_Flow_Sensor` template. +The second dependency is on the `brick:Air_Temperature_Sensor` template which is defined in the Brick ontology. +The `temp_sensor` parameter of the `vav_shape` template will be bound to the `name` parameter of the inferred `brick:Air_Temperature_Sensor` template. + +BuildingMOTIF will search all of the graphs in `owl:imports` for definitions of Node Shapes if they are not defined in the current library. +Because `:Air_Flow_Sensor` is defined in the same graph as `vav_shape`, BuildingMOTIF can find its definition easily. +Because `brick:Air_Temperature_Sensor` is not defined in the graph below, BuildingMOTIF searches the imported graph `https://brickschema.org/schema/1.3/Brick` for +the definition. + +**Remember to load libraries containing dependencies before loading in libraries containing the dependents**. + +```ttl +@prefix brick: . +@prefix owl: . +@prefix rdf: . +@prefix rdfs: . +@prefix sh: . +@prefix unit: . +@prefix : . + +: a owl:Ontology ; + owl:imports . + +:vav_shape a sh:NodeShape, owl:Class ; + sh:targetClass brick:VAV ; + sh:property [ + sh:path brick:hasPoint ; + sh:qualifiedValueShape [ sh:node :Air_Flow_Sensor ] ; + sh:qualifiedMinCount 1 ; + ] ; + sh:property [ + sh:path brick:hasPoint ; + sh:name "temp_sensor" ; + sh:qualifiedValueShape [ sh:node brick:Air_Temperature_Sensor ] ; + sh:qualifiedMinCount 1 ; + ] ; +. + +:Air_Flow_Sensor a sh:NodeShape, owl:Class ; + sh:class brick:Air_Flow_Sensor ; + sh:property [ + sh:path brick:hasUnit ; + sh:hasValue unit:DEG_C ; + sh:minCount 1 ; + ] +. +``` + + +(template-inline)= +## Template Inlining + +(template-eval)= +## Template Evaluation + +All templates must have a `name` parameter. From f036bc8b4c1d67e969eceb57e14b26cc15a236d7 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 12:40:24 -0700 Subject: [PATCH 17/61] placeholder for further template docs --- docs/explanations/templates.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/docs/explanations/templates.md b/docs/explanations/templates.md index 519b5a41c..761acb5ba 100644 --- a/docs/explanations/templates.md +++ b/docs/explanations/templates.md @@ -200,7 +200,9 @@ the definition. (template-inline)= ## Template Inlining +Coming soon... + (template-eval)= ## Template Evaluation -All templates must have a `name` parameter. +Coming soon... From 569c468efe09b83f4da19e7acadbd0c41a94b622 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 12:41:22 -0700 Subject: [PATCH 18/61] clarify load order --- docs/explanations/templates.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/docs/explanations/templates.md b/docs/explanations/templates.md index 761acb5ba..f46ca49c5 100644 --- a/docs/explanations/templates.md +++ b/docs/explanations/templates.md @@ -105,6 +105,9 @@ The name of the template is the IRI of the SHACL Node Shape. Dependencies between templates can be done explicitly (for YAML-based templates) or implicitly (for SHACL-based templates). +**Remember to load libraries containing dependencies before loading in libraries containing the dependents**. +For example, it is generally recommended to import your base ontologies (Brick, ASHRAE 223P, etc) before any application libraries, as the application libraries will depend on concepts defined in the ontologies. + ### Explicit Template Dependencies A template dependency is a dictionary with the following keys: @@ -157,7 +160,6 @@ Because `:Air_Flow_Sensor` is defined in the same graph as `vav_shape`, Building Because `brick:Air_Temperature_Sensor` is not defined in the graph below, BuildingMOTIF searches the imported graph `https://brickschema.org/schema/1.3/Brick` for the definition. -**Remember to load libraries containing dependencies before loading in libraries containing the dependents**. ```ttl @prefix brick: . From 40a1b7826cfc087ff7cabc72efaddf561b695fef Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 12:59:14 -0700 Subject: [PATCH 19/61] update jsonschema, skip mypy checking on imports --- .pre-commit-config.yaml | 4 ++-- poetry.lock | 2 +- pyproject.toml | 5 +++-- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index ec525039e..a62d4522a 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -19,6 +19,6 @@ repos: rev: v0.931 hooks: - id: mypy - args: ["--install-types", "--non-interactive", "--ignore-missing-imports"] + args: ["--install-types", "--non-interactive", "--ignore-missing-imports", "--follow-imports=skip"] additional_dependencies: [sqlalchemy2-stubs <= 0.0.2a20, SQLAlchemy <= 1.4] -exclude: docs/conf.py \ No newline at end of file +exclude: docs/conf.py diff --git a/poetry.lock b/poetry.lock index 32cbc76f7..68c533cec 100644 --- a/poetry.lock +++ b/poetry.lock @@ -4203,4 +4203,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = ">=3.8.1, <3.12" -content-hash = "77a7a7040004e21b46a7645e671cf92f2c17c00e09b6a4b0364f03062cf375a7" +content-hash = "67cd841a2191127f13d7cf4b4344b5eb1066c899730839c6f224df994871b5dc" diff --git a/pyproject.toml b/pyproject.toml index 1c2c8b3e3..b6e0669dc 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -35,10 +35,10 @@ rfc3987 = "^1.3.8" setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" -jsonschema = "^4.17.3" -types-jsonschema = "^4.17.0.6" +jsonschema = "^4.21.1" werkzeug="^2.3.7" +types-jsonschema = "^4.21.0.20240118" [tool.poetry.group.dev.dependencies] black = "^22.3.0" @@ -81,6 +81,7 @@ profile = "black" [tool.mypy] files = ["buildingmotif/*.py", "tests/*.py", "migrations/*.py"] plugins = "sqlalchemy.ext.mypy.plugin" +follow_imports = "skip" [tool.pytest.ini_options] log_cli_level = "WARNING" From 87ade9e03edb9b4c8cab61e659fb03d9b6d2a58c Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 6 Mar 2024 13:23:33 -0700 Subject: [PATCH 20/61] fix API response and test to handle Brick --- tests/unit/api/test_model.py | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/tests/unit/api/test_model.py b/tests/unit/api/test_model.py index 27a8d25f6..ca7df7e26 100644 --- a/tests/unit/api/test_model.py +++ b/tests/unit/api/test_model.py @@ -259,6 +259,8 @@ def test_validate_model(client, building_motif): assert library_1 is not None library_2 = Library.load(directory="tests/unit/fixtures/templates") assert library_2 is not None + brick = Library.load(ontology_graph="tests/unit/fixtures/Brick.ttl") + assert brick is not None BLDG = Namespace("urn:building/") model = Model.create(name=BLDG) @@ -268,7 +270,7 @@ def test_validate_model(client, building_motif): results = client.post( f"/models/{model.id}/validate", headers={"Content-Type": "application/json"}, - json={"library_ids": [library_1.id, library_2.id]}, + json={"library_ids": [library_1.id, library_2.id, brick.id]}, ) # Assert @@ -276,10 +278,11 @@ def test_validate_model(client, building_motif): assert results.get_json().keys() == {"message", "reasons", "valid"} assert isinstance(results.get_json()["message"], str) - assert results.get_json()["reasons"] == { - "urn:building/vav1": [ - "urn:building/vav1 needs between 1 and None instances of https://brickschema.org/schema/Brick#Air_Flow_Sensor on path https://brickschema.org/schema/Brick#hasPoint" - ] + response = results.get_json() + assert "urn:building/vav1" in response["reasons"], "vav1 should be in the response" + assert set(response["reasons"]["urn:building/vav1"]) == { + "urn:building/vav1 needs between 1 and None instances of https://brickschema.org/schema/Brick#Air_Flow_Sensor on path https://brickschema.org/schema/Brick#hasPoint", + "urn:building/vav1 needs between 1 and None instances of https://brickschema.org/schema/Brick#Temperature_Sensor on path https://brickschema.org/schema/Brick#hasPoint", } assert not results.get_json()["valid"] From 1255b230666550ccd99910143306179fcc40987a Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 11 Mar 2024 23:51:15 -0600 Subject: [PATCH 21/61] updating 223p and templates --- .../ashrae/223p/nrel-templates/devices.yml | 4 +- .../ashrae/223p/nrel-templates/properties.yml | 2 +- libraries/ashrae/223p/ontology/223p.ttl | 75046 +++++++++++++++- 3 files changed, 72716 insertions(+), 2336 deletions(-) diff --git a/libraries/ashrae/223p/nrel-templates/devices.yml b/libraries/ashrae/223p/nrel-templates/devices.yml index 3b9cc52d2..9f8c59b25 100644 --- a/libraries/ashrae/223p/nrel-templates/devices.yml +++ b/libraries/ashrae/223p/nrel-templates/devices.yml @@ -219,7 +219,7 @@ sensor: @prefix P: . @prefix s223: . P:name a s223:Sensor ; - s223:hasMeasurementLocation P:where ; + s223:hasObservationLocation P:where ; s223:observes P:property . optional: ["where"] @@ -228,7 +228,7 @@ differential-sensor: @prefix P: . @prefix s223: . P:name a s223:Sensor ; - s223:hasMeasurementLocation P:whereA, P:whereB ; + s223:hasObservationLocation P:whereA, P:whereB ; s223:observes P:property . optional: ["whereA", "whereB"] diff --git a/libraries/ashrae/223p/nrel-templates/properties.yml b/libraries/ashrae/223p/nrel-templates/properties.yml index e8d7a3581..88f7200a7 100644 --- a/libraries/ashrae/223p/nrel-templates/properties.yml +++ b/libraries/ashrae/223p/nrel-templates/properties.yml @@ -117,5 +117,5 @@ relative-humidity: @prefix unit: . @prefix s223: . P:name a s223:QuantifiableObservableProperty ; - qudt:hasQuantityKind quantitykind:RelativeHumiditiy ; + qudt:hasQuantityKind quantitykind:RelativeHumidity ; qudt:unit unit:PERCENT_RH . diff --git a/libraries/ashrae/223p/ontology/223p.ttl b/libraries/ashrae/223p/ontology/223p.ttl index d8f2cff27..a1418fab8 100644 --- a/libraries/ashrae/223p/ontology/223p.ttl +++ b/libraries/ashrae/223p/ontology/223p.ttl @@ -1,124 +1,935 @@ -@prefix g36: . +@prefix bacnet: . +@prefix constant: . +@prefix cur: . +@prefix dc: . +@prefix dcterms: . +@prefix dtype: . +@prefix org: . @prefix owl: . +@prefix prefix1: . +@prefix prov: . +@prefix qkdv: . @prefix quantitykind: . @prefix qudt: . +@prefix qudt.type: . @prefix rdf: . @prefix rdfs: . -@prefix ref: . @prefix s223: . @prefix sh: . -@prefix sp: . -@prefix spin: . -@prefix spl: . +@prefix skos: . +@prefix sou: . +@prefix unit: . +@prefix vaem: . +@prefix voag: . @prefix xsd: . s223:Class a rdfs:Class, sh:NodeShape ; rdfs:label "Class" ; - rdfs:subClassOf rdfs:Class ; - sh:property [ rdfs:comment "This Class must have a label" ; - sh:path rdfs:label ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} must have an rdfs:label" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this -WHERE { -FILTER (NOT EXISTS {$this rdfs:label ?something}) . -} -""" ] ] . + rdfs:comment "This is a modeling construct. All classes defined in the 223 standard are instances of s223:Class rather than owl:Class." ; + rdfs:subClassOf rdfs:Class . + +s223:SymmetricProperty a rdfs:Class, + sh:NodeShape ; + rdfs:label "Symmetric property" ; + rdfs:comment "A SymmetricProperty is modeling construct used to define symmetric behavior for certain properties in the standard such as cnx and connected." ; + rdfs:subClassOf rdf:Property . + +qudt:AbstractQuantityKind a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity Kind (abstract)" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:AbstractQuantityKind-broader, + qudt:AbstractQuantityKind-latexSymbol, + qudt:AbstractQuantityKind-symbol . + +qudt:AngleUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Angle unit" ; + dcterms:description "All units relating to specificaiton of angles. " ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:DimensionlessUnit ; + skos:exactMatch . + +qudt:AspectClass a rdfs:Class, + sh:NodeShape ; + rdfs:label "Aspect Class" ; + rdfs:isDefinedBy ; + rdfs:subClassOf rdfs:Class . + +qudt:BaseDimensionMagnitude a rdfs:Class, + sh:NodeShape ; + rdfs:label "Base Dimension Magnitude" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI, + "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; + rdfs:comment """

A Dimension expresses a magnitude for a base quantiy kind such as mass, length and time.

+

DEPRECATED - each exponent is expressed as a property. Keep until a validaiton of this has been done.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:BaseDimensionMagnitude-hasBaseQuantityKind, + qudt:BaseDimensionMagnitude-vectorMagnitude . + +qudt:BinaryPrefix a rdfs:Class, + sh:NodeShape ; + rdfs:label "Binary Prefix" ; + rdfs:comment "A Binary Prefix is a prefix for multiples of units in data processing, data transmission, and digital information, notably the bit and the byte, to indicate multiplication by a power of 2." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Prefix . + +qudt:BitEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Bit Encoding" ; + dcterms:description "A bit encoding is a correspondence between the two possible values of a bit, 0 or 1, and some interpretation. For example, in a boolean encoding, a bit denotes a truth value, where 0 corresponds to False and 1 corresponds to True." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:BitEncoding ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:BooleanEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Boolean encoding type" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:BooleanEncoding qudt:BitEncoding qudt:OctetEncoding ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:ByteEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Byte Encoding" ; + dcterms:description "This class contains the various ways that information may be encoded into bytes." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding . + +qudt:CardinalityType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Cardinality Type" ; + dcterms:description "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set \\(A = {2, 4, 6}\\) contains 3 elements, and therefore \\(A\\) has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers."^^qudt:LatexString ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cardinal_number"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Cardinality"^^xsd:anyURI ; + qudt:plainTextDescription "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set 'A = {2, 4, 6}' contains 3 elements, and therefore 'A' has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:CT_COUNTABLY-INFINITE qudt:CT_FINITE qudt:CT_UNCOUNTABLE ) ; + sh:path [ sh:inversePath rdf:type ] ], + qudt:CardinalityType-literal . + +qudt:CharEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Char Encoding Type" ; + dcterms:description "The class of all character encoding schemes, each of which defines a rule or algorithm for encoding character data as a sequence of bits or bytes." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:CharEncoding ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:Citation a rdfs:Class, + sh:NodeShape ; + rdfs:label "Citation" ; + rdfs:comment "Provides a simple way of making citations."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Citation-description, + qudt:Citation-url . + +qudt:Comment a rdfs:Class, + sh:NodeShape ; + rdfs:label "Comment" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Verifiable ; + sh:property qudt:Comment-description, + qudt:Comment-rationale . + +qudt:Concept a rdfs:Class, + sh:NodeShape ; + rdfs:label "QUDT Concept" ; + rdfs:comment "The root class for all QUDT concepts."^^rdf:HTML ; + rdfs:isDefinedBy , + ; + rdfs:subClassOf rdfs:Resource ; + sh:property qudt:Concept-abbreviation, + qudt:Concept-code, + qudt:Concept-deprecated, + qudt:Concept-description, + qudt:Concept-guidance, + qudt:Concept-hasRule, + qudt:Concept-id, + qudt:Concept-isReplacedBy, + qudt:Concept-plainTextDescription, + qudt:Concept-rdf_type, + qudt:Concept-rdfs_isDefinedBy, + qudt:Concept-rdfs_label, + qudt:Concept-rdfs_seeAlso, + qudt:Concept-skos_altLabel . + +qudt:ConstantValue a rdfs:Class, + sh:NodeShape ; + rdfs:label "Constant value" ; + rdfs:comment "Used to specify the values of a constant."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityValue ; + sh:property qudt:ConstantValue-exactConstant, + qudt:ConstantValue-informativeReference . + +qudt:CountingUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Counting Unit" ; + rdfs:comment "Used for all units that express counts. Examples are Atomic Number, Number, Number per Year, Percent and Sample per Second."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:DimensionlessUnit . + +qudt:CurrencyUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Currency Unit" ; + rdfs:comment "Currency Units have their own subclass of unit because: (a) they have additonal properites such as 'country' and (b) their URIs do not conform to the same rules as other units."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:DimensionlessUnit ; + sh:property qudt:CurrencyUnit-currencyCode, + qudt:CurrencyUnit-currencyExponent, + qudt:CurrencyUnit-currencyNumber . + +qudt:DataEncoding a rdfs:Class, + sh:NodeShape ; + rdfs:label "Data Encoding" ; + rdfs:comment "

Data Encoding expresses the properties that specify how data is represented at the bit and byte level. These properties are applicable to describing raw data.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:DataEncoding-bitOrder, + qudt:DataEncoding-byteOrder, + qudt:DataEncoding-encoding . + +qudt:Datatype a rdfs:Class, + sh:NodeShape ; + rdfs:label "QUDT Datatype" ; + dcterms:description "A data type is a definition of a set of values (for example, \"all integers between 0 and 10\"), and the allowable operations on those values; the meaning of the data; and the way values of that type can be stored. Some types are primitive - built-in to the language, with no visible internal structure - e.g. Boolean; others are composite - constructed from one or more other types (of either kind) - e.g. lists, arrays, structures, unions. Object-oriented programming extends this with classes which encapsulate both the structure of a type and the operations that can be performed on it. Some languages provide strong typing, others allow implicit type conversion and/or explicit type conversion." ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_type"^^xsd:anyURI, + "http://foldoc.org/data+type"^^xsd:anyURI, + "http://www.princeton.edu/~achaney/tmve/wiki100k/docs/Data_type.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Datatype-ansiSQLName, + qudt:Datatype-basis, + qudt:Datatype-bounded, + qudt:Datatype-cName, + qudt:Datatype-cardinality, + qudt:Datatype-id, + qudt:Datatype-javaName, + qudt:Datatype-jsName, + qudt:Datatype-matlabName, + qudt:Datatype-microsoftSQLServerName, + qudt:Datatype-mySQLName, + qudt:Datatype-odbcName, + qudt:Datatype-oleDBName, + qudt:Datatype-oracleSQLName, + qudt:Datatype-orderedType, + qudt:Datatype-protocolBuffersName, + qudt:Datatype-pythonName, + qudt:Datatype-vbName . + +qudt:DateTimeStringEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Date Time String Encoding Type" ; + dcterms:description "Date Time encodings are logical encodings for expressing date/time quantities as strings by applying unambiguous formatting and parsing rules." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:StringEncodingType ; + sh:property qudt:DateTimeStringEncodingType-allowedPattern . + +qudt:DecimalPrefix a rdfs:Class, + sh:NodeShape ; + rdfs:label "Decimal Prefix" ; + rdfs:comment "A Decimal Prefix is a prefix for multiples of units that are powers of 10." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Prefix . + +qudt:DerivedUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Derived Unit" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Category:SI_derived_units"^^xsd:anyURI ; + rdfs:comment "A DerivedUnit is a type specification for units that are derived from other units."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Unit . + +qudt:DimensionlessUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Dimensionless Unit" ; + rdfs:comment "A Dimensionless Unit is a quantity for which all the exponents of the factors corresponding to the base quantities in its quantity dimension are zero."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Unit . + +qudt:Discipline a rdfs:Class, + sh:NodeShape ; + rdfs:label "Discipline" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept . + +qudt:Encoding a rdfs:Class, + sh:NodeShape ; + rdfs:label "Encoding" ; + dcterms:description "An encoding is a rule or algorithm that is used to convert data from a native, or unspecified form into a specific form that satisfies the encoding rules. Examples of encodings include character encodings, such as UTF-8." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Encoding-bits, + qudt:Encoding-bytes . + +qudt:EndianType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Endian Type" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Endianness"^^xsd:anyURI ; + qudt:plainTextDescription "In computing, endianness is the ordering used to represent some kind of data as a sequence of smaller units. Typical cases are the order in which integer values are stored as bytes in computer memory (relative to a given memory addressing scheme) and the transmission order over a network or other medium. When specifically talking about bytes, endianness is also referred to simply as byte order. Most computer processors simply store integers as sequences of bytes, so that, conceptually, the encoded value can be obtained by simple concatenation. For an 'n-byte' integer value this allows 'n!' (n factorial) possible representations (one for each byte permutation). The two most common of them are: increasing numeric significance with increasing memory addresses, known as little-endian, and its opposite, called big-endian." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt.type:LittleEndian qudt.type:BigEndian ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:EnumeratedQuantity a rdfs:Class, + sh:NodeShape ; + rdfs:label "Enumerated Quantity" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:EnumeratedQuantity-enumeratedValue, + qudt:EnumeratedQuantity-enumeration . + +qudt:EnumeratedValue a rdfs:Class, + sh:NodeShape ; + rdfs:label "Enumerated Value" ; + dcterms:description """

This class is for all enumerated and/or coded values. For example, it contains the dimension objects that are the basis elements in some abstract vector space associated with a quantity kind system. Another use is for the base dimensions for quantity systems. Each quantity kind system that defines a base set has a corresponding ordered enumeration whose elements are the dimension objects for the base quantity kinds. The order of the dimensions in the enumeration determines the canonical order of the basis elements in the corresponding abstract vector space.

+ +

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

+ +

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Verifiable, + dtype:EnumeratedValue ; + sh:property qudt:EnumeratedValue-abbreviation, + qudt:EnumeratedValue-description, + qudt:EnumeratedValue-symbol . + +qudt:Enumeration a rdfs:Class, + sh:NodeShape ; + rdfs:label "Enumeration" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Enumeration"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Enumerated_type"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; + rdfs:comment """

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

+ +

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + dtype:Enumeration ; + sh:property qudt:Enumeration-abbreviation, + qudt:Enumeration-default, + qudt:Enumeration-element . + +qudt:EnumerationScale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Enumeration scale" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Scale, + dtype:Enumeration . + +qudt:Figure a rdfs:Class, + sh:NodeShape ; + rdfs:label "Figure" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Figure-figureCaption, + qudt:Figure-figureLabel, + qudt:Figure-height, + qudt:Figure-image, + qudt:Figure-imageLocation, + qudt:Figure-landscape, + qudt:Figure-width . + +qudt:FloatingPointEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Floating Point Encoding" ; + dcterms:description "A \"Encoding\" with the following instance(s): \"Double Precision Encoding\", \"Single Precision Real Encoding\"." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:DoublePrecisionEncoding qudt:IEEE754_1985RealEncoding qudt:SinglePrecisionRealEncoding ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:IntegerEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Integer Encoding" ; + dcterms:description "The encoding scheme for integer types" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:LongUnsignedIntegerEncoding qudt:ShortUnsignedIntegerEncoding qudt:ShortUnsignedIntegerEncoding qudt:SignedIntegerEncoding qudt:UnsignedIntegerEncoding ) ; + sh:path [ sh:inversePath rdf:type ] ] . + +qudt:IntervalScale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Interval scale" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment """

The interval type allows for the degree of difference between items, but not the ratio between them. Examples include temperature with the Celsius scale, which has two defined points (the freezing and boiling point of water at specific conditions) and then separated into 100 intervals, date when measured from an arbitrary epoch (such as AD), percentage such as a percentage return on a stock,[16] location in Cartesian coordinates, and direction measured in degrees from true or magnetic north. Ratios are not meaningful since 20 °C cannot be said to be "twice as hot" as 10 °C, nor can multiplication/division be carried out between any two dates directly. However, ratios of differences can be expressed; for example, one difference can be twice another. Interval type variables are sometimes also called "scaled variables", but the formal mathematical term is an affine space (in this case an affine line).

+

Characteristics: median, percentile & Monotonic increasing (order (<) & totally ordered set

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:seeAlso qudt:NominalScale, + qudt:OrdinalScale, + qudt:RatioScale ; + rdfs:subClassOf qudt:Scale . + +qudt:LogarithmicUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Logarithmic Unit" ; + rdfs:comment "Logarithmic units are abstract mathematical units that can be used to express any quantities (physical or mathematical) that are defined on a logarithmic scale, that is, as being proportional to the value of a logarithm function. Examples of logarithmic units include common units of information and entropy, such as the bit, and the byte, as well as units of relative signal strength magnitude such as the decibel."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:DimensionlessUnit . + +qudt:MathsFunctionType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Maths Function Type" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept . + +qudt:NIST_SP811_Comment a rdfs:Class, + sh:NodeShape ; + rdfs:label "NIST SP~811 Comment" ; + dc:description "National Institute of Standards and Technology (NIST) Special Publication 811 Comments on some quantities and their units" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Comment . + +qudt:NominalScale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Nominal scale" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "A nominal scale differentiates between items or subjects based only on their names or (meta-)categories and other qualitative classifications they belong to; thus dichotomous data involves the construction of classifications as well as the classification of items. Discovery of an exception to a classification can be viewed as progress. Numbers may be used to represent the variables but the numbers do not have numerical value or relationship: For example, a Globally unique identifier. Examples of these classifications include gender, nationality, ethnicity, language, genre, style, biological species, and form. In a university one could also use hall of affiliation as an example."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:seeAlso qudt:IntervalScale, + qudt:OrdinalScale, + qudt:RatioScale ; + rdfs:subClassOf qudt:Scale . + +qudt:OrderedType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Ordered type" ; + dcterms:description "Describes how a data or information structure is ordered." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:Unordered qudt:PartiallyOrdered qudt:TotallyOrdered ) ; + sh:path [ sh:inversePath rdf:type ] ], + qudt:OrderedType-literal . + +qudt:OrdinalScale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Ordinal scale" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "The ordinal type allows for rank order (1st, 2nd, 3rd, etc.) by which data can be sorted, but still does not allow for relative degree of difference between them. Examples include, on one hand, dichotomous data with dichotomous (or dichotomized) values such as 'sick' vs. 'healthy' when measuring health, 'guilty' vs. 'innocent' when making judgments in courts, 'wrong/false' vs. 'right/true' when measuring truth value, and, on the other hand, non-dichotomous data consisting of a spectrum of values, such as 'completely agree', 'mostly agree', 'mostly disagree', 'completely disagree' when measuring opinion."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:seeAlso qudt:IntervalScale, + qudt:NominalScale, + qudt:RatioScale ; + rdfs:subClassOf qudt:Scale ; + sh:property qudt:OrdinalScale-order . + +qudt:Organization a rdfs:Class, + sh:NodeShape ; + rdfs:label "Organization" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Organization-url . + +qudt:PhysicalConstant a rdfs:Class, + sh:NodeShape ; + rdfs:label "Physical Constant" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Physical_constant"^^xsd:anyURI ; + rdfs:comment "A physical constant is a physical quantity that is generally believed to be both universal in nature and constant in time. It can be contrasted with a mathematical constant, which is a fixed numerical value but does not directly involve any physical measurement. There are many physical constants in science, some of the most widely recognized being the speed of light in vacuum c, Newton's gravitational constant G, Planck's constant h, the electric permittivity of free space ε0, and the elementary charge e. Physical constants can take many dimensional forms, or may be dimensionless depending on the system of quantities and units used."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Quantity ; + sh:property qudt:PhysicalConstant-applicableSystem, + qudt:PhysicalConstant-applicableUnit, + qudt:PhysicalConstant-dbpediaMatch, + qudt:PhysicalConstant-exactConstant, + qudt:PhysicalConstant-exactMatch, + qudt:PhysicalConstant-hasDimensionVector, + qudt:PhysicalConstant-informativeReference, + qudt:PhysicalConstant-isoNormativeReference, + qudt:PhysicalConstant-latexDefinition, + qudt:PhysicalConstant-latexSymbol, + qudt:PhysicalConstant-mathMLdefinition, + qudt:PhysicalConstant-normativeReference, + qudt:PhysicalConstant-symbol, + qudt:PhysicalConstant-ucumCode . + +qudt:PlaneAngleUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Plane Angle Unit" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:AngleUnit . + +qudt:Prefix a rdfs:Class, + sh:NodeShape ; + rdfs:label "Prefix" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Verifiable ; + sh:property qudt:Prefix-exactMatch, + qudt:Prefix-latexSymbol, + qudt:Prefix-prefixMultiplier, + qudt:Prefix-symbol, + qudt:Prefix-ucumCode . + +qudt:Quantifiable a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantifiable" ; + rdfs:comment "

Quantifiable ascribes to some thing the capability of being measured, observed, or counted.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:Quantifiable-dataEncoding, + qudt:Quantifiable-dataType, + qudt:Quantifiable-hasUnit, + qudt:Quantifiable-relativeStandardUncertainty, + qudt:Quantifiable-standardUncertainty, + qudt:Quantifiable-unit, + qudt:Quantifiable-value . + +qudt:Quantity a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quantity"^^xsd:anyURI ; + rdfs:comment """

A quantity is the measurement of an observable property of a particular object, event, or physical system. A quantity is always associated with the context of measurement (i.e. the thing measured, the measured value, the accuracy of measurement, etc.) whereas the underlying quantity kind is independent of any particular measurement. Thus, length is a quantity kind while the height of a rocket is a specific quantity of length; its magnitude that may be expressed in meters, feet, inches, etc. Examples of physical quantities include physical constants, such as the speed of light in a vacuum, Planck's constant, the electric permittivity of free space, and the fine structure constant.

+ +

In other words, quantities are quantifiable aspects of the world, such as the duration of a movie, the distance between two points, velocity of a car, the pressure of the atmosphere, and a person's weight; and units are used to describe their numerical measure. + +

Many quantity kinds are related to each other by various physical laws, and as a result, the associated units of some quantity kinds can be expressed as products (or ratios) of powers of other quantity kinds (e.g., momentum is mass times velocity and velocity is defined as distance divided by time). In this way, some quantities can be calculated from other measured quantities using their associations to the quantity kinds in these expressions. These quantity kind relationships are also discussed in dimensional analysis. Those that cannot be so expressed can be regarded as "fundamental" in this sense.

+

A quantity is distinguished from a "quantity kind" in that the former carries a value and the latter is a type specifier.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Quantifiable ; + sh:property qudt:Quantity-hasQuantityKind, + qudt:Quantity-isDeltaQuantity, + qudt:Quantity-quantityValue . + +qudt:QuantityKind a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity Kind" ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=112-01-04"^^xsd:anyURI ; + rdfs:comment "A Quantity Kind is any observable property that can be measured and quantified numerically. Familiar examples include physical properties such as length, mass, time, force, energy, power, electric charge, etc. Less familiar examples include currency, interest rate, price to earning ratio, and information capacity."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:AbstractQuantityKind, + qudt:Verifiable ; + sh:property qudt:QuantityKind-applicableCGSUnit, + qudt:QuantityKind-applicableISOUnit, + qudt:QuantityKind-applicableImperialUnit, + qudt:QuantityKind-applicableSIUnit, + qudt:QuantityKind-applicableUSCustomaryUnit, + qudt:QuantityKind-applicableUnit, + qudt:QuantityKind-baseCGSUnitDimensions, + qudt:QuantityKind-baseISOUnitDimensions, + qudt:QuantityKind-baseImperialUnitDimensions, + qudt:QuantityKind-baseSIUnitDimensions, + qudt:QuantityKind-baseUSCustomaryUnitDimensions, + qudt:QuantityKind-belongsToSystemOfQuantities, + qudt:QuantityKind-dimensionVectorForSI, + qudt:QuantityKind-exactMatch, + qudt:QuantityKind-expression, + qudt:QuantityKind-generalization, + qudt:QuantityKind-hasDimensionVector, + qudt:QuantityKind-latexDefinition, + qudt:QuantityKind-mathMLdefinition, + qudt:QuantityKind-qkdvDenominator, + qudt:QuantityKind-qkdvNumerator . + +qudt:QuantityKindDimensionVector a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity Kind Dimension Vector" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI, + "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; + rdfs:comment """

A Quantity Kind Dimension Vector describes the dimensionality of a quantity kind in the context of a system of units. In the SI system of units, the dimensions of a quantity kind are expressed as a product of the basic physical dimensions mass (\\(M\\)), length (\\(L\\)), time (\\(T\\)) current (\\(I\\)), amount of substance (\\(N\\)), luminous intensity (\\(J\\)) and absolute temperature (\\(\\theta\\)) as \\(dim \\, Q = L^{\\alpha} \\, M^{\\beta} \\, T^{\\gamma} \\, I ^{\\delta} \\, \\theta ^{\\epsilon} \\, N^{\\eta} \\, J ^{\\nu}\\).

+ +

The rational powers of the dimensional exponents, \\(\\alpha, \\, \\beta, \\, \\gamma, \\, \\delta, \\, \\epsilon, \\, \\eta, \\, \\nu\\), are positive, negative, or zero.

+ +

For example, the dimension of the physical quantity kind \\(\\it{speed}\\) is \\(\\boxed{length/time}\\), \\(L/T\\) or \\(LT^{-1}\\), and the dimension of the physical quantity kind force is \\(\\boxed{mass \\times acceleration}\\) or \\(\\boxed{mass \\times (length/time)/time}\\), \\(ML/T^2\\) or \\(MLT^{-2}\\) respectively.

"""^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance, + qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent, + qudt:QuantityKindDimensionVector-dimensionExponentForLength, + qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity, + qudt:QuantityKindDimensionVector-dimensionExponentForMass, + qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature, + qudt:QuantityKindDimensionVector-dimensionExponentForTime, + qudt:QuantityKindDimensionVector-dimensionlessExponent, + qudt:QuantityKindDimensionVector-hasReferenceQuantityKind, + qudt:QuantityKindDimensionVector-latexDefinition, + qudt:QuantityKindDimensionVector-latexSymbol . + +qudt:QuantityKindDimensionVector_CGS a rdfs:Class, + sh:NodeShape ; + rdfs:label "CGS Dimension vector" ; + rdfs:comment "A CGS Dimension Vector is used to specify the dimensions for a C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector . + +qudt:QuantityKindDimensionVector_CGS-EMU a rdfs:Class, + sh:NodeShape ; + rdfs:label "CGS EMU Dimension vector" ; + rdfs:comment "A CGS EMU Dimension Vector is used to specify the dimensions for EMU C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS . + +qudt:QuantityKindDimensionVector_CGS-ESU a rdfs:Class, + sh:NodeShape ; + rdfs:label "CGS ESU Dimension vector" ; + rdfs:comment "A CGS ESU Dimension Vector is used to specify the dimensions for ESU C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS . -s223:AC-100V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-100V-50Hz" . +qudt:QuantityKindDimensionVector_CGS-GAUSS a rdfs:Class, + sh:NodeShape ; + rdfs:label "CGS GAUSS Dimension vector" ; + rdfs:comment "A CGS GAUSS Dimension Vector is used to specify the dimensions for Gaussioan C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS . + +qudt:QuantityKindDimensionVector_CGS-LH a rdfs:Class, + sh:NodeShape ; + rdfs:label "CGS LH Dimension vector" ; + rdfs:comment "A CGS LH Dimension Vector is used to specify the dimensions for Lorentz-Heaviside C.G.S. quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS . + +qudt:QuantityKindDimensionVector_ISO a rdfs:Class, + sh:NodeShape ; + rdfs:label "ISO Dimension vector" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector . + +qudt:QuantityKindDimensionVector_Imperial a rdfs:Class, + sh:NodeShape ; + rdfs:label "Imperial dimension vector" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector . + +qudt:QuantityKindDimensionVector_SI a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity Kind Dimension vector (SI)" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:QuantityKindDimensionVector . + +qudt:QuantityType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity type" ; + dcterms:description "\\(\\textit{Quantity Type}\\) is an enumeration of quanity kinds. It specializes \\(\\boxed{dtype:EnumeratedValue}\\) by constrinaing \\(\\boxed{dtype:value}\\) to instances of \\(\\boxed{qudt:QuantityKind}\\)."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:QuantityType-value . + +qudt:QuantityValue a rdfs:Class, + sh:NodeShape ; + rdfs:label "Quantity value" ; + rdfs:comment "A Quantity Value expresses the magnitude and kind of a quantity and is given by the product of a numerical value n and a unit of measure U. The number multiplying the unit is referred to as the numerical value of the quantity expressed in that unit. Refer to NIST SP 811 section 7 for more on quantity values."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Quantifiable ; + sh:property qudt:QuantityValue-hasUnit, + qudt:QuantityValue-unit . + +qudt:RatioScale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Ratio scale" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; + rdfs:comment "The ratio type takes its name from the fact that measurement is the estimation of the ratio between a magnitude of a continuous quantity and a unit magnitude of the same kind (Michell, 1997, 1999). A ratio scale possesses a meaningful (unique and non-arbitrary) zero value. Most measurement in the physical sciences and engineering is done on ratio scales. Examples include mass, length, duration, plane angle, energy and electric charge. In contrast to interval scales, ratios are now meaningful because having a non-arbitrary zero point makes it meaningful to say, for example, that one object has \"twice the length\" of another (= is \"twice as long\"). Very informally, many ratio scales can be described as specifying \"how much\" of something (i.e. an amount or magnitude) or \"how many\" (a count). The Kelvin temperature scale is a ratio scale because it has a unique, non-arbitrary zero point called absolute zero."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:seeAlso qudt:IntervalScale, + qudt:NominalScale, + qudt:OrdinalScale ; + rdfs:subClassOf qudt:Scale . -s223:AC-120V-240V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-120V-240V-60Hz" . +qudt:Rule a rdfs:Class, + sh:NodeShape ; + rdfs:label "Rule" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Verifiable ; + sh:property qudt:Rule-example, + qudt:Rule-rationale, + qudt:Rule-ruleType . -s223:AC-120V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-120V-60Hz" . +qudt:RuleType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Rule Type" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue . -s223:AC-200V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-200V-50Hz" . +qudt:ScalarDatatype a rdfs:Class, + sh:NodeShape ; + rdfs:label "Scalar Datatype" ; + dcterms:description "Scalar data types are those that have a single value. The permissible values are defined over a domain that may be integers, float, character or boolean. Often a scalar data type is referred to as a primitive data type." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Datatype ; + sh:property qudt:ScalarDatatype-bits, + qudt:ScalarDatatype-bytes, + qudt:ScalarDatatype-length, + qudt:ScalarDatatype-maxExclusive, + qudt:ScalarDatatype-maxInclusive, + qudt:ScalarDatatype-minExclusive, + qudt:ScalarDatatype-minInclusive, + qudt:ScalarDatatype-rdfsDatatype . -s223:AC-208V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-208V-60Hz" . +qudt:Scale a rdfs:Class, + sh:NodeShape ; + rdfs:label "Scale" ; + rdfs:comment "Scales (also called \"scales of measurement\" or \"levels of measurement\") are expressions that typically refer to the theory of scale types."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept ; + sh:property qudt:Scale-dataStructure, + qudt:Scale-permissibleMaths, + qudt:Scale-permissibleTransformation, + qudt:Scale-scaleType . -s223:AC-220V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-220V-50Hz" . +qudt:ScaleType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Scale type" ; + qudt:plainTextDescription "Scales, or scales of measurement (or categorization) provide ways of quantifying measurements, values and other enumerated values according to a normative frame of reference. Four different types of scales are typically used. These are interval, nominal, ordinal and ratio scales." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property qudt:ScaleType-dataStructure, + qudt:ScaleType-permissibleMaths, + qudt:ScaleType-permissibleTransformation . -s223:AC-230V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-230V-50Hz" . +qudt:SignednessType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Signedness type" ; + dcterms:description "Specifics whether a value should be signed or unsigned." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + sh:property [ a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:in ( qudt:SIGNED qudt:UNSIGNED ) ; + sh:path [ sh:inversePath rdf:type ] ] . -s223:AC-240V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-240V-50Hz" . +qudt:SolidAngleUnit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Solid Angle Unit" ; + dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:AngleUnit . -s223:AC-240V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-240V-60Hz" . +qudt:Statement a rdfs:Class, + sh:NodeShape ; + rdfs:label "Statement" ; + rdfs:isDefinedBy ; + rdfs:subClassOf rdf:Statement . -s223:AC-24V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-24V-60Hz" . +qudt:StringEncodingType a rdfs:Class, + sh:NodeShape ; + rdfs:label "String Encoding Type" ; + dcterms:description "A \"Encoding\" with the following instance(s): \"UTF-16 String\", \"UTF-8 Encoding\"." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Encoding . -s223:AC-277V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-277V-60Hz" . +qudt:StructuredDatatype a rdfs:Class, + sh:NodeShape ; + rdfs:label "Structured Data Type" ; + dcterms:description "A \"Structured Datatype\", in contrast to scalar data types, is used to characterize classes of more complex data structures, such as linked or indexed lists, trees, ordered trees, and multi-dimensional file formats." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Datatype ; + sh:property qudt:StructuredDatatype-elementType . -s223:AC-347V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-347V-60Hz" . +qudt:Symbol a rdfs:Class, + sh:NodeShape ; + rdfs:label "Symbol" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept . -s223:AC-380V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-380V-50Hz" . +qudt:SystemOfQuantityKinds a rdfs:Class, + sh:NodeShape ; + rdfs:label "System of Quantity Kinds" ; + rdfs:comment "A system of quantity kinds is a set of one or more quantity kinds together with a set of zero or more algebraic equations that define relationships between quantity kinds in the set. In the physical sciences, the equations relating quantity kinds are typically physical laws and definitional relations, and constants of proportionality. Examples include Newton’s First Law of Motion, Coulomb’s Law, and the definition of velocity as the instantaneous change in position. In almost all cases, the system identifies a subset of base quantity kinds. The base set is chosen so that all other quantity kinds of interest can be derived from the base quantity kinds and the algebraic equations. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind. From a scientific point of view, the division of quantities into base quantities and derived quantities is a matter of convention."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Verifiable ; + sh:property [ ], + qudt:SystemOfQuantityKinds-baseDimensionEnumeration, + qudt:SystemOfQuantityKinds-hasBaseQuantityKind, + qudt:SystemOfQuantityKinds-hasQuantityKind, + qudt:SystemOfQuantityKinds-hasUnitSystem, + qudt:SystemOfQuantityKinds-systemDerivedQuantityKind . -s223:AC-400V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-400V-50Hz" . +qudt:SystemOfUnits a rdfs:Class, + sh:NodeShape ; + rdfs:label "System of Units" ; + qudt:informativeReference "http://dbpedia.org/resource/Category:Systems_of_units"^^xsd:anyURI, + "http://www.ieeeghn.org/wiki/index.php/System_of_Measurement_Units"^^xsd:anyURI ; + rdfs:comment "A system of units is a set of units which are chosen as the reference scales for some set of quantity kinds together with the definitions of each unit. Units may be defined by experimental observation or by proportion to another unit not included in the system. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Concept, + qudt:Verifiable ; + sh:property qudt:SystemOfUnits-applicablePhysicalConstant, + qudt:SystemOfUnits-hasAllowedUnit, + qudt:SystemOfUnits-hasBaseUnit, + qudt:SystemOfUnits-hasCoherentUnit, + qudt:SystemOfUnits-hasDefinedUnit, + qudt:SystemOfUnits-hasDerivedCoherentUnit, + qudt:SystemOfUnits-hasDerivedUnit, + qudt:SystemOfUnits-hasUnit, + qudt:SystemOfUnits-prefix . -s223:AC-415V-50Hz a s223:Electricity-AC ; - rdfs:label "Electricity-415V-50Hz" . +qudt:TransformType a rdfs:Class, + sh:NodeShape ; + rdfs:label "Transform type" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:EnumeratedValue ; + skos:prefLabel "Transform type" . -s223:AC-480V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-480V-60Hz" . +qudt:Unit a rdfs:Class, + sh:NodeShape ; + rdfs:label "Unit" ; + dcterms:description "A unit of measure, or unit, is a particular quantity value that has been chosen as a scale for measuring other quantities the same kind (more generally of equivalent dimension). For example, the meter is a quantity of length that has been rigorously defined and standardized by the BIPM (International Board of Weights and Measures). Any measurement of the length can be expressed as a number multiplied by the unit meter. More formally, the value of a physical quantity Q with respect to a unit (U) is expressed as the scalar multiple of a real number (n) and U, as \\(Q = nU\\)."^^qudt:LatexString ; + qudt:informativeReference "http://dbpedia.org/resource/Category:Units_of_measure"^^xsd:anyURI, + "http://www.allmeasures.com/Fullconversion.asp"^^xsd:anyURI ; + rdfs:isDefinedBy , + ; + rdfs:subClassOf qudt:Concept, + qudt:Narratable, + qudt:Verifiable ; + sh:property qudt:Unit-applicableSystem, + qudt:Unit-conversionMultiplier, + qudt:Unit-conversionOffset, + qudt:Unit-definedUnitOfSystem, + qudt:Unit-derivedCoherentUnitOfSystem, + qudt:Unit-derivedUnitOfSystem, + qudt:Unit-exactMatch, + qudt:Unit-expression, + qudt:Unit-hasDimensionVector, + qudt:Unit-hasQuantityKind, + qudt:Unit-iec61360Code, + qudt:Unit-latexDefinition, + qudt:Unit-latexSymbol, + qudt:Unit-mathMLdefinition, + qudt:Unit-omUnit, + qudt:Unit-prefix, + qudt:Unit-qkdvDenominator, + qudt:Unit-qkdvNumerator, + qudt:Unit-siUnitsExpression, + qudt:Unit-symbol, + qudt:Unit-ucumCode, + qudt:Unit-udunitsCode, + qudt:Unit-uneceCommonCode, + qudt:Unit-unitOfSystem . -s223:AC-575V-60Hz a s223:Electricity-AC ; - rdfs:label "Electricity-575V-60Hz" . +qudt:UserQuantityKind a rdfs:Class, + sh:NodeShape ; + rdfs:label "User Quantity Kind" ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:AbstractQuantityKind ; + sh:property qudt:UserQuantityKind-hasQuantityKind . s223:Actuator a s223:Class, sh:NodeShape ; rdfs:label "Actuator" ; + rdfs:comment "A piece of equipment, either electrically, pneumatically, or hydraulically operated, that makes a change in the physical world, such as the position of a valve or damper." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An instance of Actuator must be associated with any number of actuatable property instances using the relation 'commanded by Property'." ; + sh:property [ rdfs:comment "If the relation actuates is present it must associate the Actuator with a Equipment." ; + sh:class s223:Equipment ; + sh:path s223:actuates ], + [ rdfs:comment "An Actuator must be associated with at least one ActuatableProperty using the relation commandedByProperty." ; sh:class s223:ActuatableProperty ; sh:minCount 1 ; - sh:path s223:commandedByProperty ], - [ sh:class s223:Equipment ; - sh:path s223:actuates ] . + sh:path s223:commandedByProperty ] . s223:AirHandlingUnit a s223:Class, sh:NodeShape ; - rdfs:label "AHU" ; + rdfs:label "Air handling unit" ; + rdfs:comment "An assembly consisting of sections containing a fan or fans and other necessary equipment to perform one or more of the following functions: circulating, filtration, heating, cooling, heat recovery, humidifying, dehumidifying, and mixing of air. It is usually connected to an air-distribution system." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An AirHandlingUnit must provide service using Air." ; - sh:minCount 2 ; + sh:property [ rdfs:comment "An AirHandlingUnit shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An AirHandlingUnit must provide service using Air." ; + [ rdfs:comment "An AirHandlingUnit shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . +s223:BACnetExternalReference a s223:Class, + sh:NodeShape ; + rdfs:label "BACnetExternalReference" ; + rdfs:comment "BACnetExternalReference is a subclass of ExternalReference that contains BACnet protocol parameter values necessary to associate a property with a value." ; + rdfs:subClassOf s223:ExternalReference ; + sh:property [ a sh:PropertyShape ; + rdfs:comment "If the relation device-identifier is present it associates the external reference with a BACnet device having the specific device identifier." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:device-identifier ; + sh:pattern "^[A-Za-z0-9-]+,[1-9][0-9]*$" ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation device-name is present it associates the external reference with a BACnet device having the specific device name." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:device-name ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation object-identifier is present it associates the external reference with the BACnet object having the specific object identifier." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:object-identifier ; + sh:pattern "^[A-Za-z0-9-]+,[1-9][0-9]*$" ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation object-name is present it associates the external reference with the BACnet object having the specific object name." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:object-name ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation priority-for-writing is present it provides the priority for writing values to the object." ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:priority-for-writing ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation property-array-index is present it provides the index for reading items from a property that is an array." ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:property-array-index ], + [ a sh:PropertyShape ; + rdfs:comment "If the relation property-identifier is present it is either a decimal number or exactly equal to the ASHRAE 135-2020 Clause 21 identifier text of BACnetPropertyIdentifier. If it is omitted, it defaults to \"present-value\" except for BACnet File objects, where absence of property-identifier refers to the entire content of the file accessed with Stream Access." ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:minCount 0 ; + sh:path bacnet:property-identifier ] . + s223:Battery a s223:Class, sh:NodeShape ; rdfs:label "Battery" ; + rdfs:comment "A container consisting of one or more cells, in which chemical energy is converted into electricity and used as a source of power." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A Battery may provide Electricity, or both provide and receive Electricity." ; + sh:or ( [ sh:property [ rdfs:comment "A Battery shall have at least one outlet or bidirectional ConnectionPoint using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Battery may provide Electricity, or both provide and receive Electricity." ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Battery shall have at least one outlet or bidirectional ConnectionPoint using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; @@ -126,28 +937,20 @@ s223:Battery a s223:Class, sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] ] ) . -s223:Binary-False a s223:EnumerationKind-Binary ; - rdfs:label "Binary False" . - -s223:Binary-True a s223:EnumerationKind-Binary ; - rdfs:label "Binary True" . - -s223:Binary-Unknown a s223:EnumerationKind-Binary ; - rdfs:label "Binary Unknown" . - s223:Boiler a s223:Class, sh:NodeShape ; rdfs:label "Boiler" ; + rdfs:comment "A closed, pressure vessel that uses fuel or electricity for heating water or other fluids to supply steam or hot water for heating, humidification, or other applications." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Boiler must provide service using Water." ; + sh:property [ rdfs:comment "A Boiler shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Boiler must provide service using Water." ; + [ rdfs:comment "A Boiler shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -156,58 +959,86 @@ s223:Boiler a s223:Class, s223:ChilledBeam a s223:Class, sh:NodeShape ; - rdfs:label "Chilled Beam" ; + rdfs:label "Chilled beam" ; + rdfs:comment "A structure with a colder surface temperature where air passes through, and air movement is induced in the room to achieve cooling. Cooling medium is generally water." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A ChilledBeam must be associated with the Role-Cooling by hasRole" ; + sh:property [ rdfs:comment "A ChilledBeam shall have at least one inlet using the medium Water." ; sh:minCount 1 ; - sh:path s223:hasRole ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Role-Cooling ] ], - [ rdfs:comment "A ChilledBeam must provide service using Water." ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A ChilledBeam must provide service using Water." ; + [ rdfs:comment "A ChilledBeam shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ] . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A ChilledBeam must be associated with the Role-Cooling using the relation hasRole" ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Role-Cooling ] ] . s223:Chiller a s223:Class, sh:NodeShape ; rdfs:label "Chiller" ; + rdfs:comment "A refrigerating machine used to transfer heat from fluids." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Chiller must provide service using Water." ; + sh:property [ rdfs:comment "A Chiller shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Chiller must provide service using Water." ; + [ rdfs:comment "A Chiller shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ] . +s223:ClosedWorldShape a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that all instances of a class use only the properties defined for that class." ; + sh:message "Predicate {?p} is not defined for instance {$this}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?p ?o +WHERE { +$this ?p ?o . +FILTER(STRSTARTS (str(?p), "http://data.ashrae.org/standard223#") || STRSTARTS (str(?p), "http://qudt.org/schema/qudt")) +FILTER NOT EXISTS {$this a sh:NodeShape} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . + ?class sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:xone/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:or/rdf:rest*/rdf:first/sh:property/sh:path ?p . +} +} +""" ] ; + sh:targetClass s223:Concept . + s223:Compressor a s223:Class, sh:NodeShape ; rdfs:label "Compressor" ; + rdfs:comment "A device for mechanically increasing the pressure of a gas." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Compressor must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; + sh:property [ rdfs:comment "A Compressor shall have at least one inlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Compressor must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; + [ rdfs:comment "A Compressor shall have at least one outlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . @@ -221,38 +1052,55 @@ s223:ConcentrationSensor a s223:Class, s223:Controller a s223:Class, sh:NodeShape ; rdfs:label "Controller" ; + rdfs:comment "A device for regulation of a system or component in normal operation, which executes a FunctionBlock." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An instance of Controller can be associated with any number of Function block instances using the relation 'executes'." ; + sh:property [ rdfs:comment "If the relation executes is present it must associate the Controller with a FunctionBlock." ; sh:class s223:FunctionBlock ; - sh:path s223:executes ] . + sh:path s223:executes ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer the hasRole s223:Role-Controller relation for every instance of Controller" ; + sh:object s223:Role-Controller ; + sh:predicate s223:hasRole ; + sh:subject sh:this ] . + +s223:ControllerRoleShape a sh:NodeShape ; + rdfs:comment "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + sh:property [ a sh:PropertyShape ; + sh:hasValue s223:Role-Controller ; + sh:message "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + sh:minCount 1 ; + sh:path s223:hasRole ] ; + sh:targetSubjectsOf s223:executes . s223:CoolingCoil a s223:Class, sh:NodeShape ; rdfs:label "Cooling coil" ; + rdfs:comment "A coil that provides cooling." ; rdfs:subClassOf s223:Coil ; - sh:property [ rdfs:comment "A cooling coil must be related to the role 'HeatExchanger-Cooling' using the relation 'hasRole'." ; - sh:hasValue s223:HeatExchanger-Cooling ; + sh:property [ rdfs:comment "A cooling coil must be related to the role 'Role-Cooling' using the relation 'hasRole'." ; + sh:hasValue s223:Role-Cooling ; sh:minCount 1 ; sh:path s223:hasRole ] ; sh:rule [ a sh:TripleRule ; rdfs:comment "Cooling coils will always have the role Role-Cooling" ; - sh:object s223:HeatExchanger-Cooling ; + sh:object s223:Role-Cooling ; sh:predicate s223:hasRole ; sh:subject sh:this ] . s223:CoolingTower a s223:Class, sh:NodeShape ; rdfs:label "Cooling tower" ; + rdfs:comment "A heat transfer device in which atmospheric air cools warm water, generally by direct contact via evaporation." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A CoolingTower must provide service using Water." ; + sh:property [ rdfs:comment "A CoolingTower shall have at least one inlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A CoolingTower must provide service using Water." ; + [ rdfs:comment "A CoolingTower shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -262,150 +1110,86 @@ s223:CoolingTower a s223:Class, s223:CorrelatedColorTemperatureSensor a s223:Class, sh:NodeShape ; rdfs:label "Correlated color temperature sensor" ; + rdfs:comment "A subclass of LightSensor that observes the color of light." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A CorrelatedColorTemperatureSensor will always observe a Property that has a QuantityKind of ThermodynamicTemperature." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:ThermodynamicTemperature .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . - -s223:DC-12V a s223:Electricity-DC ; - rdfs:label "DC 12V" . - -s223:DC-24V a s223:Electricity-DC ; - rdfs:label "DC 24V" . - -s223:DC-380V a s223:Electricity-DC ; - rdfs:label "DC 380V" . - -s223:DC-48V a s223:Electricity-DC ; - rdfs:label "DC 48V" . - -s223:DC-5V a s223:Electricity-DC ; - rdfs:label "DC 5V" . + sh:property [ rdfs:comment "A CorrelatedColorTemperatureSensor must always observe a Property that has a QuantityKind of ThermodynamicTemperature." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue quantitykind:ThermodynamicTemperature ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:DifferentialSensor a s223:Class, sh:NodeShape ; rdfs:label "Differential sensor" ; + rdfs:comment "A sensor that measures the difference of a quantity between any two points in the system." ; rdfs:subClassOf s223:AbstractSensor ; - sh:property [ rdfs:comment "A Differential Sensor must be defined in terms of the QuantityKind that is being measured" ; + sh:property [ rdfs:comment "A Differential Sensor must be defined in terms of the QuantityKind that is being measured." ; sh:class qudt:QuantityKind ; sh:minCount 1 ; sh:path ( s223:observes qudt:hasQuantityKind ) ], - [ rdfs:comment "Ensure that the values of hasMeasurementLocationHigh and hasMeasurementLocationLow are distinct." ; - sh:path s223:hasMeasurementLocationHigh ; + [ rdfs:comment "A Differential Sensor must have different values for hasObservationLocationHigh and hasObservationLocationLow." ; + sh:path s223:hasObservationLocationHigh ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the values of hasMeasurementLocationHigh and hasMeasurementLocationLow are distinct." ; - sh:message "{$this} cannot have the same value, {?high}, for both hasMeasurementLocationHigh and hasMeasurementLocationLow" ; - sh:prefixes s223: ; + rdfs:comment "Ensure that the values of hasObservationLocationHigh and hasObservationLocationLow are distinct." ; + sh:message "{$this} cannot have the same value, {?high}, for both hasObservationLocationHigh and hasObservationLocationLow" ; + sh:prefixes ; sh:select """ SELECT $this ?high WHERE { - ?this s223:hasMeasurementLocationHigh ?high . - ?this s223:hasMeasurementLocationLow ?low . + $this s223:hasObservationLocationHigh ?high . + $this s223:hasObservationLocationLow ?low . FILTER (?high = ?low) . } """ ] ] ; - sh:xone ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; + sh:xone ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:Connection ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationLow." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationHigh." ; sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocationLow ] ] ), - ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationHigh ] ] ), + ( [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:Connection ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocationHigh ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocationHigh." ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] [ sh:property [ rdfs:comment "A DifferentialSensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocationLow." ; sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocationHigh ] ] ) . - -s223:Direction-Bidirectional a s223:EnumerationKind-Direction ; - rdfs:label "Direction-Bidirectional" ; - rdfs:comment "One of the set of enumeration values for the hasDirection property used to characterize the direction of flow associated with an instance of a ConnectionPoint. The value Bidirectional indicates that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation." . - -s223:Direction-Inlet a s223:EnumerationKind-Direction ; - rdfs:label "Direction-Inlet"@en ; - rdfs:comment "One of the set of enumeration values for the hasDirection property used to characterize the direction of flow associated with an instance of a ConnectionPoint. The value Inlet indicates that the direction of flow is into the Equipment." . + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocationLow ] ] ) . -s223:Direction-Outlet a s223:EnumerationKind-Direction ; - rdfs:label "Direction-Outlet"@en, - "Direction-Sortie"@fr ; - rdfs:comment "One member of the enumerated valid values to characterize the hasDirection property. It is an instance of the Direction class." . - -s223:Domain-ConveyanceSystems a s223:EnumerationKind-Domain ; - rdfs:label "Domain-ConveyanceSystems" ; - rdfs:comment "The domain ConveyanceSystems represents equipment used to move people or things from one place in a building to another. Example equipment that might fall within a ConveyanceSystems domain include elevators, escalators, and conveyer belts." . - -s223:Domain-Electrical a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Electrical" ; - rdfs:comment "The domain Electrical represents equipment used to provide electrical power within a building. Example equipment that might fall within an Electrical domain include breaker panels, switchgear, photovoltaic panels, and generators. " . - -s223:Domain-Fire a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Fire" ; - rdfs:comment "The domain Fire represents equipment used to provide fire detection and protection within a building. Example equipment that might be fall within a Fire domain include smoke detectors, alarm annunciators, and emergency public address systems. " . - -s223:Domain-Lighting a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Lighting" ; - rdfs:comment "The domain Lighting represents equipment used to provide illumination within or outside a building. Example equipment that might fall within a Lighting domain includes luminaires, daylight sensors, and movable sun shades." . - -s223:Domain-Networking a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Networking" ; - rdfs:comment "The domain Networking represents equipment used to provide information technology communication for a building." . - -s223:Domain-Occupancy a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Occupancy" ; - rdfs:comment "The domain Occupancy represents equipment used to determine if people are present in a space or count the number of people in a space." . - -s223:Domain-PhysicalSecurity a s223:EnumerationKind-Domain ; - rdfs:label "Domain-PhysicalSecurity" ; - rdfs:comment "The domain Security represents equipment that provides physical access control within or outside a building. Example equipment that might fall within a PhysicalSecurity domain include cameras, keycard sensors, and biometric scanners." . - -s223:Domain-Plumbing a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Plumbing" ; - rdfs:comment "The domain Plumbing represents equipment used to provide domestic water within or outside a building. Example equipment that might fall within a Plumbing domain includes water meters, domestic hot water tanks, and sinks." . - -s223:Domain-Refrigeration a s223:EnumerationKind-Domain ; - rdfs:label "Domain-Refrigeration" ; - rdfs:comment "The domain Refrigeration represents equipment used to provide cooling for a purpose other than space conditioning in a building." . - -s223:Door a s223:Class, - sh:NodeShape ; - rdfs:label "Door" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Door must have ConnectionPoints with the medium Medium-Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Door must have ConnectionPoints with the medium Medium-Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . +s223:Door a s223:Class, + sh:NodeShape ; + rdfs:label "Door" ; + rdfs:comment "A hinged, sliding, or revolving barrier at the entrance to a building or room." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Door shall have at least two bidirectional connection points using the medium Air." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 2 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . s223:DualDuctTerminal a s223:Class, sh:NodeShape ; - rdfs:label "A dual duct air terminal mixes two independent sources of primary air.", - "Dual duct air terminal." ; + rdfs:label "Dual duct air terminal." ; + rdfs:comment "A dual duct air terminal mixes two independent sources of primary air." ; rdfs:seeAlso s223:TerminalUnit ; rdfs:subClassOf s223:TerminalUnit ; - sh:property [ sh:minCount 3 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A DualDuctTerminal must absorb 2 sources of Air." ; + sh:property [ rdfs:comment "A DualDuctTerminal shall have at least two inlets using the medium Air." ; + sh:minCount 2 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 2 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; @@ -421,52 +1205,22 @@ s223:Duct a s223:Class, s223:DuvSensor a s223:Class, sh:NodeShape ; rdfs:label "Duv sensor" ; + rdfs:comment "A subclass of LightSensor that observes the deviation of the light spectrum from pure blackbody." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A DuvSensor will always observe a Property that has a QuantityKind of Duv." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Duv .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . - -s223:EM-Microwave a s223:Medium-EM ; - rdfs:label "EM-Microwave" . - -s223:EM-RF a s223:Medium-EM ; - rdfs:label "EM-RF" . - -s223:Economizer a s223:Class, - sh:NodeShape ; - rdfs:label "Economizer" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An Economizer must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An Economizer must provide service using Air." ; - sh:path s223:hasConnectionPoint ; + sh:property [ rdfs:comment "A DuvSensor must always observe a Property that has a QuantityKind of Duv." ; + sh:path s223:observes ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . - -s223:Effectiveness-Active a s223:EnumerationKind-Effectiveness ; - rdfs:label "Active" . + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue quantitykind:Duv ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:ElectricBreaker a s223:Class, sh:NodeShape ; rdfs:label "Electric breaker" ; + rdfs:comment "A piece of equipment designed to open the circuit automatically at a predetermined overcurrent without damage to itself (when properly applied within its rating)." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 1 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricBreaker must provide Electricity." ; + sh:property [ rdfs:comment "An ElectricBreaker shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -476,40 +1230,44 @@ s223:ElectricBreaker a s223:Class, s223:ElectricMeter a s223:Class, sh:NodeShape ; rdfs:label "Electric meter" ; + rdfs:comment "A device that measures the properties of electric energy." ; rdfs:subClassOf s223:Equipment . s223:ElectricOutlet a s223:Class, sh:NodeShape ; - rdfs:label "ElectricOutlet" ; + rdfs:label "Electric outlet" ; + rdfs:comment "A device to which a piece of electrical equipment can be connected in order to provide it with electricity" ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricOutlet must provide service using Electricity." ; + sh:property [ rdfs:comment "An ElectricOutlet shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An ElectricOutlet must provide service using Electricity." ; + [ rdfs:comment "An ElectricOutlet shall have exactly one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; + sh:qualifiedMaxCount 1 ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] . s223:ElectricTransformer a s223:Class, sh:NodeShape ; - rdfs:label "Transformer" ; + rdfs:label "Electric transformer" ; + rdfs:comment "A piece of electrical equipment used to convert alternative current (AC) electric power from one voltage to another voltage." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An ElectricTransformer must provide service using Electricity." ; + sh:property [ rdfs:comment "An ElectricTransformer shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An ElectricTransformer must provide service using Electricity." ; + [ rdfs:comment "An ElectricTransformer shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -521,67 +1279,76 @@ s223:ElectricWire a s223:Class, rdfs:label "Electric wire" ; rdfs:comment "An ElectricWire is a subclass of Connection, that represents one or more electrical conductors used to convey electricity." ; rdfs:subClassOf s223:Connection ; - sh:property [ rdfs:comment "An ElectricWire must be associated with one Medium-Electricity using the relation hasMedium" ; + sh:property [ rdfs:comment "If the relation hasElectricalPhase is present it must associate the ElectricWire with an ElectricalPhaseIdentifier or ElectricalVoltagePhases." ; + sh:or ( [ sh:class s223:Aspect-ElectricalPhaseIdentifier ] [ sh:class s223:Aspect-ElectricalVoltagePhases ] ) ; + sh:path s223:hasElectricalPhase ], + [ rdfs:comment "An ElectricWire must be associated with exactly one Medium-Electricity using the relation hasMedium." ; sh:class s223:Medium-Electricity ; sh:maxCount 1 ; sh:minCount 1 ; sh:path s223:hasMedium ] . +s223:EnumeratedActuatableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Enumerated actuatable property" ; + rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can be changed (actuated)." ; + rdfs:subClassOf s223:ActuatableProperty, + s223:EnumerableProperty . + s223:EthernetSwitch a s223:Class, sh:NodeShape ; rdfs:label "Ethernet switch" ; + rdfs:comment "A device that connects wired devices such as computers, laptops, routers, servers, and printers to one another." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "An EthernetSwitch must have at least one bidirectional connection point." ; + sh:property [ rdfs:comment "An EthernetSwitch shall have at least one BidirectionalConnectionPoint using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] . -s223:ExternalSource a s223:Class, - sh:NodeShape ; - rdfs:label "External source" ; - rdfs:subClassOf s223:Concept . - s223:FanCoilUnit a s223:Class, sh:NodeShape ; rdfs:label "Fan coil unit" ; + rdfs:comment "A device consisting of a heat exchanger (coil) and a fan to regulate the temperature of one or more spaces." ; rdfs:subClassOf s223:Equipment ; - sh:or ( sh:property [ sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Coil ] ] sh:property [ sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Coil ] ] ) ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A FanCoilUnit must at least have the role Role-Heating or Role-Cooling." ; + sh:property [ rdfs:comment "A FanCoilUnit must be associated with at least 1 Coil using the relation contains." ; sh:minCount 1 ; - sh:path s223:hasRole ; + sh:path s223:contains ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:in ( s223:Role-Heating s223:Role-Cooling ) ] ], - [ sh:minCount 2 ; + sh:qualifiedValueShape [ sh:class s223:Coil ] ], + [ rdfs:comment "A FanCoilUnit must be associated with at least 1 Fan using the relation contains." ; + sh:minCount 1 ; sh:path s223:contains ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:Fan ] ], - [ rdfs:comment "A FanCoilUnit must provide service using Air." ; + [ rdfs:comment "A FanCoilUnit shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A FanCoilUnit must provide service using Air." ; + [ rdfs:comment "A FanCoilUnit shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A FanCoilUnit must at least have the role Role-Heating or Role-Cooling." ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:in ( s223:Role-Heating s223:Role-Cooling ) ] ] . s223:FanPoweredTerminal a s223:Class, sh:NodeShape ; rdfs:label "Fan Powered Air Terminal" ; rdfs:comment "An air terminal containing a fan. Airflow may pass through or be parallel to the fan. These units may also have supplemental heating or cooling." ; rdfs:subClassOf s223:TerminalUnit ; - sh:property [ rdfs:comment "A FanPoweredTerminal must be associated with at least 1 Fan by contains" ; + sh:property [ rdfs:comment "A FanPoweredTerminal must be associated with at least one Fan by using the relation contains." ; sh:minCount 1 ; sh:path s223:contains ; sh:qualifiedMinCount 1 ; @@ -590,17 +1357,45 @@ s223:FanPoweredTerminal a s223:Class, s223:Filter a s223:Class, sh:NodeShape ; rdfs:label "Filter" ; + rdfs:comment "A device that removes contaminants from gases or liquids." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Filter must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; + sh:property [ rdfs:comment "A Filter shall have at least one inlet ConnectionPoint." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Filter must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; + [ rdfs:comment "A Filter shall have at least one outlet." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ], + [ rdfs:comment "A filter should have one common constituent between the inlet and outlet" ; + sh:path s223:hasConnectionPoint ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the filter inlet and outlet have compatible mediums." ; + sh:message "{$this} with inlet medium {?m2} is incompatible with outlet medium {?m1}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m2 ?m1 +WHERE { +$this s223:cnx ?cp, ?cp2 . +?cp a s223:InletConnectionPoint . +?cp2 a s223:OutletConnectionPoint . +?cp s223:hasMedium ?m1 . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +FILTER (NOT EXISTS { + SELECT $this ?con3 ?m1 ?m2 + WHERE { + ?m1 s223:hasConstituent/s223:ofSubstance ?con3 . + ?m2 s223:hasConstituent/s223:ofSubstance ?con3 . + } +} ) . +} +""" ] ] . s223:FlowSensor a s223:Class, sh:NodeShape ; @@ -611,16 +1406,17 @@ s223:FlowSensor a s223:Class, s223:FumeHood a s223:Class, sh:NodeShape ; rdfs:label "Fume hood" ; + rdfs:comment "A fume-collection device mounted over a work space, table, or shelf and serving to conduct unwanted gases away from an area." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A FumeHood must provide service using Air." ; + sh:property [ rdfs:comment "A FumeHood shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A FumeHood must provide service using Air." ; + [ rdfs:comment "A FumeHood shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -630,89 +1426,52 @@ s223:FumeHood a s223:Class, s223:Furnace a s223:Class, sh:NodeShape ; rdfs:label "Furnace" ; + rdfs:comment "An enclosed chamber or structure in which heat is produced, as by burning fuel or by converting electrical energy. " ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Furnace must provide Air." ; + sh:property [ rdfs:comment "A Furnace shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ sh:path s223:hasConnectionPoint ; + [ rdfs:comment "A Furnace shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . -s223:Gas-SuperHeated a s223:Phase-Gas ; - rdfs:label "Gas-Super heated" . - s223:Generator a s223:Class, sh:NodeShape ; rdfs:label "Generator" ; + rdfs:comment "An energy transducer that transforms non-electric energy into electric energy." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 1 ; + sh:property [ rdfs:comment "A Generator must be associated with at least one ConnectionPoint using the relation hasConnectionPoint." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Generator must provide Electricity." ; + [ rdfs:comment "A Generator shall have at least one outlet using the medium Electricity." ; sh:class s223:OutletConnectionPoint ; sh:minCount 1 ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ; sh:path s223:hasConnectionPoint ] . -s223:HVACOperatingMode-Auto a s223:EnumerationKind-HVACOperatingMode ; - rdfs:label "Auto" . - -s223:HVACOperatingMode-CoolOnly a s223:EnumerationKind-HVACOperatingMode ; - rdfs:label "CoolOnly" . - -s223:HVACOperatingMode-FanOnly a s223:EnumerationKind-HVACOperatingMode ; - rdfs:label "FanOnly" . - -s223:HVACOperatingMode-HeatOnly a s223:EnumerationKind-HVACOperatingMode ; - rdfs:label "HeatOnly" . - -s223:HVACOperatingMode-Off a s223:EnumerationKind-HVACOperatingMode ; - rdfs:label "Off" . - -s223:HVACOperatingStatus-Cooling a s223:EnumerationKind-HVACOperatingStatus ; - rdfs:label "Cooling" . - -s223:HVACOperatingStatus-Dehumidifying a s223:EnumerationKind-HVACOperatingStatus ; - rdfs:label "Dehumidifying" . - -s223:HVACOperatingStatus-Heating a s223:EnumerationKind-HVACOperatingStatus ; - rdfs:label "Heating" . - -s223:HVACOperatingStatus-Off a s223:EnumerationKind-HVACOperatingStatus ; - rdfs:label "Off" . - -s223:HVACOperatingStatus-Ventilating a s223:EnumerationKind-HVACOperatingStatus ; - rdfs:label "Ventilating" . - -s223:HasDomainLookingUpRule a sh:NodeShape ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "Traverse up the contains hierarchy to determine the domain" ; - sh:object [ sh:path ( [ sh:zeroOrMorePath [ sh:inversePath s223:contains ] ] s223:hasDomain ) ] ; - sh:predicate s223:hasDomain ; - sh:subject sh:this ] ; - sh:targetClass s223:DomainSpace, - s223:Zone . - s223:HeatPump a s223:Class, sh:NodeShape ; rdfs:label "HeatPump" ; + rdfs:comment "A device that can heat or cool by transferring thermal energy using a reversible refrigeration cycle." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A HeatPump must provide service using Air." ; + sh:property [ rdfs:comment "A HeatPump shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A HeatPump must provide service using Air." ; + [ rdfs:comment "A HeatPump shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -722,25 +1481,28 @@ s223:HeatPump a s223:Class, s223:HeatingCoil a s223:Class, sh:NodeShape ; rdfs:label "Heating coil" ; + rdfs:comment "A coil that provides heating." ; rdfs:subClassOf s223:Coil ; - sh:property [ rdfs:comment "A heating coil must be related to the role 'HeatExchanger-Heating' using the relation 'hasRole'." ; - sh:hasValue s223:HeatExchanger-Heating ; + sh:property [ rdfs:comment "A heating coil must be related to the role 'Role-Heating' using the relation 'hasRole'." ; + sh:hasValue s223:Role-Heating ; sh:minCount 1 ; sh:path s223:hasRole ] ; sh:rule [ a sh:TripleRule ; rdfs:comment "Heating coils will always have the role Role-Heating" ; - sh:object s223:HeatExchanger-Heating ; + sh:object s223:Role-Heating ; sh:predicate s223:hasRole ; sh:subject sh:this ] . s223:Humidifier a s223:Class, sh:NodeShape ; rdfs:label "Humidifier" ; + rdfs:comment "A piece of equipment to add moisture to a gas such as air." ; rdfs:subClassOf s223:Equipment . s223:Humidistat a s223:Class, sh:NodeShape ; rdfs:label "Humidistat" ; + rdfs:comment "An automatic control device used to maintain humidity at a fixed or adjustable setpoint." ; rdfs:subClassOf s223:Equipment . s223:HumiditySensor a s223:Class, @@ -749,28 +1511,26 @@ s223:HumiditySensor a s223:Class, rdfs:comment "A HumiditySensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a humidity measurement. " ; rdfs:subClassOf s223:Sensor ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A HumiditySensor will always observe a Property that has a QuantityKind of RelativeHumidity." ; + rdfs:comment "A HumiditySensor must always observe a Property that has a QuantityKind of RelativeHumidity." ; sh:construct """ CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:RelativeHumidity .} WHERE { $this s223:observes ?prop . } """ ; - sh:prefixes s223: ] . + sh:prefixes ] . s223:IlluminanceSensor a s223:Class, sh:NodeShape ; rdfs:label "Illuminance sensor" ; + rdfs:comment "A subclass of LightSensor that observes the level of illuminance." ; rdfs:subClassOf s223:LightSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A IlluminanceSensor will always observe a Property that has a QuantityKind of Illuminance." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Illuminance .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An IlluminanceSensor will always observe a Property that has a QuantityKind of Illuminance." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue quantitykind:Illuminance ; + sh:path qudt:hasQuantityKind ] ] ] ] . s223:InversePropertyShape a sh:NodeShape ; sh:rule [ a sh:SPARQLRule ; @@ -784,187 +1544,147 @@ WHERE { ?p s223:inverseOf ?invP . } """ ; - sh:prefixes s223: ] ; + sh:prefixes ] ; sh:targetClass s223:Concept . s223:Inverter a s223:Class, sh:NodeShape ; rdfs:label "Inverter" ; + rdfs:comment "An electric energy converter that changes direct electric current to alternating current." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "An Inverter must provide service using Electricity." ; + sh:property [ rdfs:comment "An Inverter shall have at least one inlet using the medium Electricity-DC." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:node [ sh:property [ sh:class s223:Electricity-DC ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "An Inverter must provide service using Electricity." ; + [ rdfs:comment "An Inverter shall have at least one outlet using the medium Electricity-AC." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:node [ sh:property [ sh:class s223:Electricity-AC ; sh:path s223:hasMedium ] ] ] ] . -s223:Light-Infrared a s223:EM-Light ; - rdfs:label "Light-Infrared" . - -s223:Light-Ultraviolet a s223:EM-Light ; - rdfs:label "Light-Ultraviolet" . - -s223:Light-Visible a s223:EM-Light ; - rdfs:label "Light-Visible" . - -s223:Liquid-SubCooled a s223:Phase-Liquid ; - rdfs:label "Liquid-Sub cooled" . - s223:Luminaire a s223:Class, sh:NodeShape ; rdfs:label "Luminaire" ; + rdfs:comment "A complete lighting unit consisting of a lamp or lamps together with the housing designed to distribute the light, position and protect the lamps, and connect the lamps to the power supply." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Luminaire must absorb Electricity." ; + sh:property [ rdfs:comment "A Luminaire shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Luminaire must provide Light." ; + [ rdfs:comment "A Luminaire shall have at least one outlet using the medium EM-Light." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; + sh:node [ sh:property [ sh:class s223:EM-Light ; sh:path s223:hasMedium ] ] ] ] . -s223:ManualDamper a s223:Class ; - rdfs:label "Manual damper" ; - rdfs:subClassOf s223:Damper . - s223:MeasuredPropertyRule a sh:NodeShape ; - rdfs:comment "Associate the object of hasMeasurementLocation directly with the observed Property." ; - # TODO: what is this suppsoed to do? Does it need a condition? + rdfs:comment "Associate the object of hasObservationLocation directly with the observed Property." ; sh:rule [ a sh:TripleRule ; - rdfs:comment "Associate the object of hasMeasurementLocation directly with the observed Property." ; - sh:condition [ sh:node [ sh:class s223:Property ] ] ; - sh:object [ sh:path ( [ sh:inversePath s223:hasMeasurementLocation ] s223:observes ) ] ; + rdfs:comment "Associate the object of hasObservationLocation directly with the observed Property." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasObservationLocation ] s223:observes ) ] ; sh:predicate s223:hasProperty ; sh:subject sh:this ] ; sh:targetClass s223:Concept . -s223:Medium-Glycol a s223:EnumerationKind-Medium ; - rdfs:label "Medium-Glycol" . - -s223:Modulated-0-10V a s223:Signal-Modulated ; - rdfs:label "Modulated 0-10V" . - -s223:Modulated-4-20mA a s223:Signal-Modulated ; - rdfs:label "Modulated 4-20mA" . - -s223:Motion-False a s223:Occupancy-Motion ; - rdfs:label "Motion-False" . - -s223:Motion-True a s223:Occupancy-Motion ; - rdfs:label "Motion-True" . - -s223:MotorizedDamper a s223:Class ; - rdfs:label "Motorized damper" ; - rdfs:subClassOf s223:Damper . - -s223:MotorizedThreeWayValve a s223:Class, - sh:NodeShape ; - rdfs:label "Motorized three way valve" ; - rdfs:subClassOf s223:MotorizedValve . - -s223:MotorizedTwoWayValve a s223:Class, +s223:Motor a s223:Class, sh:NodeShape ; - rdfs:label "Motorized two way valve" ; - rdfs:subClassOf s223:MotorizedValve . - -s223:Occupancy-Occupied a s223:EnumerationKind-Occupancy ; - rdfs:label "Occupied" . - -s223:Occupancy-Unknown a s223:EnumerationKind-Occupancy ; - rdfs:label "Unknown" . - -s223:Occupancy-Unoccupied a s223:EnumerationKind-Occupancy ; - rdfs:label "Unoccupied" . + rdfs:label "Motor" ; + rdfs:comment "A machine in which power is applied to do work by the conversion of various forms of energy into mechanical force and motion." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Motor shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ] ] . s223:OccupantCounter a s223:Class, sh:NodeShape ; rdfs:label "Occupant counter" ; + rdfs:comment "A subclass of OccupancySensor that counts the population within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantCounter will always observe a Property that has a QuantityKind of Population." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Population . -?prop qudt:unit unit:NUM .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An OccupantCounter must always observe a QuantifiableObservableProperty that has a QuantityKind of Population and a Unit of unit:NUM." ; + sh:class s223:QuantifiableObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:hasValue quantitykind:Population ; + sh:maxCount 1 ; + sh:path qudt:hasQuantityKind ], + [ sh:hasValue unit:NUM ; + sh:maxCount 1 ; + sh:path qudt:hasUnit ] ] ; + sh:path s223:observes ] . s223:OccupantMotionSensor a s223:Class, sh:NodeShape ; rdfs:label "Occupant motion sensor" ; + rdfs:comment "A subclass of OccupancySensor that observes motion within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantMotionSensor will always observe a Property that has an EnumerationKind of Occupancy-Motion." ; - sh:construct """ -CONSTRUCT {?prop s223:hasEnumerationKind s223:Occupancy-Motion .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "An OccupantMotionSensor must always observe an EnumeratedObservableProperty that has an EnumerationKind of Occupancy-Motion." ; + sh:class s223:EnumeratedObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Occupancy-Motion ; + sh:maxCount 1 ; + sh:path s223:hasEnumerationKind ] ] ; + sh:path s223:observes ] . s223:OccupantPresenceSensor a s223:Class, sh:NodeShape ; rdfs:label "Occupant presence sensor" ; + rdfs:comment "A subclass of OccupancySensor that observes presence within its sensing region." ; rdfs:subClassOf s223:OccupancySensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A OccupantPresenceSensor will always observe a Property that has an EnumerationKind of Occupancy-Presence." ; - sh:construct """ -CONSTRUCT {?prop s223:hasEnumerationKind s223:Occupancy-Presence .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . - -s223:OnOff-Off a s223:EnumerationKind-OnOff ; - rdfs:label "Off" . - -s223:OnOff-On a s223:EnumerationKind-OnOff ; - rdfs:label "On" . - -s223:OnOff-Unknown a s223:EnumerationKind-OnOff ; - rdfs:label "Unknown" . - -s223:Particulate-PM1.0 a s223:Substance-Particulate ; - rdfs:label "Particulate-PM1.0" . - -s223:Particulate-PM10.0 a s223:Substance-Particulate ; - rdfs:label "Particulate-PM10.0" . + sh:property [ rdfs:comment "An OccupantPresenceSensor will always observe an EnumeratedObservableProperty that has an EnumerationKind of Occupancy-Presence." ; + sh:class s223:EnumeratedObservableProperty ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Occupancy-Presence ; + sh:maxCount 1 ; + sh:path s223:hasEnumerationKind ] ] ; + sh:path s223:observes ] . -s223:Particulate-PM2.5 a s223:Substance-Particulate ; - rdfs:label "Particulate-PM2.5" . +s223:OutsidePhysicalSpace a s223:Class, + sh:NodeShape ; + rdfs:label "Outside physical space" ; + rdfs:comment "An OutsidePhysicalSpace is a subclass of PhysicalSpace to represent any physical spaces outside of a facility where, for example, ambient properties might be measured (within a suitably defined DomainSpace)." ; + rdfs:subClassOf s223:PhysicalSpace . s223:ParticulateSensor a s223:Class, sh:NodeShape ; rdfs:label "Particulate sensor" ; rdfs:comment "A ParticulateSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a particulate concentration measurement." ; rdfs:subClassOf s223:Sensor ; - sh:property [ rdfs:comment "A ParticulateSensor can be associated with a Substance-Particulate by measuresSubstance" ; + sh:property [ rdfs:comment "If the relation ofSubstance is present it must associate the ParticulateSensor with a Substance-Particulate." ; sh:class s223:Substance-Particulate ; - sh:path s223:measuresSubstance ] . - -s223:Phase-Solid a s223:EnumerationKind-Phase ; - rdfs:label "Phase-Solid" . + sh:path s223:ofSubstance ] . -s223:Phase-Vapor a s223:EnumerationKind-Phase ; - rdfs:label "Phase-Vapor" . +s223:PhotovoltaicModule a s223:Class, + sh:NodeShape ; + rdfs:label "Photovoltaic module" ; + rdfs:comment "A piece of equipment that converts sunlight into electricity." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "An PhotovoltaicModule must have at least one inlet using the medium EM-Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "An PhotovoltaicModule shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ] ] . s223:Pipe a s223:Class, sh:NodeShape ; @@ -972,21 +1692,6 @@ s223:Pipe a s223:Class, rdfs:comment "A Pipe is a subclass of Connection, that represents a hollow cylinder of metal or other material used to convey a Medium." ; rdfs:subClassOf s223:Connection . -s223:PositionStatus-Closed a s223:EnumerationKind-PositionStatus ; - rdfs:label "Closed" . - -s223:PositionStatus-Open a s223:EnumerationKind-PositionStatus ; - rdfs:label "Open" . - -s223:PositionStatus-Unknown a s223:EnumerationKind-PositionStatus ; - rdfs:label "Unknown" . - -s223:Presence-False a s223:Occupancy-Presence ; - rdfs:label "Presence-False" . - -s223:Presence-True a s223:Occupancy-Presence ; - rdfs:label "Presence-True" . - s223:PressureSensor a s223:Class, sh:NodeShape ; rdfs:label "Pressure sensor" ; @@ -996,52 +1701,87 @@ s223:PressureSensor a s223:Class, s223:Pump a s223:Class, sh:NodeShape ; rdfs:label "Pump" ; - rdfs:subClassOf s223:FlowEquipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Pump must provide service using Water." ; + rdfs:comment "A machine for imparting energy to a fluid, drawing a fluid into itself through an entrance port, and forcing the fluid out through an exhaust port." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Pump shall have at least one inlet using the medium Water, Oil or Refrigerant." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Pump must provide service using Water." ; + sh:node [ sh:or ( [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Refrigerant ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Oil ; + sh:path s223:hasMedium ] ] ) ] ] ], + [ rdfs:comment "A Pump shall have at least one outlet using the medium Water, Oil or Refrigerant." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Water ; - sh:path s223:hasMedium ] ] ] ] . + sh:node [ sh:or ( [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Refrigerant ; + sh:path s223:hasMedium ] ] [ sh:property [ sh:class s223:Medium-Oil ; + sh:path s223:hasMedium ] ] ) ] ] ], + [ rdfs:comment "The non-electrical ConnectionPoints of a Pump must have compatible Media." ; + sh:path s223:hasConnectionPoint ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "The non-electrical ConnectionPoints of a Pump must have compatible Media." ; + sh:message "{?cpa} and {?cpb} on the Pump {$this} have incompatible Media {$mediuma} and {$mediumb}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cpa ?cpb ?mediuma ?mediumb +WHERE { + $this s223:hasConnectionPoint ?cpa . + $this s223:hasConnectionPoint ?cpb . + FILTER (?cpa != ?cpb) . + ?cpa s223:hasMedium ?mediuma . + FILTER (NOT EXISTS {?mediuma a/rdfs:subClassOf* s223:Medium-Electricity}) . + ?cpb s223:hasMedium ?mediumb . + FILTER (NOT EXISTS {?mediumb a/rdfs:subClassOf* s223:Medium-Electricity}) . + FILTER (?mediuma != ?mediumb) . + FILTER (NOT EXISTS {?mediumb a/rdfs:subClassOf* ?mediuma}) . + FILTER (NOT EXISTS {?mediuma a/rdfs:subClassOf* ?mediumb}) . +} +""" ] ] . + +s223:QuantifiableActuatableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Quantifiable Actuatable Property" ; + rdfs:comment "This class is for quantifiable properties of which numerical values are specified to be modifiable by a user or a machine outside of the model, like a setpoint." ; + rdfs:subClassOf s223:ActuatableProperty, + s223:QuantifiableProperty . s223:RadiantPanel a s223:Class, sh:NodeShape ; - rdfs:label "RadiantPanel" ; + rdfs:label "Radiant panel" ; + rdfs:comment "A heating or cooling surface that delivers 50% or more of its heat transfer by radiation." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:or ( [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-NaturalGas ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; - sh:minCount 2 ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiant panel shall have at least one inlet using the medium Electricity, NaturalGas, or Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + [ rdfs:comment "A radiant panel shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ] ] ) ; - sh:property [ rdfs:comment "A radiant panel may provide service using electricity, natural gas, or water" ; + sh:property [ rdfs:comment "A radiant panel must hasRole Role-Heating." ; sh:minCount 1 ; sh:path s223:hasRole ; sh:qualifiedMinCount 1 ; @@ -1052,21 +1792,21 @@ s223:Radiator a s223:Class, rdfs:label "Radiator" ; rdfs:comment "A radiator provides heating to a room using electricity, steam or water (e.g., electric baseboard heaters)." ; rdfs:subClassOf s223:Equipment ; - sh:or ( [ sh:property [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; + sh:or ( [ sh:property [ rdfs:comment "A Radiator shall have at least one inlet using the medium Electricity or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; + sh:path s223:hasMedium ] ] ] ] ] [ sh:property [ rdfs:comment "A Radiator shall have at least one inlet using the medium Electricity or Water." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Water ; sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A radiator may provide service using electricity, steam, or water." ; - sh:minCount 2 ; + [ rdfs:comment "A Radiator shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; @@ -1078,100 +1818,149 @@ s223:Radiator a s223:Class, sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:Role-Heating ] ] . -s223:Refrigerant-R-22 a s223:Medium-Refrigerant ; - rdfs:label "Refrigerant-R-22" . - -s223:Refrigerant-R-410A a s223:Medium-Refrigerant ; - rdfs:label "Refrigerant-R-410A" . - -s223:ResistanceHeater a s223:Class, - sh:NodeShape ; - rdfs:label "Electrical Resistance Heater" ; - rdfs:comment "Resistance heaters provide electrical resistance heating, for example an electric heating coil within a Fan Coil Unit." ; - rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "ResistanceHeaters must have the role Role-Heating." ; - sh:minCount 1 ; - sh:path s223:hasRole ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Role-Heating ] ], - [ rdfs:comment "A ResistanceHeater must receive Electricity." ; +s223:RequiredCommentsShape a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Every class of the 223 standard must be a direct or indirect subclass of s223:Concept. " ; + sh:message "Class {$this} must be within the rdfs:subClassOf hierarchy under s223:Concept." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this rdfs:subClassOf* rdf:Property} . +FILTER NOT EXISTS {$this rdfs:subClassOf* s223:Concept} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Every class of the 223 standard must also be an instance of sh:NodeShape. " ; + sh:message "Class {$this} must be declared as an instance of sh:NodeShape." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this a sh:NodeShape} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Every class of the 223 standard must have an rdfs:comment. " ; + sh:message "Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER NOT EXISTS {$this rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any property shape must have an rdfs:comment. " ; + sh:message "The SPARQLConstraint for path {?path} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?path +WHERE { +$this sh:property ?propshape . +?propshape sh:sparql ?sparqlconstraint . +?propshape sh:path ?path . +FILTER NOT EXISTS {?sparqlconstraint rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any property shape must have an rdfs:comment. " ; + sh:message "The property shape with path {?path} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?path +WHERE { +$this sh:property ?propshape . +?propshape sh:path ?path . +FILTER NOT EXISTS {?propshape rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Every Class must have a label. " ; + sh:message "{$this} must have an rdfs:label" ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +FILTER (NOT EXISTS {$this rdfs:label ?something}) . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that every TripleRule must have an rdfs:comment. " ; + sh:message "The TripleRule inferring {?pred} for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this ?pred +WHERE { +$this sh:rule ?rule . +?rule a sh:TripleRule . +?rule sh:predicate ?pred . +FILTER NOT EXISTS {?rule rdfs:comment ?comment} . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that every SPARQLRule must have an rdfs:comment. " ; + sh:message "Every SPARQLRule for Class {$this} must have an rdfs:comment." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +$this sh:rule ?rule . +?rule a sh:SPARQLRule . +FILTER NOT EXISTS {?rule rdfs:comment ?comment} . +} +""" ] ; + sh:targetClass s223:Class . + +s223:ResistanceHeater a s223:Class, + sh:NodeShape ; + rdfs:label "Electrical resistance heater" ; + rdfs:comment "Resistance heaters provide electrical resistance heating, for example an electric heating coil within a Fan Coil Unit." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A ResistanceHeater shall have at least one inlet using the medium Electricity." ; sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ] . - -s223:Role-Condenser a s223:EnumerationKind-Role ; - rdfs:label "Role-Condenser" . - -s223:Role-Discharge a s223:EnumerationKind-Role ; - rdfs:label "Role-Discharge" . - -s223:Role-Economizer a s223:EnumerationKind-Role ; - rdfs:label "Role-Economizer" . - -s223:Role-Evaporator a s223:EnumerationKind-Role ; - rdfs:label "Role-Evaporator" . - -s223:Role-Exhaust a s223:EnumerationKind-Role ; - rdfs:label "Role-Exhaust" . - -s223:Role-Generator a s223:EnumerationKind-Role ; - rdfs:label "Role-Generator" . - -s223:Role-HeatRecovery a s223:EnumerationKind-Role ; - rdfs:label "Heat Recovery" . - -s223:Role-Load a s223:EnumerationKind-Role ; - rdfs:label "Role-Load" . - -s223:Role-Primary a s223:EnumerationKind-Role ; - rdfs:label "Role-Primary" . - -s223:Role-Recirculating a s223:EnumerationKind-Role ; - rdfs:label "Role-Recirculating" . - -s223:Role-Return a s223:EnumerationKind-Role ; - rdfs:label "Role-Return" . - -s223:Role-Secondary a s223:EnumerationKind-Role ; - rdfs:label "Role-Secondary" . - -s223:Role-Supply a s223:EnumerationKind-Role ; - rdfs:label "Role-Supply" . - -s223:RunStatus-Off a s223:EnumerationKind-RunStatus ; - rdfs:label "Off" . - -s223:RunStatus-On a s223:EnumerationKind-RunStatus ; - rdfs:label "On" . - -s223:RunStatus-Unknown a s223:EnumerationKind-RunStatus ; - rdfs:label "Unknown" . - -s223:Signal-EIA485 a s223:Electricity-Signal ; - rdfs:label "Signal EIA485" . - -s223:Signal-Ethernet a s223:Electricity-Signal ; - rdfs:label "Signal Ethernet" . - -s223:Signal-IEC14908 a s223:Electricity-Signal ; - rdfs:label "Signal IEC14908" . - -s223:Signal-USB a s223:Electricity-Signal ; - rdfs:label "Signal USB" . + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "ResistanceHeaters must have the role Role-Heating." ; + sh:minCount 1 ; + sh:path s223:hasRole ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Role-Heating ] ] . -s223:State a s223:Class, +s223:SingleDuctTerminal a s223:Class, sh:NodeShape ; - rdfs:label "State" ; - rdfs:subClassOf s223:Concept . - -s223:Substance-CO a s223:EnumerationKind-Substance ; - rdfs:label "Substance-CO" . + rdfs:label "Single Duct Terminal." ; + rdfs:comment "An air-terminal unit assembly having one ducted air inlet and a damper for regulating the airflow rate." ; + rdfs:subClassOf s223:TerminalUnit ; + sh:property [ rdfs:comment "A SingleDuctTerminal must be associated with at least one Damper using the relation contains." ; + sh:minCount 1 ; + sh:path s223:contains ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Damper ] ] . -s223:Substance-Soot a s223:EnumerationKind-Substance ; - rdfs:label "Substance-Soot" . +s223:SolarThermalCollector a s223:Class, + sh:NodeShape ; + rdfs:label "Solar thermal collector" ; + rdfs:comment "A device that converts sunlight into thermal energy." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A SolarThermalCollector shall have at least one inlet using the medium EM-Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A SolarThermalCollector shall have at least one outlet using the medium Water." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Water ; + sh:path s223:hasMedium ] ] ] ] . s223:SymmetricPropertyShape a sh:NodeShape ; sh:rule [ a sh:SPARQLRule ; @@ -1185,7 +1974,7 @@ WHERE { ?p a s223:SymmetricProperty . } """ ; - sh:prefixes s223: ] ; + sh:prefixes ] ; sh:targetClass s223:Concept . s223:TemperatureSensor a s223:Class, @@ -1193,1938 +1982,68933 @@ s223:TemperatureSensor a s223:Class, rdfs:label "Temp sensor" ; rdfs:comment "A TemperatureSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a temperature measurement." ; rdfs:subClassOf s223:Sensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "A TemperatureSensor will always observe a Property that has a QuantityKind of Temperature." ; - sh:construct """ -CONSTRUCT {?prop qudt:hasQuantityKind qudtqk:Temperature .} -WHERE { - $this s223:observes ?prop . -} -""" ; - sh:prefixes s223: ] . + sh:property [ rdfs:comment "A TemperatureSensor must always observe a Property that has a QuantityKind of Temperature." ; + sh:path s223:observes ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Property ; + sh:node [ sh:property [ sh:hasValue quantitykind:Temperature ; + sh:path qudt:hasQuantityKind ] ] ] ] . + +s223:ThermalEnergyStorageUnit a s223:Class, + sh:NodeShape ; + rdfs:label "A Thermal Energy Storage System" ; + rdfs:comment "A device that stores thermal energy." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Thermal Energy Storage Unit must have at least two connection points." ; + sh:class s223:ConnectionPoint ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ] . s223:Thermostat a s223:Class, sh:NodeShape ; rdfs:label "Thermostat" ; + rdfs:comment "An automatic control device used to maintain temperature at a fixed or adjustable setpoint." ; rdfs:subClassOf s223:Equipment . -s223:ThreeSpeedSetting-High a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "High" . - -s223:ThreeSpeedSetting-Low a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Low" . - -s223:ThreeSpeedSetting-Medium a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Medium" . - -s223:ThreeSpeedSetting-Off a s223:EnumerationKind-ThreeSpeedSetting ; - rdfs:label "Off" . - s223:ThreeWayValve a s223:Class, sh:NodeShape ; rdfs:label "Three way valve" ; - rdfs:subClassOf s223:ManualValve . + rdfs:comment "A Valve that can divert a fluid in one of three directions." ; + rdfs:subClassOf s223:Valve ; + sh:property [ rdfs:comment "A ThreeWayValve must have at least three ConnectionPoints using the relation hasConnectionPoint." ; + sh:minCount 3 ; + sh:path s223:hasConnectionPoint ] . + +s223:Turbine a s223:Class, + sh:NodeShape ; + rdfs:label "Turbine" ; + rdfs:comment "An energy transducer that converts mechanical energy into electric energy." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Turbine must be associated with at least one ConnectionPoint using the relation hasConnectionPoint." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ], + [ rdfs:comment "A Turbine shall have at least one outlet using the medium Electricity." ; + sh:class s223:OutletConnectionPoint ; + sh:minCount 1 ; + sh:node [ sh:property [ sh:class s223:Medium-Electricity ; + sh:path s223:hasMedium ] ] ; + sh:path s223:hasConnectionPoint ] . s223:TwoWayValve a s223:Class, sh:NodeShape ; rdfs:label "Two way valve" ; - rdfs:subClassOf s223:ManualValve . + rdfs:comment "A Valve that can divert a fluid in one of two directions." ; + rdfs:subClassOf s223:Valve ; + sh:property [ rdfs:comment "A TwoWayValve shall have at least one inlet." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], + [ rdfs:comment "A TwoWayValve shall have at least one outlet." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . -s223:VFD a s223:Class, +s223:VariableFrequencyDrive a s223:Class, sh:NodeShape ; - rdfs:label "VFD" ; + rdfs:label "VariableFrequencyDrive" ; + rdfs:comment "An electronic device that varies its output frequency to vary the rotating speed of a motor, given a fixed input frequency. Used with fans or pumps to vary the flow in the system as a function of a maintained pressure." ; rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A VFD must provide service using Electricity." ; + sh:property [ rdfs:comment "If the relation connectedTo is present it must associate the VariableFrequencyDrive with a Equipment." ; + sh:class s223:Equipment ; + sh:path s223:connectedTo ], + [ rdfs:comment "A VariableFrequencyDrive shall have at least one inlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A VFD must provide service using Electricity." ; + sh:path s223:hasMedium ] ] ] ; + sh:severity sh:Warning ], + [ rdfs:comment "A VariableFrequencyDrive shall have at least one outlet using the medium Electricity." ; + sh:minCount 1 ; sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Electricity ; sh:path s223:hasMedium ] ] ] ] . -s223:Water-ChilledWater a s223:Medium-Water ; - rdfs:label "Water-Chilled water" . - -s223:Water-HotWater a s223:Medium-Water ; - rdfs:label "Water-Hot water" . +s223:Window a s223:Class, + sh:NodeShape ; + rdfs:label "Window" ; + rdfs:comment "A daylight opening on a vertical or nearly vertical area of a room envelope." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Window shall have at least one inlet using the medium Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Window shall have at least one outlet using the medium Light." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:EM-Light ; + sh:path s223:hasMedium ] ] ] ] . -s223:Water-Steam a s223:Medium-Water ; - rdfs:label "Steam" . +s223:WindowShade a s223:Class, + sh:NodeShape ; + rdfs:label "Window shade" ; + rdfs:comment "A window covering that can be moved to block out or allow in light. " ; + rdfs:subClassOf s223:Equipment . -s223:Weekday-Friday a s223:DayOfWeek-Weekday ; - rdfs:label "Friday" . +s223:ZoneGroup a s223:Class, + sh:NodeShape ; + rdfs:label "Zone group" ; + rdfs:comment "A ZoneGroup is a logical grouping (collection) of Zones for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone." ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "A ZoneGroup must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ], + [ rdfs:comment "A ZoneGroup must be associated with at least one Zone using the relation hasZone." ; + sh:class s223:Zone ; + sh:minCount 1 ; + sh:path s223:hasZone ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosed Zones to determine the domain." ; + sh:object [ sh:path ( s223:hasZone s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . -s223:Weekday-Monday a s223:DayOfWeek-Weekday ; - rdfs:label "Monday" . +s223:abstract a rdf:Property ; + rdfs:label "abstract" ; + rdfs:comment "If the relation abstract has a value of true, the associated class cannot be instantiated. " ; + rdfs:range xsd:boolean . -s223:Weekday-Thursday a s223:DayOfWeek-Weekday ; - rdfs:label "Thursday" . +s223:hasSetpoint a rdf:Property ; + rdfs:label "has setpoint" ; + rdfs:comment "This relation binds a control setpoint to the quantifiable property indicating the desired value which the control process is trying to maintain." . -s223:Weekday-Tuesday a s223:DayOfWeek-Weekday ; - rdfs:label "Tuesday" . +s223:inverseOf a rdf:Property ; + rdfs:label "inverse of" ; + rdfs:comment "The relation inverseOf is a modeling construct to associate relations that are inverses of one another, such as connectedTo and connectedFrom." . -s223:Weekday-Wednesday a s223:DayOfWeek-Weekday ; - rdfs:label "Wednesday" . +qudt:AbstractQuantityKind-qudt_latexSymbol rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -s223:Weekend-Saturday a s223:DayOfWeek-Weekend ; - rdfs:label "Saturday" . +qudt:AbstractQuantityKind-qudt_symbol rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -s223:Weekend-Sunday a s223:DayOfWeek-Weekend ; - rdfs:label "Sunday" . +qudt:AbstractQuantityKind-skos_broader rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 120.0 . -s223:WindowShade a s223:Class, - sh:NodeShape ; - rdfs:label "WindowShade" ; - rdfs:subClassOf s223:Equipment . +qudt:BigEndian a qudt:EndianType ; + rdfs:label "Big Endian" ; + dtype:literal "big" ; + rdfs:isDefinedBy . -s223:abstract a rdf:Property ; - rdfs:label "abstract" ; - rdfs:range xsd:boolean . +qudt:Citation-qudt_description rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:countConnectedSystemCPs a sh:SPARQLFunction ; - rdfs:comment "Given a SystemConnectionPoint, return the number in the connected set. This is not foolproof yet" ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting SystemConnectionPoint" ; - sh:path s223:scp ] ; - sh:prefixes s223: ; - sh:returnType xsd:integer ; - sh:select """SELECT (COUNT (DISTINCT ?others)AS ?count) +qudt:ClosedWorldShape a sh:NodeShape ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that all instances of a class use only the properties defined for that class." ; + sh:message "Predicate {?p} is not defined for instance {$this}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?p ?o WHERE { -{ -$scp s223:systemConnected+ ?others . -} -UNION -{ -$scp ^s223:systemConnected+ ?others . +$this a/rdfs:subClassOf* qudt:Concept . +$this ?p ?o . +FILTER(STRSTARTS (str(?p), 'http://qudt.org/schema/qudt')) +FILTER NOT EXISTS {$this a sh:NodeShape} +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . + ?class sh:property/sh:path ?p . } -UNION -{ -$scp s223:systemConnected+/^s223:systemConnected+ ?others . +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:xone/rdf:rest*/rdf:first/sh:property/sh:path ?p . } -UNION -{ -$scp ^s223:systemConnected+/s223:systemConnected+ ?others . +FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . +?class sh:or/rdf:rest*/rdf:first/sh:property/sh:path ?p . } } -GROUP BY $scp - """ . +""" ] ; + sh:targetClass qudt:Concept . -s223:hasTemperature a rdf:Property ; - rdfs:label "hasTemperature" ; - rdfs:subPropertyOf s223:hasProperty . +qudt:Concept-dcterms_description rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "dcterms description" ; + sh:order 60.0 . -s223:inverseOf a rdf:Property ; - rdfs:label "inverse of" . - -s223:lnxConnected a sh:SPARQLFunction ; - rdfs:comment "Given two entities (Junctions or ConnectionPoints), return a Junction in the lnx network, if a path exists." ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting entity" ; - sh:path s223:entity1 ], - [ a sh:Parameter ; - sh:description "The ending entity" ; - sh:path s223:entity2 ] ; - sh:prefixes s223: ; - sh:returnType s223:Junction ; - sh:select """SELECT ?others -WHERE { -$entity1 s223:lnx+ $entity2 . -$entity1 s223:lnx+ ?others . -?others a s223:Junction . -FILTER(?others != $entity1) . -FILTER(?others != $entity2) . -} - """ . - -s223:networkCrossesSystemBoundary a sh:SPARQLFunction ; - rdfs:comment "Given a ConnectionPoint, determine if its contiguous lnx network crosses the containing System boundary. This assumes the network is complete." ; - sh:ask """ -ASK { -$arg1 s223:isConnectionPointOf/^s223:contains ?homeSystem . -$arg1 s223:lnx* ?member . -?class rdfs:subClassOf* s223:ConnectionPoint . -?member a ?class . -?member s223:isConnectionPointOf ?dev . -?dev ^s223:contains ?system . -FILTER (?system != ?homeSystem) . -} - """ ; - sh:parameter [ a sh:Parameter ; - sh:description "The starting ConnectionPoint" ; - sh:path s223:arg1 ] ; - sh:prefixes s223: ; - sh:returnType xsd:boolean . +qudt:Concept-qudt_abbreviation rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 18.0 . - rdfs:comment "This graph contains some SPARQLFunction definitions, which are part of SHACL Advanced Features (SHACL AF). Thus, they may not be supported by all SHACL implementations." ; - owl:versionInfo "Created with TopBraid Composer" . +qudt:Concept-qudt_code rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 100.0 . -g36:AirFlowStationAnnotation a sh:NodeShape ; - sh:rule [ a sh:TripleRule ; - sh:condition g36:AirFlowStationRule ; - sh:object g36:AirFlowStation ; - sh:predicate rdf:type ; - sh:subject sh:this ] ; - sh:targetClass s223:Sensor . +qudt:Concept-qudt_description rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "full description" ; + sh:order 60.0 . -g36:BinaryIn a s223:Class, - sh:NodeShape ; - rdfs:label "Binary in" ; - rdfs:subClassOf s223:EnumeratedObservableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An instance of g36:BinaryIn has a value that is a member of the EnumerationKind g36:RunStatus." ; - sh:object g36:RunStatus ; - sh:predicate s223:hasEnumerationKind ; - sh:subject sh:this ] . +qudt:Concept-qudt_guidance rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 60.0 . -g36:BinaryOut a s223:Class, - sh:NodeShape ; - rdfs:label "Binary out" ; - rdfs:subClassOf s223:EnumeratedActuatableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An instance of g36:BinaryOut has a value that is a member of the EnumerationKind g36:RunCommand." ; - sh:object g36:RunCommand ; - sh:predicate s223:hasEnumerationKind ; - sh:subject sh:this ] . +qudt:Concept-qudt_hasRule rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 95.0 . -g36:Damper a s223:Class, - sh:Nodeshape ; - rdfs:label "Damper" ; - rdfs:subClassOf s223:Damper ; - sh:node g36:DamperRule . - -g36:RunCommand-Start a g36:RunCommand ; - rdfs:label "Start" . - -g36:RunCommand-Stop a g36:RunCommand ; - rdfs:label "Stop" . - -g36:RunStatus-Off a g36:RunStatus ; - rdfs:label "Off" . - -g36:RunStatus-On a g36:RunStatus ; - rdfs:label "On" . - -g36:RunStatus-Unknown a g36:RunStatus ; - rdfs:label "Unknown" . - -g36:VAV_4-1 a s223:Class, - sh:NodeShape ; - sh:class g36:VAV ; - rdfs:label "g36 vav 4-1" ; - sh:property [ sh:class s223:DomainSpace ; - sh:minCount 1 ; - sh:node [ sh:property [ sh:class g36:Zone ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:contains ] ] ] ; - sh:path s223:connectedTo ] . - -spin:allProperties a spin:MagicProperty ; - rdfs:label "Find all Properties" ; - spin:body [ a sp:Select ; - sp:resultVariables ( [ sp:varName "value" ] ) ; - sp:where ( [ a sp:TriplePath ; - sp:object s223:hasProperty ; - sp:path [ a sp:ModPath ; - sp:modMax -2 ; - sp:modMin 0 ; - sp:subPath rdfs:subPropertyOf ] ; - sp:subject [ sp:varName "property" ] ] [ sp:object [ sp:varName "value" ] ; - sp:predicate [ sp:varName "property" ] ; - sp:subject spin:_arg1 ] ) ] ; - spin:constraint [ a spl:Argument ; - spl:optional false ; - spl:predicate sp:arg1 ; - rdfs:comment "The resource that has Properties" ] ; - spin:returnType rdfs:Class ; - rdfs:subClassOf spin:MagicProperties . - -s223:Constant a s223:Class, - sh:NodeShape ; - rdfs:label "Constant" ; - rdfs:comment "A constant is a parameter with constant value, used by the function block to produce one or more output (ex. pi)." ; - rdfs:subClassOf s223:Concept, - s223:Parameter ; - sh:property [ rdfs:comment "An instance of Constant can be associated with any number of Property instances using the relation 'uses'." ; - sh:class s223:Property ; - sh:path s223:uses ] . +qudt:Concept-qudt_id rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -s223:Domain-HVAC a s223:EnumerationKind-Domain ; - rdfs:label "Domain-HVAC" ; - rdfs:comment "The domain HVAC represents equipment used to provide space conditioning and ventilation within a building. Example equipment that might fall within an HVAC domain include fans, pumps, air-handling units, and variable air volume boxes. " . +qudt:Concept-qudt_plainTextDescription rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -s223:EnumeratedActuatableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Enumerated actuatable property" ; - rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can be changed (actuated)" ; - rdfs:subClassOf s223:ActuatableProperty, - s223:EnumerableProperty . +qudt:DeprecatedPropertyConstraint a sh:NodeShape ; + rdfs:label "Warning about use of a deprecated QUDT property" ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Warns if a deprecated QUDT property is used" ; + sh:message "Resource, '{$this}' uses the property '{?oldpstr}' which will be deprecated. Please use '{?newpstr}' instead." ; + sh:prefixes ; + sh:select """SELECT $this ?p ?oldpstr ?newpstr +WHERE { +?p qudt:deprecated true . +?p a rdf:Property . +$this ?p ?o . +?p dcterms:isReplacedBy ?newp . +BIND (STR(?newp) AS ?newpstr) +BIND (STR(?p) AS ?oldpstr) +}""" ] ; + sh:targetClass qudt:Concept . -s223:FlowEquipment a s223:Class, - sh:NodeShape ; - rdfs:label "Flow Equipment" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ a sh:PropertyShape ; - rdfs:comment "An instance of Flow Equipment must be associated with any number of ConnectionPoint instances using the relation 'has connection point'." ; - sh:class s223:ConnectionPoint ; - sh:minCount 2 ; - sh:name "Inlet or Outlet point property" ; - sh:path s223:hasConnectionPoint ; - sh:severity sh:Info ] . +qudt:DeprecationConstraint a sh:NodeShape ; + rdfs:label "Warning about use of a deprecated QUDT resource" ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Warns if a deprecated QUDT resource is used" ; + sh:message "Resource, '{?s}' refers to '{?oldqstr}' which has been deprecated. Please refer to '{?newqstr}' instead." ; + sh:prefixes ; + sh:select """SELECT ?s $this ?oldqstr ?newqstr +WHERE { +$this qudt:deprecated true . +?s ?p $this . +FILTER (!STRSTARTS(STR(?s),'http://qudt.org')) . +$this dcterms:isReplacedBy ?newq . +BIND (STR(?newq) AS ?newqstr) +BIND (STR($this) AS ?oldqstr) +}""" ] ; + sh:targetClass qudt:Concept . -s223:FunctionInput a s223:Class, - sh:NodeShape ; - rdfs:label "Input" ; - rdfs:comment "A Function Input is an input to a Function Block. It can be related to a property by s223:uses." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Input must be associated with one Property instance using the relation 'uses'." ; - sh:class s223:Property ; - sh:maxCount 1 ; - sh:message "This Function Input must be associated with exactly one property by s223:uses predicate." ; - sh:minCount 1 ; - sh:path s223:uses ], - [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Input must be associated with exactly one FunctionBlock." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasInput ] ] . +qudt:EnumeratedValue-qudt_description rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:FunctionOutput a s223:Class, - sh:NodeShape ; - rdfs:label "Output" ; - rdfs:comment "A Function Output is an output from a Function Block and represents the action the function block has on the value its Function Input propert(ies). It is related to a property by s223:produces." ; - rdfs:subClassOf s223:Concept ; - sh:property [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Output must be associated with exactly one FunctionBlock." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasOutput ] ], - [ rdfs:comment "An instance of Output must be associated with any number of Property instances using the relation 'produces'." ; - sh:class s223:Property ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:produces ] . +qudt:ExactMatchGoesBothWaysConstraint a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that if A qudt:exactMatch B then B qudt:exactMatch A" ; + sh:message "Missing triple: {$t} qudt:exactMatch {$this} ." ; + sh:prefixes ; + sh:select """ +SELECT $this ?t +WHERE { +$this qudt:exactMatch ?t . +FILTER NOT EXISTS {?t qudt:exactMatch $this } +} +""" ] ; + sh:targetClass qudt:Concept . -s223:HeatExchanger a s223:Class, - sh:NodeShape ; - rdfs:label "Heat exchanger" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 4 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A HeatExchanger must be associated with at least 2 InletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 2 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A HeatExchanger must be associated with at least 2 OutletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 2 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ], - [ rdfs:comment "A HeatExchanger can only have HeatExchanger roles" ; - sh:class s223:Role-HeatExchanger ; - sh:path s223:hasRole ] . +qudt:ISO8601-UTCDateTime-BasicFormat a qudt:DateTimeStringEncodingType ; + rdfs:label "ISO 8601 UTC Date Time - Basic Format" ; + qudt:allowedPattern "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}.[0-9]+Z", + "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}Z" ; + rdfs:isDefinedBy . -s223:Setpoint a s223:Class, - sh:NodeShape ; - rdfs:label "Setpoint" ; - rdfs:subClassOf s223:Property, - qudt:Quantity ; - sh:property [ rdfs:comment "A Setpoint can be associated with a decimal value using the relation hasDeadband" ; - sh:datatype xsd:decimal ; - sh:path s223:hasDeadband ], - [ rdfs:comment "A Setpoint can be assicated with a decimal value using the relation hasValue" ; - sh:datatype xsd:decimal ; - sh:path s223:hasValue ] ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasQuantityKind relationship for a Setpoint if it is unambiguous" ; - sh:construct """ -CONSTRUCT {$this qudt:hasQuantityKind ?qk .} +qudt:InconsistentDimensionVectorInSKOSHierarchyConstraint a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks that a QuantityKind has the same dimension vector as any skos:broader QuantityKind" ; + sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its skos:broader, {$qk} with dimension vector {$qdv}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?udv ?qk ?qdv WHERE { -FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . -$this ^s223:hasSetpoint ?property . -?property qudt:hasQuantityKind ?qk . +$this qudt:hasDimensionVector ?udv . +$this skos:broader* ?qk . +?qk qudt:hasDimensionVector ?qdv . +FILTER (?udv != ?qdv) . } -""" ; - sh:prefixes s223: ] . - -s223:Substance-CO2 a s223:EnumerationKind-Substance ; - rdfs:label "Substance-CO2" . +""" ] ; + sh:targetClass qudt:QuantityKind . -s223:System a s223:Class, - sh:NodeShape ; - rdfs:label "System" ; - rdfs:comment "A System is a logical grouping (collection) of Equipment for some functional or system reason, such as a chilled water system, or HVAC system. A System does not participate in Connections." ; - rdfs:subClassOf s223:Concept ; - sh:property [ a sh:PropertyShape ; - rdfs:comment "A System can be associated with zero or any number of other instances of Equipment or System using the relation hasMember" ; - sh:minCount 0 ; - sh:or ( [ sh:class s223:Equipment ] [ sh:class s223:System ] ) ; - sh:path s223:hasMember ], - [ rdfs:comment "A System can be associated with any number of EnumerationKind-Roles using the relation hasRole" ; - sh:class s223:EnumerationKind-Role ; - sh:path s223:hasRole ], - s223:hasPropertyShape . +qudt:InconsistentUnitAndDimensionVectorConstraint a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks that a Unit and its QuantityKind have the same dimension vector" ; + sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its quantity kind {$qk} with dimension vector {$qdv}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?udv ?qk ?qdv +WHERE { +$this qudt:hasDimensionVector ?udv . +$this qudt:hasQuantityKind ?qk . +?qk qudt:hasDimensionVector ?qdv . +FILTER (?udv != qkdv:NotApplicable) . +FILTER (?qdv != qkdv:NotApplicable) . +FILTER (?udv != ?qdv) . +} +""" ] ; + sh:targetClass qudt:Unit . -s223:Window a s223:Class, - sh:NodeShape ; - rdfs:label "Window" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Window must provide service using Light." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Window must provide service using Light." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Light ; - sh:path s223:hasMedium ] ] ] ] . +qudt:LittleEndian a qudt:EndianType ; + rdfs:label "Little Endian" ; + dtype:literal "little" ; + rdfs:isDefinedBy . -s223:actuates a rdf:Property ; - rdfs:label "actuates" ; - rdfs:comment "The relation actuates binds an Actuator to the Equipment that it actuates. The Equipment will have the ActuatableProperty that commands the actuator (see `s223:commandedByProperty`)." . +qudt:PhysicalConstant-qudt_latexSymbol rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -s223:connectsFrom a rdf:Property ; - rdfs:label "connects from" ; - rdfs:comment "The relation connectsFrom binds a Connectable thing to a Connection with an implied directionality. B connectsFrom A indicates a flow from A to B." . +qudt:PhysicsForums a org:Organization ; + rdfs:label "Physics Forums" ; + qudt:url "http://www.physicsforums.com"^^xsd:anyURI ; + rdfs:isDefinedBy . -s223:connectsTo a rdf:Property ; - rdfs:label "connects to" ; - rdfs:comment "The connectsTo relation binds a specific ConnectionPoint to a Connection; See Figure x.y. The relation connectsTo binds a Connectable thing to a Connection with an implied directionality. A connectsTo B indicates a flow from A to B." . +qudt:Quantifiable-qudt_value a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( [ sh:datatype xsd:float ] [ sh:datatype xsd:double ] [ sh:datatype xsd:integer ] [ sh:datatype xsd:decimal ] ) ; + sh:path qudt:value . -s223:executes a rdf:Property ; - rdfs:label "executes" ; - rdfs:comment "The relation executes is used to specify that a controller (see `s223:Controller`) is responsible for the execution of a function block (see `s223:FunctionBlock`). " . +qudt:Quantity-qudt_description rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:hasAspect a rdf:Property ; - rdfs:label "has aspect" ; - rdfs:comment "hasAspect is used to establish the context of a Property. The value must be an instance of EnumerationKind. For example, if a Property has a Temperature value of 45.3, the hasAspect relation is used to state what that represents, such as a Temperature limit during working hours, etc. A Property can have any number of hasAspect relations, as needed to establish the context." . +qudt:QuantityKind-qudt_applicableCGSUnit rdfs:isDefinedBy ; + sh:deactivated true . -s223:hasConstant a rdf:Property ; - rdfs:label "has constant" ; - rdfs:comment "The relation hasConstant is used to relate a constant (see `s223:Constant`) to a function block (see `s223:FunctionBlock`)." . +qudt:QuantityKind-qudt_applicableSIUnit rdfs:isDefinedBy ; + sh:deactivated true . -s223:hasDeadband a rdf:Property ; - rdfs:label "has deadband" . +qudt:QuantityKind-qudt_applicableUSCustomaryUnit rdfs:isDefinedBy ; + sh:deactivated true . -s223:hasMeasurementResolution a rdf:Property ; - rdfs:label "has measurement resolution" ; - rdfs:comment "The hasMeasurementResolution relation is used to link to a numerical property whose value indicates the smallest recognizable change in engineering units that the sensor can indicate. " . +qudt:QuantityKind-qudt_applicableUnit rdfs:isDefinedBy ; + sh:group qudt:ApplicableUnitsGroup ; + sh:order 10.0 . -s223:hasMember a rdf:Property ; - rdfs:label "has member" . +qudt:QuantityKind-qudt_baseCGSUnitDimensions rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:hasPhase a rdf:Property ; - rdfs:label "has phase" ; - rdfs:comment "The relation hasPhase is used to indicate the intended phase of the Medium inside a Connection." . +qudt:QuantityKind-qudt_baseISOUnitDimensions rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:hasPhysicalLocation a rdf:Property ; - rdfs:label "has Physical Location" ; - rdfs:comment "The relation hasPhysicalLocation is used to indicate the physical space (see `s223:PhysicalSpace`) where a piece of equipment (see `s223:Equipment`) is located." . +qudt:QuantityKind-qudt_baseImperialUnitDimensions rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:hasSetpoint a rdf:Property ; - rdfs:label "has setpoint" ; - rdfs:comment "This relation binds a control setpoint to the quantifiable property indicating the desired value which the control process is trying to maintain." . +qudt:QuantityKind-qudt_baseSIUnitDimensions rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:ofMedium a rdf:Property ; - rdfs:label "of medium" . +qudt:QuantityKind-qudt_baseUSCustomaryUnitDimensions rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -s223:produces a rdf:Property ; - rdfs:label "produces" ; - rdfs:comment "The relation produces is used to relate a function output (see `s223:FunctionOutput`) to a property (see `s223:Property`). This allows one to specify that the value of this property is produced by the function block output, allowing the users of the model to understand that the value of the property is the result of the algorithm defined by the function block. " . +qudt:QuantityKind-qudt_belongsToSystemOfQuantities rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 90.0 . -s223:scp a rdf:Property . +qudt:QuantityKind-qudt_dimensionVectorForSI rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 100.0 . -g36:AirFlowStation a s223:Class, - sh:NodeShape ; - rdfs:label "Air Flow Station" ; - rdfs:subClassOf s223:Sensor ; - sh:node g36:AirFlowStationRule . +qudt:QuantityKind-qudt_expression rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:name "symbol expression" ; + sh:order 10.0 . -g36:AnalogOut a s223:Class, - sh:NodeShape ; - rdfs:label "Analog out" ; - rdfs:subClassOf s223:QuantifiableActuatableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An AnalogOut is a QuantifiableActuatableProperty." ; - sh:object s223:QuantifiableActuatableProperty ; - sh:predicate rdf:type ; - sh:subject sh:this ] . +qudt:QuantityKind-qudt_hasDimensionVector rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 50.0 . -g36:DamperRule a sh:NodeShape ; - sh:class s223:Damper ; - sh:property [ sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogOut ; - sh:property [ sh:hasValue s223:QuantityKind-RelativePosition ; - sh:path qudt:hasQuantityKind ] ] ] . +qudt:QuantityKind-qudt_latexDefinition rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . -g36:EnumerationKind-Position a s223:Class, - g36:EnumerationKind-Position, - sh:NodeShape ; - rdfs:label "For properties related to position" ; - rdfs:comment "Would like to move this to vocab with other property enumeration kinds" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:QuantityKind-qudt_mathMLdefinition rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 70.0 . -g36:VAV a s223:Class, - sh:NodeShape ; - rdfs:label "VAV" ; - rdfs:subClassOf s223:SingleDuctTerminal ; - sh:node g36:VAVRule . +qudt:QuantityKind-qudt_qkdvDenominator rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 61.0 . -g36:VAVRule a sh:NodeShape ; - sh:class s223:SingleDuctTerminal ; - sh:property [ sh:class s223:Damper ; - sh:path s223:contains ], - [ sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:property [ sh:hasValue quantitykind:VolumeFlowRate ; - sh:path qudt:hasQuantityKind ] ] ] . +qudt:QuantityKind-qudt_qkdvNumerator rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 60.0 . -g36:Zone a s223:Class, - sh:Nodeshape ; - rdfs:label "Zone with relevant points" ; - rdfs:subClassOf s223:Zone ; - sh:node g36:ZoneRule . +qudt:QuantityKindDimensionVector_dimensionExponentForElectricCurrent rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList . -g36:ZoneRule a sh:NodeShape ; - sh:class s223:Zone ; - sh:property [ sh:hasValue s223:Domain-HVAC ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - [ rdfs:comment "Zone Temp" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:hasValue quantitykind:Temperature ; - sh:path qudt:hasQuantityKind ] ] ] ], - [ rdfs:comment "Zone CO2" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:hasValue quantitykind:Concentration ; - sh:path qudt:hasQuantityKind ], - [ sh:hasValue s223:Substance-CO2 ; - sh:path s223:ofSubstance ] ] ] ], - [ rdfs:comment "Zone Occupancy" ; - sh:path s223:hasProperty ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class g36:AnalogIn ; - sh:node [ sh:property [ sh:class s223:QuantityKind-Occupancy ; - sh:path qudt:QuantityKind ] ] ] ], - [ rdfs:comment "Window Switch (Should there be an Open/Close Enumeratable property?) " ; - sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:DomainSpace ; - sh:node [ sh:property [ sh:class s223:Window ; - sh:node [ sh:property [ sh:class s223:Sensor ; - sh:path [ sh:inversePath s223:hasMeasurementLocation ] ] ] ; - sh:path s223:connectedTo ] ] ] ] . +qudt:QuantityValue-value rdfs:isDefinedBy ; + sh:or qudt:NumericUnionList . +qudt:Rule-qudt_example rdfs:isDefinedBy ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString . -rdfs:comment a rdf:Property ; - rdfs:label "Description of constraints for s223" ; - rdfs:subPropertyOf rdfs:comment . +qudt:ShortSignedIntegerEncoding a qudt:IntegerEncodingType ; + rdfs:label "Short Signed Integer Encoding" ; + qudt:bytes 2 ; + rdfs:isDefinedBy . -s223:AbstractSensor a s223:Class, - sh:NodeShape ; - rdfs:label "Abstract sensor" ; - s223:abstract true ; - rdfs:comment "This is an abstract class that represents properties that are common to all sensor types." ; - rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "A Sensor can be associated with a QuantifiableProperty by hasMeasurementResolution" ; - sh:class s223:QuantifiableProperty ; - sh:path s223:hasMeasurementResolution ], - [ rdfs:comment "A Sensor can be associated with at most 1 ObservableProperty by observes" ; - sh:class s223:ObservableProperty ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:observes ], - [ sh:name "Test for compatible declared Substances" ; - sh:path s223:measuresSubstance ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the Substance identified by a sensor via the s223:measuresSubstance relation is compatible with the Substance identified by the Property being measured via the s223:ofSubstance relation." ; - sh:message "Sensor {$this} measures substance {?a}, but the measured Property identifies an incompatible substance of {?b} via the s223:ofSubstance relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT DISTINCT $this ?a ?b -WHERE { -$this s223:measuresSubstance ?a . -$this s223:observes/s223:ofSubstance ?b . -?a a/rdfs:subClassOf* s223:EnumerationKind . -?b a/rdfs:subClassOf* s223:EnumerationKind . -FILTER (?a != ?b ) . -FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . -FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . -} -""" ] ] . +qudt:UTF16-StringEncoding a qudt:StringEncodingType ; + rdfs:label "UTF-16 String" ; + rdfs:isDefinedBy . -s223:BidirectionalConnectionPoint a s223:Class, - sh:NodeShape ; - rdfs:label "Bidirectional Connection Point" ; - rdfs:comment "A BidirectionalConnectionPoint is a predefined subclass of ConnectionPoint. Using a BidirectionalConnectionPoint implies that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation (see `s223:Direction-Bidirectional`) or to model energy transfer occurring without specific flow direction." ; - rdfs:subClassOf s223:ConnectionPoint . +qudt:UTF8-StringEncoding a qudt:StringEncodingType ; + rdfs:label "UTF-8 Encoding" ; + qudt:bytes 8 ; + rdfs:isDefinedBy . -s223:EnumerableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Enumerable Property" ; - rdfs:subClassOf s223:Property ; - sh:property [ rdfs:comment "An EnumerableProperty must be associated with one EnumerationKind using the relation hasEnumerationKind" ; - sh:class s223:EnumerationKind ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasEnumerationKind ], - [ rdfs:comment "Checks for valid enumeration value" ; - sh:path s223:hasValue ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} has an enumeration value of {?value} which is not a valid {?kind}." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?value ?kind +qudt:UniqueSymbolTypeRestrictedPropertyConstraint a sh:NodeShape ; + rdfs:label "Unique symbol type restricted property constraint" ; + rdfs:isDefinedBy ; + sh:deactivated true ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks that a resource has a unique symbol within its type hierarchy below qudt:Concept" ; + sh:message "Resource, '{$this}' of type '{?myType}', has non-unique symbol, '{?symbol}', that conflicts with '{?another}' of type '{?anotherType}'" ; + sh:prefixes ; + sh:select """SELECT DISTINCT $this ?symbol ?another ?myType ?anotherType +WHERE {{ + $this qudt:symbol ?symbol . + ?another qudt:symbol ?symbol . + FILTER (?another != $this) + } + $this a ?myType . + ?myType + qudt:Concept . + ?another a ?anotherType . + ?anotherType + qudt:Concept . + FILTER (?myType = ?anotherType) +}""" ] ; + sh:targetClass qudt:Unit . + +qudt:Unit-qudt_applicableSystem rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 62.0 . + +qudt:Unit-qudt_conversionMultiplier rdfs:isDefinedBy ; + sh:group qudt:UnitConversionGroup ; + sh:order 10.0 . + +qudt:Unit-qudt_conversionOffset rdfs:isDefinedBy ; + sh:group qudt:UnitConversionGroup ; + sh:order 20.0 . + +qudt:Unit-qudt_denominatorDimensionVector rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 52.0 . + +qudt:Unit-qudt_expression rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 30.0 . + +qudt:Unit-qudt_hasDimensionVector rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 50.0 . + +qudt:Unit-qudt_hasQuantityKind rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:name "quantity kind" ; + sh:order 40.0 . + +qudt:Unit-qudt_iec61360Code rdfs:label "IEC-61369 code" ; + rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order 40.0 . + +qudt:Unit-qudt_latexDefinition rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . + +qudt:Unit-qudt_latexSymbol rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 60.0 . + +qudt:Unit-qudt_mathMLdefinition rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 70.0 . + +qudt:Unit-qudt_numeratorDimensionVector rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 54.0 . + +qudt:Unit-qudt_omUnit rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order 10.0 . + +qudt:Unit-qudt_siUnitsExpression rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 35.0 . + +qudt:Unit-qudt_symbol rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 40.0 . + +qudt:Unit-qudt_ucumCode rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order 50.0 . + +qudt:Unit-qudt_udunitsCode rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order 55.0 . + +qudt:Unit-qudt_uneceCommonCode rdfs:isDefinedBy ; + sh:group qudt:UnitEquivalencePropertyGroup ; + sh:order 40.0 . + +qudt:Unit-qudt_unitOfSystem rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:order 60.0 . + +qudt:UnitPointsToAllExactMatchQuantityKindsConstraint a sh:NodeShape ; + rdfs:isDefinedBy ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that if a Unit hasQuantityKind A, and A qudt:exactMatch B, then the Unit hasQuantityKind B " ; + sh:message "Missing triple: {$this} qudt:hasQuantityKind {?qk2}, because {?qk} qudt:exactMatch {?qk2}" ; + sh:prefixes ; + sh:select """ +SELECT $this ?qk ?qk2 WHERE { -$this s223:hasValue ?value . -$this s223:hasEnumerationKind ?kind . -FILTER (NOT EXISTS {?value a/rdfs:subClassOf* ?kind}) . +$this qudt:hasQuantityKind ?qk . +?qk qudt:exactMatch ?qk2 . +FILTER NOT EXISTS {$this qudt:hasQuantityKind ?qk2} } -""" ] ] . +""" ] ; + sh:targetClass qudt:Unit . -s223:EnumeratedObservableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Enumerated observable property" ; - rdfs:comment "An EnumeratedActuatableProperty is a property with an enumerated (fixed) set of possible values that can only be observed (not changed)" ; - rdfs:subClassOf s223:EnumerableProperty, - s223:ObservableProperty . +qudt:UnitReferencesPropertyGroup a sh:PropertyGroup ; + rdfs:label "References" ; + rdfs:isDefinedBy ; + sh:order 20.0 . -s223:EnumerationKind-Effectiveness a s223:Class, - s223:EnumerationKind-Effectiveness, - sh:NodeShape ; - rdfs:label "Effectiveness" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:UserQuantityKind-qudt_hasQuantityKind rdfs:isDefinedBy ; + sh:group qudt:PropertiesGroup ; + sh:name "quantity kind" ; + sh:order 40.0 . -s223:Fan a s223:Class, - sh:NodeShape ; - rdfs:label "Fan" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Fan must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Fan must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . +qudt:Verifiable-qudt_dbpediaMatch rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 90.0 . -s223:Junction a s223:Class, - sh:NodeShape ; - rdfs:label "Junction" ; - rdfs:comment "A Junction is used to join two or more Segments together. This might be where a duct splits or joins." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Junction should be associated with at least two Segments using the relation lnx" ; - sh:class s223:Segment ; - sh:message "Junction is missing one or more Segments" ; - sh:minCount 2 ; - sh:path s223:lnx ; - sh:severity sh:Info ] . +qudt:Verifiable-qudt_informativeReference rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 84.0 . -s223:ManualValve a s223:Class, - sh:NodeShape ; - rdfs:label "Manual Valve" ; - rdfs:subClassOf s223:Valve . +qudt:Verifiable-qudt_isoNormativeReference rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 82.0 . -s223:Medium-NaturalGas a s223:Class, - s223:Medium-NaturalGas ; - rdfs:label "Medium-NaturalGas" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +qudt:Verifiable-qudt_normativeReference rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 80.0 . -s223:MotorizedValve a s223:Class, - sh:NodeShape ; - rdfs:label "Motorized Valve" ; - rdfs:subClassOf s223:Valve . +qudt:Wikipedia a qudt:Organization ; + rdfs:label "Wikipedia" ; + rdfs:isDefinedBy . -s223:Parameter a s223:Class, - sh:NodeShape ; - rdfs:label "Parameter" ; - rdfs:comment "A parameter belongs to exactly one Function Block." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Parameter can be associated with any number of Property instances using the relation 'uses'." ; - sh:class s223:Property ; - sh:path s223:uses ], - [ sh:class s223:FunctionBlock ; - sh:maxCount 1 ; - sh:message "This Parameter must be associated with exactly one FunctionBlock." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:hasParameter ] ] . +qudt:acronym a rdf:Property ; + rdfs:label "acronym" ; + rdfs:isDefinedBy . -s223:Phase-Gas a s223:Class, - s223:Phase-Gas, - sh:NodeShape ; - rdfs:label "Phase-Gas" ; - rdfs:subClassOf s223:EnumerationKind-Phase . +qudt:allowedUnitOfSystem a rdf:Property ; + rdfs:label "allowed unit of system" ; + dcterms:description "This property relates a unit of measure with a unit system that does not define the unit, but allows its use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; + dcterms:isReplacedBy qudt:applicableSystem ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:isUnitOfSystem . -s223:Phase-Liquid a s223:Class, - s223:Phase-Liquid, - sh:NodeShape ; - rdfs:label "Phase-Liquid" ; - rdfs:subClassOf s223:EnumerationKind-Phase . +qudt:applicablePlanckUnit a rdf:Property ; + rdfs:label "applicable Planck unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . -s223:PhysicalSpace a s223:Class, - sh:NodeShape ; - rdfs:label "Physical Space" ; - rdfs:comment "A PhysicalSpace is an architectural concept representing a room, a collection of rooms such as a floor, a part of a room, or any physical space that might not even be thought of as a room, such as a patio space or a roof." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A PhysicalSpace can be associated with any number of other PhysicalSpaces using the relation contains" ; - sh:class s223:PhysicalSpace ; - sh:path s223:contains ], - [ rdfs:comment "A PhysicalSpace can be associated with any number of DomainSpaces using the relation encloses" ; - sh:class s223:DomainSpace ; - sh:path s223:encloses ] . +qudt:baseUnitOfSystem a rdf:Property ; + rdfs:label "is base unit of system" ; + dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a base unit for the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:coherentUnitOfSystem . -s223:QuantifiableActuatableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Quantifiable Actuatable Property" ; - rdfs:comment "This class is for quantifiable properties of which numerical values are specified to be modifiable by a user or a machine outside of the model, like a setpoint." ; - rdfs:subClassOf s223:ActuatableProperty, - s223:QuantifiableProperty . +qudt:categorizedAs a rdf:Property ; + rdfs:label "categorized as" ; + rdfs:isDefinedBy . -s223:QuantityKind-Occupancy a s223:Class, - s223:QuantityKind-Occupancy, - qudt:QuantityKind ; - rdfs:label "quantitykind-occupancy" . +qudt:citation a rdf:Property ; + rdfs:label "citation" ; + qudt:plainTextDescription "Used to provide an annotation for an informative reference." ; + rdfs:isDefinedBy . -s223:QuantityKind-RelativePosition a s223:Class, - s223:QuantityKind-RelativePosition, - qudt:QuantityKind ; - rdfs:label "quantitykind-relativeposition" . +qudt:coherentUnitSystem a rdf:Property ; + rdfs:label "coherent unit system" ; + dcterms:description "

A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. In such a coherent system, no numerical factor other than the number 1 ever occurs in the expressions for the derived units in terms of the base units. For example, the \\(newton\\) and the \\(joule\\). These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per (1) second per (1) second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per (1) second per (1) second, and the work done by 1 dyne acting over 1 centimetre. So \\(1\\,newton = 10^5 dyne\\), \\(1 joule = 10^7 erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein.

"^^qudt:LatexString ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Coherence_(units_of_measurement)"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasUnitSystem . -s223:Role-Cooling a s223:EnumerationKind-Role ; - rdfs:label "Role-Cooling" . +qudt:denominatorDimensionVector a rdf:Property ; + rdfs:label "denominator dimension vector" ; + rdfs:isDefinedBy . -s223:SingleDuctTerminal a s223:Class, - sh:NodeShape ; - rdfs:label "A single duct air terminal that contains a damper." ; - rdfs:subClassOf s223:TerminalUnit ; - sh:property [ rdfs:comment "A SingleDuctTerminal must be associated with at least 1 Damper by contains." ; - sh:minCount 1 ; - sh:path s223:contains ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:Damper ] ] . +qudt:derivedNonCoherentUnitOfSystem a rdf:Property ; + rdfs:label "is non-coherent derived unit of system" ; + dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units without proportionality constant of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:derivedUnitOfSystem . -s223:Valve a s223:Class, - sh:NodeShape ; - rdfs:label "Valve" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Valve must be associated with at least 1 InletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ], - [ rdfs:comment "A Valve must be associated with at least 1 OutletConnectionPoint using the relation hasConnectionPoint." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ] . +qudt:derivedQuantityKindOfSystem a rdf:Property ; + rdfs:label "derived quantity kind of system" ; + qudt:deprecated true ; + rdfs:isDefinedBy . -s223:commandedByProperty a rdf:Property ; - rdfs:label "commanded by Property" ; - rdfs:comment "The relation commandedByProperty binds an Actuator to the ActuatableProperty that it responds to. This Property will be owned by the equipment that it actuates (see `s223:actuates`)." . +qudt:dimensionExponent a rdf:Property ; + rdfs:label "dimension exponent" ; + rdfs:isDefinedBy . -s223:connectedThrough a rdf:Property ; - rdfs:label "connected through" . +qudt:dimensionInverse a rdf:Property ; + rdfs:label "dimension inverse" ; + rdfs:isDefinedBy . -s223:encloses a rdf:Property ; - rdfs:label "encloses" ; - rdfs:comment "The relation encloses is used to indicate that a domain space (see: `s223:DomainSpace`) can be found inside a physical space (see `s223:PhysicalSpace`). " . +qudt:elementKind a rdf:Property ; + rdfs:label "element kind" ; + rdfs:isDefinedBy . -s223:hasInput a rdf:Property ; - rdfs:label "has function input" ; - rdfs:comment "The relation hasInput is used to relate a function input (see `s223:FunctionInput`) to a function block (see `s223:FunctionBlock`). " . +qudt:fieldCode a rdf:Property ; + rdfs:label "field code" ; + qudt:plainTextDescription "A field code is a generic property for representing unique codes that make up other identifers. For example each QuantityKind class caries a domain code as its field code." ; + rdfs:isDefinedBy . -s223:hasOutput a rdf:Property ; - rdfs:label "has function output" ; - rdfs:comment "The relation hasOutput is used to relate a function output (see `s223:FunctionOutput`) to a function block (see `s223:FunctionBlock`). " . +qudt:figure a rdf:Property ; + rdfs:label "figure" ; + dcterms:description "Provides a link to an image."^^rdf:HTML ; + rdfs:isDefinedBy . -s223:hasParameter a rdf:Property ; - rdfs:label "has parameter" ; - rdfs:comment "A Parameter (`s223:Parameter`) is associated to a function block (`s223:FunctionBlock`) using the relation hasParameter. " . +qudt:floatPercentage a rdfs:Datatype, + sh:NodeShape ; + rdfs:label "float percentage" ; + rdfs:isDefinedBy ; + rdfs:subClassOf xsd:float ; + owl:equivalentClass [ a rdfs:Datatype ; + owl:onDatatype xsd:float ; + owl:withRestrictions ( [ xsd:minInclusive "0.0"^^xsd:float ] [ xsd:maxInclusive "100.0"^^xsd:float ] ) ] . -s223:ofSubstance a rdf:Property ; - rdfs:label "of substance" . +qudt:hasDenominatorPart a rdf:Property ; + rdfs:label "has quantity kind dimension vector denominator part" ; + rdfs:isDefinedBy . -g36:AirFlowStationRule a sh:NodeShape ; - sh:class s223:Sensor ; - sh:property [ sh:class s223:QuantifiableObservableProperty ; - sh:minCount 1 ; - sh:path s223:observes ], - [ sh:class s223:Medium-Air ; - sh:minCount 1 ; - sh:path s223:measuresSubstance ] . +qudt:hasDerivedNonCoherentUnit a rdf:Property ; + rdfs:label "has coherent derived unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasDerivedUnit . -s223:DayOfWeek-Weekend a s223:Class, - s223:DayOfWeek-Weekend, - sh:NodeShape ; - rdfs:label "Day of week-Weekend", - "Weekend" ; - rdfs:comment "This class defines the EnumerationKind values of Saturday and Sunday" ; - rdfs:subClassOf s223:EnumerationKind-DayOfWeek . +qudt:hasDimension a rdf:Property ; + rdfs:label "has dimension" ; + rdfs:isDefinedBy . -s223:EnumerationKind-DayOfWeek a s223:Class, - s223:EnumerationKind-DayOfWeek, - sh:NodeShape ; - rdfs:label "Day of Week" ; - rdfs:comment "This class has enumerated instances of Monday, Tuesday, Wednesday, Thursday, Friday, Saturday and Sunday. The Weekend and Weekday EnumerationKinds define subsets of this EnumerationKind for Mon-Fri and Sat,Sun, respectively" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:hasDimensionExpression a rdf:Property ; + rdfs:label "dimension expression" ; + rdfs:isDefinedBy . -s223:LightSensor a s223:Class, - sh:NodeShape ; - rdfs:label "Light sensor" ; - rdfs:comment "A LightSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a luminance measurement." ; - rdfs:subClassOf s223:Sensor . +qudt:hasNonCoherentUnit a rdf:Property ; + rdfs:label "has non-coherent unit" ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasDefinedUnit . -s223:Medium-Refrigerant a s223:Class, - s223:Medium-Refrigerant, - sh:NodeShape ; - rdfs:label "Medium-Refrigerant" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +qudt:hasNumeratorPart a rdf:Property ; + rdfs:label "has quantity kind dimension vector numerator part" ; + rdfs:isDefinedBy . -s223:ObservableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Observable Property" ; - rdfs:comment "This class describes non-numeric properties of which real-time value cannot be modified by a user or a machine outside of the model. Sensors reading are typically observable properties as their value naturally fluctuate, but is not meant to be modified by a user." ; - rdfs:subClassOf s223:Property . +qudt:hasPrefixUnit a rdf:Property ; + rdfs:label "prefix unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasDefinedUnit . -s223:Occupancy-Motion a s223:Class, - s223:Occupancy-Motion, - sh:NodeShape ; - rdfs:label "Occupancy Motion" ; - rdfs:subClassOf s223:EnumerationKind-Occupancy . +qudt:hasQuantity a rdf:Property ; + rdfs:label "has quantity" ; + rdfs:isDefinedBy . -s223:Occupancy-Presence a s223:Class, - s223:Occupancy-Presence, +qudt:hasVocabulary a rdf:Property ; + rdfs:label "has vocabulary" ; + qudt:plainTextDescription "Used to relate a class to one or more graphs where vocabularies for the class are defined." ; + rdfs:isDefinedBy . + +qudt:integerPercentage a rdfs:Datatype, sh:NodeShape ; - rdfs:label "Occupancy Presence" ; - rdfs:subClassOf s223:EnumerationKind-Occupancy . + rdfs:label "integer percentage" ; + rdfs:isDefinedBy ; + rdfs:subClassOf xsd:integer ; + owl:equivalentClass [ a rdfs:Datatype ; + rdfs:isDefinedBy ; + owl:onDatatype xsd:integer ; + owl:withRestrictions ( [ xsd:minInclusive 0 ] [ xsd:maxInclusive 100 ] ) ] . -s223:OccupancySensor a s223:Class, - sh:NodeShape ; - rdfs:label "Occupancy sensor" ; - rdfs:comment "An OccuppancySensor is a specialization of a Sensor that observes a Property that represents measurement of occupancy in a space." ; - rdfs:subClassOf s223:Sensor . +qudt:isBaseQuantityKindOfSystem a rdf:Property ; + rdfs:label "is base quantity kind of system" ; + qudt:deprecated true ; + rdfs:isDefinedBy . -s223:QuantifiableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Quantifiable Property" ; - rdfs:comment "This class is for quantifiable values that describe an object (System, Equipment, etc.) that are typically static (hasValue). That is, they are neither measured nor specified in the course of operations." ; - rdfs:subClassOf s223:Property, - qudt:Quantity ; - sh:property [ rdfs:comment "A QuantifiableProperty can be associated with any number of Setpoints using the relation hasSetpoint" ; - sh:class s223:Setpoint ; - sh:path s223:hasSetpoint ], - [ rdfs:comment "A QuantifiableProperty can be associated with a decimal value using the relation hasValue" ; - sh:datatype xsd:decimal ; - sh:path s223:hasValue ], - [ rdfs:comment "A QuantifiableProperty must be associated with at least one quantitykind using the relation hasQuantityKind." ; - sh:minCount 1 ; - sh:path qudt:hasQuantityKind ], - [ rdfs:comment "A QuantifiableProperty should be associated with at least one unit using the relation unit." ; - sh:minCount 1 ; - sh:path qudt:unit ; - sh:severity sh:Info ], - [ rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds" ; - sh:path qudt:hasQuantityKind ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses QuantityKind {?pqk} with DimensionVector {?pdv}, while Setpoint {?setpoint} uses QuantityKind {?sqk} with DimensionVector {?sdv}. These are non-commensurate" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?pqk ?sqk ?pdv ?sdv -WHERE { -$this qudt:hasQuantityKind ?pqk . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:hasQuantityKind ?sqk . -?pqk qudt:hasDimensionVector ?pdv . -?sqk qudt:hasDimensionVector ?sdv . -FILTER (?pqk != ?sqk) . -FILTER (?pdv != ?sdv) . -} -""" ] ], - [ rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units" ; - sh:path qudt:unit ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. These are non-commensurate." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?punit ?sunit -WHERE { -$this qudt:unit ?punit . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:unit ?sunit . -?punit qudt:hasDimensionVector ?pdv . -?sunit qudt:hasDimensionVector ?sdv . -FILTER (?punit != ?sunit) . -FILTER (?pdv != ?sdv) . -} -""" ] ], - [ rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it" ; - sh:path qudt:unit ; - sh:severity sh:Info ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. Be careful." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?setpoint ?punit ?sunit -WHERE { -$this qudt:unit ?punit . -$this s223:hasSetpoint ?setpoint . -?setpoint qudt:unit ?sunit . -?punit qudt:hasDimensionVector ?pdv . -?sunit qudt:hasDimensionVector ?sdv . -FILTER (?punit != ?sunit) . -FILTER (?pdv = ?sdv) . -} -""" ] ] ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasQuantityKind relationship if it is unambiguous" ; - sh:construct """ -CONSTRUCT { -$this qudt:hasQuantityKind ?uniqueqk -} -WHERE { -{ -SELECT $this (COUNT (DISTINCT (?qk)) AS ?count) -WHERE { -FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . -$this qudt:unit/qudt:hasQuantityKind ?qk . -} -GROUP BY $this -} -FILTER (?count = 1) -$this qudt:unit/qudt:hasQuantityKind ?uniqueqk . -} -""" ; - sh:prefixes s223: ] ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Checks for consistent dimension vectors for a QuantityKind and the Unit" ; - sh:message "Inconsistent dimensionalities among the Property's Unit and Property's Quantity Kind" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?count -WHERE { -{ SELECT $this (COUNT (DISTINCT ?qkdv) AS ?count) - WHERE -{ - { - $this qudt:hasQuantityKind/qudt:hasDimensionVector ?qkdv . - } - UNION - { - $this qudt:unit/qudt:hasDimensionVector ?qkdv . - } -} - GROUP BY $this -} -FILTER (?count > 1) . -} -""" ] . +qudt:isDimensionInSystem a rdf:Property ; + rdfs:label "is dimension in system" ; + rdfs:isDefinedBy . -s223:Signal-Modulated a s223:Class, - s223:Signal-Modulated, - sh:NodeShape ; - rdfs:label "Signal-Modulated" ; - rdfs:subClassOf s223:Electricity-Signal . +qudt:isMetricUnit a rdf:Property ; + rdfs:label "is metric unit" ; + rdfs:isDefinedBy . -s223:SymmetricProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Symmetric property" ; - rdfs:comment "Symmetric properties used to associate adjacent entities. See s223:cnx, s223:connected, s223:lnx" ; - rdfs:subClassOf rdf:Property . +qudt:isQuantityKindOf a rdf:Property ; + rdfs:label "is quantity kind of" ; + dcterms:description "`qudt:isQuantityKindOf` was a strict inverse of `qudt:hasQuantityKind` but is now deprecated."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy . -s223:connected a s223:SymmetricProperty, - rdf:Property ; - rdfs:label "connected" ; - rdfs:comment "The relation connected indicates that two connectable things are connected without regard to any directionality of a process flow. " . +qudt:negativeDeltaLimit a rdf:Property ; + rdfs:label "negative delta limit" ; + dcterms:description "A negative change limit between consecutive sample values for a parameter. The Negative Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; + rdfs:isDefinedBy . -s223:hasEnumerationKind a rdf:Property ; - rdfs:label "has enumeration kind" ; - rdfs:comment "The relation hasEnumerationKind associates an EnumerableProperty with a class of enumeration values. This is used to, for example, identify what kind of substance is transported along a Connection or which day of the week a setpoint is active" . +qudt:numeratorDimensionVector a rdf:Property ; + rdfs:label "numerator dimension vector" ; + rdfs:isDefinedBy . -s223:lnx a s223:SymmetricProperty ; - rdfs:label "lnx" ; - rdfs:comment "The lnx property is a symmetric property associating adjacent entities in a Segment-Junction Network." . +qudt:numericValue a rdf:Property ; + rdfs:label "numeric value" ; + rdfs:isDefinedBy . -s223:measuresSubstance a rdf:Property ; - rdfs:label "measures Substance" ; - rdfs:comment "The relation measuresSubstance is used to relate a sensor (see `s223:Sensor`) to a substance (see `s223:EnumerationKind-Substance`). Some sensors measure a specific property inside a medium and this substance can be defined by relating the sensor to it using the relation measuresSubstance (ex. Substance-CO2 in Medium-Air). " . +qudt:onlineReference a rdf:Property ; + rdfs:label "online reference" ; + rdfs:isDefinedBy . -s223:uses a rdf:Property ; - rdfs:label "uses" ; - rdfs:comment "The relation uses is used to relate a function block input (see `s223:FunctionInput`) to a property (see `s223:Property`). This allows one to specify that the value of this property is used by the function block. " . +qudt:outOfScope a rdf:Property ; + rdfs:label "out of scope" ; + rdfs:isDefinedBy . -qudt:unit rdfs:comment "A reference to the unit of measure of a QuantifiableProperty of interest." . +qudt:positiveDeltaLimit a rdf:Property ; + rdfs:label "Positive delta limit" ; + dcterms:description "A positive change limit between consecutive sample values for a parameter. The Positive Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; + rdfs:isDefinedBy . -s223:ActuatableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Actuatable Property" ; - rdfs:comment "This class describes non-numeric properties of which real-time value can be modified by a user or a machine outside of the model." ; - rdfs:subClassOf s223:Property . +qudt:quantity a rdf:Property ; + rdfs:label "quantity" ; + dcterms:description "a property to relate an observable thing with a quantity (qud:Quantity)"^^rdf:HTML ; + rdfs:isDefinedBy . -s223:Coil a s223:Class, - sh:NodeShape ; - rdfs:label "Coil" ; - rdfs:subClassOf s223:HeatExchanger ; - sh:property [ rdfs:comment "A Coil must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Coil must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . +qudt:reference a rdf:Property ; + rdfs:label "reference" ; + rdfs:isDefinedBy . -s223:EM-Light a s223:Class, - s223:EM-Light, - sh:NodeShape ; - rdfs:label "EM-Light" ; - rdfs:subClassOf s223:Medium-EM . +qudt:referenceUnit a rdf:Property ; + rdfs:label "reference unit" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Binary a s223:Class, - s223:EnumerationKind-Binary, - sh:NodeShape ; - rdfs:label "EnumerationKind Binary" ; - rdfs:comment "This class has enumerated instances of True, False and Unknown used to describe the possible values of a binary property" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:relevantQuantityKind a rdf:Property ; + rdfs:label "relevant quantity kind" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Direction a s223:Class, - s223:EnumerationKind-Direction, - sh:NodeShape ; - rdfs:label "Direction" ; - rdfs:comment "This class has enumerated instances of Bidirectional, Inlet and Outlet used to qualify ConnectionPoints." ; - rdfs:subClassOf s223:EnumerationKind . +qudt:relevantUnit a rdf:Property ; + rdfs:label "Relevant Unit" ; + rdfs:comment "This property is used for qudt:Discipline instances to identify the Unit instances that are used within a given discipline." ; + rdfs:isDefinedBy . -s223:EnumerationKind-OnOff a s223:Class, - s223:EnumerationKind-OnOff, - sh:NodeShape ; - rdfs:label "OnOff enumeration" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:specialization a rdf:Property ; + rdfs:label "specialization" ; + dcterms:description "This deprecated property originally related a quantity kind to its specialization(s). For example, linear velocity and angular velocity are both specializations of velocity."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy . -s223:EnumerationKind-PositionStatus a s223:Class, - s223:EnumerationKind-PositionStatus, - sh:NodeShape ; - rdfs:label "Position status" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:systemDefinition a rdf:Property ; + rdfs:label "system definition" ; + rdfs:isDefinedBy . -s223:EnumerationKind-RunStatus a s223:Class, - s223:EnumerationKind-RunStatus, - sh:NodeShape ; - rdfs:label "Run status" ; - rdfs:subClassOf s223:EnumerationKind . +qudt:systemDimension a rdf:Property ; + rdfs:label "system dimension" ; + rdfs:isDefinedBy . -s223:FunctionBlock a s223:Class, - sh:NodeShape ; - rdfs:label "Function block" ; - rdfs:comment "A FunctionBlock is used to model transfer and/or transformation of information (i.e. Property). It has relations to input properties and output properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "An instance of Function block can be associated with any number of Constant instances using the relation 'has constant'." ; - sh:class s223:Constant ; - sh:path s223:hasConstant ], - [ rdfs:comment "An instance of Function block can be associated with any number of Input instances using the relation 'has function input'." ; - sh:class s223:FunctionInput ; - sh:path s223:hasInput ], - [ rdfs:comment "An instance of Function block can be associated with any number of Output instances using the relation 'has function output'." ; - sh:class s223:FunctionOutput ; - sh:path s223:hasOutput ], - [ rdfs:comment "An instance of Function block can be associated with any number of Parameter instances using the relation 'has parameter'." ; - sh:class s223:Parameter ; - sh:path s223:hasParameter ] . +qudt:ucumCaseInsensitiveCode a rdf:Property ; + rdfs:label "ucum case-insensitive code" ; + dcterms:description "ucumCode associates a QUDT unit with a UCUM case-insensitive code."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:ucumCode . -s223:Medium-EM a s223:Class, - s223:Medium-EM, - sh:NodeShape ; - rdfs:label "Electromagnetic Wave" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +qudt:ucumCaseSensitiveCode a rdf:Property ; + rdfs:label "ucum case-sensitive code" ; + dcterms:description "ucumCode associates a QUDT unit with with a UCUM case-sensitive code."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:ucumCode . -s223:QuantifiableObservableProperty a s223:Class, - sh:NodeShape ; - rdfs:label "Quantifiable Observable Property" ; - rdfs:comment "This class is for quantifiable properties of which numerical values cannot be modified by a user or a machine outside of the model, but only observed, like a temperature reading or a voltage measure." ; - rdfs:subClassOf s223:ObservableProperty, - s223:QuantifiableProperty . +qudt:unitFor a rdf:Property ; + rdfs:label "unit for" ; + rdfs:isDefinedBy . -s223:Role-Heating a s223:EnumerationKind-Role ; - rdfs:label "Role-Heating" . +qudt:valueQuantity a rdf:Property ; + rdfs:label "value for quantity" ; + rdfs:isDefinedBy . -s223:TerminalUnit a s223:Class, - sh:NodeShape ; - rdfs:label "An air terminal that modulates the volume of air delivered to a space." ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A TerminalUnit must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A TerminalUnit must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ] . +constant:AlphaParticleElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "Alpha particle-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleElectronMassRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:Zone a s223:Class, - sh:NodeShape ; - rdfs:label "Zone" ; - rdfs:comment "A Zone is a logical grouping (collection) of domain spaces for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone" ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Zone can be associated with any number of other DomainSpaces or Zones using the relation contains" ; - sh:or ( [ sh:class s223:DomainSpace ] [ sh:class s223:Zone ] ) ; - sh:path s223:contains ], - [ rdfs:comment "A Zone must be associated with one EnumerationKind-Domain using the relation hasDomain" ; - sh:class s223:EnumerationKind-Domain ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - s223:hasPropertyShape ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "Traverse down the contains hierarchy to determine the domain" ; - sh:object [ sh:path ( [ sh:zeroOrMorePath s223:contains ] s223:hasDomain ) ] ; - sh:predicate s223:hasDomain ; - sh:subject sh:this ] . +constant:AlphaParticleMass a qudt:PhysicalConstant ; + rdfs:label "Alpha particle mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMass ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:connectedFrom a rdf:Property ; - rdfs:label "connected from" ; - s223:inverseOf s223:connectedTo ; - rdfs:comment "The relation connectedFrom means that connectable things are connected with a specific flow direction. B is connectedFrom A, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedTo (see `s223:connectedTo`)." ; - rdfs:domain s223:Equipment . +constant:AlphaParticleMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "alpha particle mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:connectsAt a rdf:Property ; - rdfs:label "connects at" ; - s223:inverseOf s223:connectsThrough ; - rdfs:comment "The connectsAt relation binds a Connection to a specific ConnectionPoint. See Figure x.y." . +constant:AlphaParticleMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "Alpha particle mass energy equivalent in Me V"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:connectsThrough a rdf:Property ; - rdfs:label "connects through" ; - s223:inverseOf s223:connectsAt ; - rdfs:comment "The relation connectedThrough binds a Connectable thing to a Connection without regard to the direction of flow. It is used to discover what connection links two connectable things." . +constant:AlphaParticleMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "alpha particle mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:hasMeasurementLocationLow a rdf:Property ; - rdfs:label "has measurement location low" ; - rdfs:comment "The relation hasMeasurementLocationLow associates a differential sensor to one of the topological locations where a differential property is measured." ; - rdfs:subPropertyOf s223:hasMeasurementLocation . +constant:AlphaParticleMolarMass a qudt:PhysicalConstant ; + rdfs:label "alpha particle molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleMolarMass ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:hasValue a rdf:Property ; - rdfs:label "hasValue" ; - rdfs:comment "hasValue is used to contain a fixed value that is part of a 223 model, rather than a computed, measured, or externally derived variable." . +constant:AlphaParticleProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "alpha particle-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AlphaParticleProtonMassRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . -g36:AnalogIn a s223:Class, - sh:NodeShape ; - rdfs:label "Analog in" ; - rdfs:subClassOf s223:QuantifiableObservableProperty ; - sh:rule [ a sh:TripleRule ; - rdfs:comment "An AnalogIn is a QuantifiableObervableProperty.", - "Getting validation reports about AnalogIn not being Property or ObservableProperty. Should probably move this rule up." ; - sh:object s223:QuantifiableObservableProperty ; - sh:predicate rdf:type ; - sh:subject sh:this ] . +constant:AngstromStar a qudt:PhysicalConstant ; + rdfs:label "Angstrom star"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AngstromStar ; + rdfs:isDefinedBy . -g36:RunCommand a s223:Class, - g36:RunCommand, - sh:NodeShape ; - rdfs:label "Run command" ; - rdfs:subClassOf s223:EnumerationKind . +constant:AtomicMassConstant a qudt:PhysicalConstant ; + rdfs:label "atomic mass constant"@en ; + dcterms:description "The \"Atomic Mass Constant\" is one twelfth of the mass of an unbound atom of carbon-12 at rest and in its ground state."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_constant"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexSymbol "\\(m_u\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstant ; + rdfs:isDefinedBy . -s223:DomainSpace a s223:Class, - sh:NodeShape ; - rdfs:label "Domain Space" ; - rdfs:comment "A DomainSpace is a member (or component) of a Zone and is associated with a Domain such as Lighting, HVAC, PhysicalSecurity, etc. Physical spaces enclose Domain spaces." ; - rdfs:subClassOf s223:Connectable ; - sh:property [ rdfs:comment "A DomainSpace must be associated with one EnumerationKind-Domain using the relation hasDomain" ; - sh:class s223:EnumerationKind-Domain ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:path s223:hasDomain ], - [ rdfs:comment "This DomainSpace must eventually be enclosed by a PhysicalSpace." ; - sh:message "This DomainSpace must eventually be enclosed by a PhysicalSpace." ; - sh:minCount 1 ; - sh:path [ sh:inversePath s223:encloses ] ; - sh:severity sh:Info ], - s223:hasPropertyShape . +constant:AtomicMassConstantEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "atomic mass constant energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:EnumerationKind-ThreeSpeedSetting a s223:Class, - s223:EnumerationKind-ThreeSpeedSetting, - sh:NodeShape ; - rdfs:label "Three speed setting" ; - rdfs:subClassOf s223:EnumerationKind . +constant:AtomicMassConstantEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "atomic mass constant energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:Segment a s223:Class, - sh:NodeShape ; - rdfs:label "Segment" ; - rdfs:comment "When necessary, a Connection may be subdivided into a network of Segments, joined at Junctions. This can be useful for identifying a duct segment of a duct before a split, for example." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Segment must be associated with two Junctions or ConnectionPoints using the relation lnx" ; - sh:maxCount 2 ; - sh:message "Segment is missing one or both endpoints (Junction or ConnectionPoint)" ; - sh:minCount 2 ; - sh:or ( [ sh:class s223:Junction ] [ sh:class s223:ConnectionPoint ] ) ; - sh:path s223:lnx ; - sh:qualifiedMaxCount 1 ; - sh:qualifiedValueShape [ sh:class s223:ConnectionPoint ] ; - sh:severity sh:Warning ] . +constant:AtomicMassUnitElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:Substance-Particulate a s223:Class, - s223:Substance-Particulate, - sh:NodeShape ; - rdfs:label "Particulate" ; - rdfs:subClassOf s223:EnumerationKind-Substance . +constant:AtomicMassUnitHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitHartreeRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:hasMeasurementLocationHigh a rdf:Property ; - rdfs:label "has measurement location high" ; - rdfs:comment "The relation hasMeasurementLocationHigh associates a differential sensor to one of the topological locations where a differential property is measured." ; - rdfs:subPropertyOf s223:hasMeasurementLocation . +constant:AtomicMassUnitHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitHertzRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:isConnectionPointOf a rdf:Property ; - rdfs:label "is connection point of" ; - s223:inverseOf s223:hasConnectionPoint ; - rdfs:comment "The relation isConnectionPointOf is part of a pair of relations that bind a ConnectionPoint to a Connectable thing. It is the inverse of the relation hasConnectionPoint (see `s223:hasConnectionPoint`)." . +constant:AtomicMassUnitInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitInverseMeterRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . -g36:RunStatus a s223:Class, - g36:RunStatus, - sh:NodeShape ; - rdfs:label "Run status" ; - rdfs:subClassOf s223:EnumerationKind . +constant:AtomicMassUnitJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitJouleRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . -s223:Damper a s223:Class, - sh:NodeShape ; - rdfs:label "Damper" ; - rdfs:subClassOf s223:Equipment ; - sh:property [ sh:minCount 2 ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A Damper must provide service using Air." ; - sh:path s223:hasConnectionPoint ; - sh:qualifiedMinCount 1 ; - sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; - sh:node [ sh:property [ sh:class s223:Medium-Air ; - sh:path s223:hasMedium ] ] ] ], - [ rdfs:comment "A Damper must provide service using Air." ; - sh:path s223:hasConnectionPoint ; +constant:AtomicMassUnitKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitKelvinRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicMassUnitKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "atomic mass unit-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicMassUnitKilogramRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOf1stHyperpolarizablity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of 1st hyperpolarizablity"@en ; + qudt:hasQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOf1stHyperpolarizability ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOf2ndHyperpolarizablity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of 2nd hyperpolarizablity"@en ; + qudt:hasQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOf2ndHyperpolarizability ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfAction a qudt:PhysicalConstant ; + rdfs:label "atomic unit of action"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfAction ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfChargeDensity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of charge density"@en ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfChargeDensity ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfCurrent a qudt:PhysicalConstant ; + rdfs:label "atomic unit of current"@en ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfCurrent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricDipoleMoment a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric dipole mom."@en ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricDipoleMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricField a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric field"@en ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricField ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricFieldGradient a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric field gradient"@en ; + qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricFieldGradient ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricPolarizablity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric polarizablity"@en ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricPolarizability ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricPotential a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric potential"@en ; + qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricPotential ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfElectricQuadrupoleMoment a qudt:PhysicalConstant ; + rdfs:label "atomic unit of electric quadrupole moment"@en ; + qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfElectricQuadrupoleMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfEnergy a qudt:PhysicalConstant ; + rdfs:label "atomic unit of energy"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfEnergy ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfForce a qudt:PhysicalConstant ; + rdfs:label "atomic unit of force"@en ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfForce ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfLength a qudt:PhysicalConstant ; + rdfs:label "atomic unit of length"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfLength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfMagneticDipoleMoment a qudt:PhysicalConstant ; + rdfs:label "atomic unit of magnetic dipole moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagneticDipoleMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfMagneticFluxDensity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of magnetic flux density"@en ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagneticFluxDensity ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfMagnetizability a qudt:PhysicalConstant ; + rdfs:label "atomic unit of magnetizability"@en ; + qudt:hasQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMagnetizability ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfMass a qudt:PhysicalConstant ; + rdfs:label "atomic unit of mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMass ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfMomentum a qudt:PhysicalConstant ; + rdfs:label "atomic unit of momentum"@en ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfMomentum ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfPermittivity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of permittivity"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfPermittivity ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfTime a qudt:PhysicalConstant ; + rdfs:label "atomic unit of time"@en ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfTime ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AtomicUnitOfVelocity a qudt:PhysicalConstant ; + rdfs:label "atomic unit of velocity"@en ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfVelocity ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:AvogadroConstant a qudt:PhysicalConstant ; + rdfs:label "Avogadro constant"@en ; + dcterms:description "In chemistry and physics, the \"Avogadro Constant\" is defined as the ratio of the number of constituent particles N in a sample to the amount of substance n through the relationship NA = N/n. Thus, it is the proportionality factor that relates the molar mass of an entity, i.e. , the mass per amount of substance, to the mass of said entity."^^rdf:HTML ; + qudt:abbreviation "mole^{-1}" ; + qudt:applicableUnit unit:PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Avogadro_constant"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Avogadro_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{N}{n}\\), where \\(N\\) is the number of particles and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:latexSymbol "\\(L, N_A\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AvogadroConstant ; + rdfs:isDefinedBy . + +constant:BohrMagneton a qudt:PhysicalConstant ; + rdfs:label "Bohr Magneton"@en ; + dcterms:description "The \"Bohr Magneton\" is a physical constant and the natural unit for expressing an electron magnetic dipole moment."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_magneton"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_magneton"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_B = \\frac{e\\hbar}{2m_e}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_e\\) is the rest mass of electron."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagneton ; + rdfs:isDefinedBy . + +constant:BohrMagnetonInEVPerT a qudt:PhysicalConstant ; + rdfs:label "Bohr magneton in eV per T"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInEVPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BohrMagnetonInHzPerT a qudt:PhysicalConstant ; + rdfs:label "Bohr magneton in Hz perT"@en ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInHzPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BohrMagnetonInInverseMetersPerTesla a qudt:PhysicalConstant ; + rdfs:label "Bohr magneton in inverse meters per tesla"@en ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInInverseMetersPerTesla ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BohrMagnetonInKPerT a qudt:PhysicalConstant ; + rdfs:label "Bohr magneton in K per T"@en ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrMagnetonInKPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BohrRadius a qudt:PhysicalConstant ; + rdfs:label "Bohr Radius"@en ; + dcterms:description "The Bohr radius is a physical constant, approximately equal to the most probable distance between the proton and electron in a hydrogen atom in its ground state. It is named after Niels Bohr, due to its role in the Bohr model of an atom. The precise definition of the Bohr radius is: where: is the permittivity of free space is the reduced Planck's constant is the electron rest mass is the elementary charge is the speed of light in vacuum is the fine structure constant. [Wikipedia]"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:applicableUnit unit:M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_radius"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_radius"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_0 = \\frac{4\\pi \\varepsilon_0 \\hbar^2}{m_ee^2}\\), where \\(\\varepsilon_0\\) is the electric constant, \\(\\hbar\\) is the reduced Planck constant, \\(m_e\\) is the rest mass of electron, and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(a_0\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BohrRadius ; + rdfs:isDefinedBy . + +constant:BoltzmannConstant a qudt:PhysicalConstant ; + rdfs:label "Boltzmann Constant"@en ; + dcterms:description "The Boltzmann Constant (\\(k\\) or \\(kB\\)) is the physical constant relating energy at the individual particle level with temperature, which must necessarily be observed at the collective or bulk level. It is the gas constant \\(R\\) divided by the Avogadro constant \\(N_A\\): It has the same dimension as entropy. It is named after the Austrian physicist Ludwig Boltzmann."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Boltzmann_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Boltzmann_constant?oldid=495542430"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(k\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_BoltzmannConstant ; + qudt:ucumCode "[k]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:BoltzmannConstantInEVPerK a qudt:PhysicalConstant ; + rdfs:label "Boltzmann constant in eV per K"@en ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInEVPerK ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BoltzmannConstantInHzPerK a qudt:PhysicalConstant ; + rdfs:label "Boltzmann constant in Hz per K"@en ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInHzPerK ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:BoltzmannConstantInInverseMetersPerKelvin a qudt:PhysicalConstant ; + rdfs:label "Boltzmann constant in inverse meters per kelvin"@en ; + qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_BoltzmannConstantInInverseMetersPerKelvin ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:CharacteristicImpedanceOfVacuum a qudt:PhysicalConstant ; + rdfs:label "characteristic impedance of vacuum"@en ; + dcterms:description "The impedance of free space, Z0, is a physical constant relating the magnitudes of the electric and magnetic fields of electromagnetic radiation travelling through free space. That is, Z0 = |E|/|H|, where |E| is the electric field strength and |H| magnetic field strength. It has an exact value, given approximately as 376.73031 ohms. The impedance of free space equals the product of the vacuum permeability or magnetic constant μ0 and the speed of light in vacuum c0. Since the numerical values of the magnetic constant and of the speed of light are fixed by the definitions of the ampere and the metre respectively, the exact value of the impedance of free space is likewise fixed by definition and is not subject to experimental error. [Wikipedia]"^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Impedance_of_free_space"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_CharacteristicImpedanceOfVacuum ; + rdfs:isDefinedBy . + +constant:ClassicalElectronRadius a qudt:PhysicalConstant ; + rdfs:label "classical electron radius"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Classical_electron_radius"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ClassicalElectronRadius ; + rdfs:isDefinedBy . + +constant:ComptonWavelength a qudt:PhysicalConstant ; + rdfs:label "Compton Wavelength"@en ; + dcterms:description "The \"Compton Wavelength\" is a quantum mechanical property of a particle. It was introduced by Arthur Compton in his explanation of the scattering of photons by electrons (a process known as Compton scattering). The Compton wavelength of a particle is equivalent to the wavelength of a photon whose energy is the same as the rest-mass energy of the particle."^^rdf:HTML ; + qudt:applicableUnit unit:M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Compton_wavelength"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compton_wavelength"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_C = \\frac{h}{mc_0}\\), where \\(h\\) is the Planck constant, \\(m\\) is the rest mass of a particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_C\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ComptonWavelength ; + rdfs:isDefinedBy . + +constant:ComptonWavelengthOver2Pi a qudt:PhysicalConstant ; + rdfs:label "Compton wavelength over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ConductanceQuantum a qudt:PhysicalConstant ; + rdfs:label "conductance quantum"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Conductance_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConductanceQuantum ; + rdfs:isDefinedBy . + +constant:ConventionalValueOfJosephsonConstant a qudt:PhysicalConstant ; + rdfs:label "conventional value of Josephson constant"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConventionalValueOfJosephsonConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ConventionalValueOfVonKlitzingConstant a qudt:PhysicalConstant ; + rdfs:label "conventional value of von Klitzing constant"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ConventionalValueOfVonKlitzingConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:CuXUnit a qudt:PhysicalConstant ; + rdfs:label "Cu x unit"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_CuXUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronElectronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron-electron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronElectronMassRatio ; + rdfs:isDefinedBy . + +constant:DeuteronGFactor a qudt:PhysicalConstant ; + rdfs:label "deuteron g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "deuteron magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMass a qudt:PhysicalConstant ; + rdfs:label "deuteron mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMass ; + rdfs:isDefinedBy . + +constant:DeuteronMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "deuteron mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "deuteron mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "deuteron mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronMolarMass a qudt:PhysicalConstant ; + rdfs:label "deuteron molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronMolarMass ; + rdfs:isDefinedBy . + +constant:DeuteronNeutronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron-neutron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron-proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:DeuteronProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "deuteron-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronProtonMassRatio ; + rdfs:isDefinedBy . + +constant:DeuteronRmsChargeRadius a qudt:PhysicalConstant ; + rdfs:label "deuteron rms charge radius"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_DeuteronRmsChargeRadius ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectricConstant a qudt:PhysicalConstant ; + rdfs:label "electric constant"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permittivity"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectricConstant ; + rdfs:isDefinedBy . + +constant:ElectronChargeToMassQuotient a qudt:PhysicalConstant ; + rdfs:label "electron charge to mass quotient"@en ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronChargeToMassQuotient ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronDeuteronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron-deuteron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronDeuteronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronDeuteronMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron-deuteron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronDeuteronMassRatio ; + rdfs:isDefinedBy . + +constant:ElectronGFactor a qudt:PhysicalConstant ; + rdfs:label "electron g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronGyromagneticRatio a qudt:PhysicalConstant ; + rdfs:label "Electron Gyromagnetic Ratio"@en ; + dcterms:description "The \"Electron Gyromagnetic Ratio\" An isolated electron has an angular momentum and a magnetic moment resulting from its spin. While an electron's spin is sometimes visualized as a literal rotation about an axis, it is in fact a fundamentally different, quantum-mechanical phenomenon with no true analogue in classical physics. Consequently, there is no reason to expect the above classical relation to hold."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2-PER-J-SEC ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio#Gyromagnetic_ratio_for_an_isolated_electron"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\gamma_e J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma_e\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGyromagneticRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronGyromagneticRatioOver2Pi a qudt:PhysicalConstant ; + rdfs:label "electron gyromagnetic ratio over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "electron magnetic moment"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_magnetic_dipole_moment"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMoment ; + rdfs:isDefinedBy . + +constant:ElectronMagneticMomentAnomaly a qudt:PhysicalConstant ; + rdfs:label "electron magnetic moment anomaly"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentAnomaly ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "electron magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch , + . + +constant:ElectronMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "electron magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch , + . + +constant:ElectronMass a qudt:PhysicalConstant ; + rdfs:label "Electron Mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:latexSymbol "\\(m_e\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_ElectronMass ; + qudt:ucumCode "[m_e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "electron mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "electron mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "electron mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMolarMass a qudt:PhysicalConstant ; + rdfs:label "electron molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMolarMass ; + rdfs:isDefinedBy . + +constant:ElectronMuonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron-muon magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMuonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronMuonMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron-muon mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronMuonMassRatio ; + rdfs:isDefinedBy . + +constant:ElectronNeutronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron-neutron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronNeutronMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron-neutron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronNeutronMassRatio ; + rdfs:isDefinedBy . + +constant:ElectronProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron-proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronProtonMassRatio ; + rdfs:isDefinedBy . + +constant:ElectronTauMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron-tau mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronTauMassRatio ; + rdfs:isDefinedBy . + +constant:ElectronToAlphaParticleMassRatio a qudt:PhysicalConstant ; + rdfs:label "electron to alpha particle mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToAlphaParticleMassRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronToShieldedHelionMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron to shielded helion magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToShieldedHelionMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronToShieldedProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "electron to shielded proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltHartreeRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltHertzRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltInverseMeterRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltJouleRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltKelvinRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElectronVoltKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "electron volt-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElectronVoltKilogramRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElementaryChargeOverH a qudt:PhysicalConstant ; + rdfs:label "elementary charge over h"@en ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ElementaryChargeOverH ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:FaradayConstant a qudt:PhysicalConstant ; + rdfs:label "Faraday constant"@en ; + dcterms:description "The \"Faraday Constant\" is the magnitude of electric charge per mole of electrons."^^rdf:HTML ; + qudt:abbreviation "c mol^{-1}" ; + qudt:applicableUnit unit:C-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Faraday_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(F = N_A e\\), where \\(N_A\\) is the Avogadro constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(F\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FaradayConstant ; + rdfs:isDefinedBy . + +constant:FermiCouplingConstant a qudt:PhysicalConstant ; + rdfs:label "Fermi coupling constant"@en ; + qudt:hasQuantityKind quantitykind:InverseSquareEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FermiCouplingConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:FineStructureConstant a qudt:PhysicalConstant ; + rdfs:label "Fine-Structure Constant"@en ; + dcterms:description "The \"Fine-structure Constant\" is a fundamental physical constant, namely the coupling constant characterizing the strength of the electromagnetic interaction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fine-structure_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fine-structure_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{e^2}{4\\pi\\varepsilon_0\\hbar c_0}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(\\hbar\\) is the reduced Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(a\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FineStructureConstant ; + rdfs:isDefinedBy . + +constant:FirstRadiationConstant a qudt:PhysicalConstant ; + rdfs:label "first radiation constant"@en ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FirstRadiationConstant ; + rdfs:isDefinedBy . + +constant:FirstRadiationConstantForSpectralRadiance a qudt:PhysicalConstant ; + rdfs:label "first radiation constant for spectral radiance"@en ; + qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_FirstRadiationConstantForSpectralRadiance ; + rdfs:isDefinedBy . + +constant:GravitationalConstant a qudt:PhysicalConstant ; + rdfs:label "Gravitational constant"@en ; + dcterms:description "The gravitational constant (also known as the universal gravitational constant, the Newtonian constant of gravitation, or the Cavendish gravitational constant), denoted by the letter G, is an empirical physical constant involved in the calculation of gravitational effects in Sir Isaac Newton's law of universal gravitation and in Albert Einstein's general theory of relativity. (Wikipedia)"^^rdf:HTML ; + qudt:applicableUnit unit:N-M2-PER-KiloGM2 ; + qudt:hasQuantityKind quantitykind:GravitationalAttraction ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; + qudt:quantityValue constant:Value_GravitationalConstant ; + qudt:ucumCode "[G]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:HartreeAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HartreeElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HartreeEnergy a qudt:AtomicUnit, + qudt:PhysicalConstant ; + rdfs:label "Hartree Energy"@en ; + dcterms:description "Hartree Energy (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\textit{Hartree}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18\" J = 27.21138386(68) eV\\)."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_H= \\frac{e^2}{4\\pi \\varepsilon_0 a_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius."^^qudt:LatexString ; + qudt:latexSymbol "\\(E_h\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_HartreeEnergy ; + rdfs:isDefinedBy . + +constant:HartreeEnergyInEV a qudt:PhysicalConstant ; + rdfs:label "Hartree energy in eV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeEnergyInEV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HartreeHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeHertzRelationship ; + rdfs:isDefinedBy . + +constant:HartreeInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeInverseMeterRelationship ; + rdfs:isDefinedBy . + +constant:HartreeJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeJouleRelationship ; + rdfs:isDefinedBy . + +constant:HartreeKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeKelvinRelationship ; + rdfs:isDefinedBy . + +constant:HartreeKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "hartree-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HartreeKilogramRelationship ; + rdfs:isDefinedBy . + +constant:HelionElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "helion-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionElectronMassRatio ; + rdfs:isDefinedBy . + +constant:HelionMass a qudt:PhysicalConstant ; + rdfs:label "helion mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMass ; + rdfs:isDefinedBy . + +constant:HelionMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "helion mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HelionMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "helion mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HelionMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "helion mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HelionMolarMass a qudt:PhysicalConstant ; + rdfs:label "helion molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionMolarMass ; + rdfs:isDefinedBy . + +constant:HelionProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "helion-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HelionProtonMassRatio ; + rdfs:isDefinedBy . + +constant:HertzAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HertzElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:HertzHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzHartreeRelationship ; + rdfs:isDefinedBy . + +constant:HertzInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-inverse meter relationship"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzInverseMeterRelationship ; + rdfs:isDefinedBy . + +constant:HertzJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzJouleRelationship ; + rdfs:isDefinedBy . + +constant:HertzKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzKelvinRelationship ; + rdfs:isDefinedBy . + +constant:HertzKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "hertz-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_HertzKilogramRelationship ; + rdfs:isDefinedBy . + +constant:InverseFineStructureConstant a qudt:PhysicalConstant ; + rdfs:label "inverse fine-structure constant"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseFineStructureConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:InverseMeterAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:InverseMeterElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:InverseMeterHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterHartreeRelationship ; + rdfs:isDefinedBy . + +constant:InverseMeterHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-hertz relationship"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterHertzRelationship ; + rdfs:isDefinedBy . + +constant:InverseMeterJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterJouleRelationship ; + rdfs:isDefinedBy . + +constant:InverseMeterKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterKelvinRelationship ; + rdfs:isDefinedBy . + +constant:InverseMeterKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "inverse meter-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseMeterKilogramRelationship ; + rdfs:isDefinedBy . + +constant:InverseOfConductanceQuantum a qudt:PhysicalConstant ; + rdfs:label "inverse of conductance quantum"@en ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_InverseOfConductanceQuantum ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:JosephsonConstant a qudt:PhysicalConstant ; + rdfs:label "Josephson Constant"@en ; + qudt:applicableUnit unit:PER-WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_J = \\frac{1}{\\Phi_0}\\), where \\(\\Phi_0\\) is the magnetic flux quantum."^^qudt:LatexString ; + qudt:latexSymbol "\\(K_J\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JosephsonConstant ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:MagneticFluxQuantum . + +constant:JouleAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:JouleElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:JouleHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleHartreeRelationship ; + rdfs:isDefinedBy . + +constant:JouleHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleHertzRelationship ; + rdfs:isDefinedBy . + +constant:JouleInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleInverseMeterRelationship ; + rdfs:isDefinedBy . + +constant:JouleKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleKelvinRelationship ; + rdfs:isDefinedBy . + +constant:JouleKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "joule-kilogram relationship"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_JouleKilogramRelationship ; + rdfs:isDefinedBy . + +constant:KelvinAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:KelvinElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:KelvinHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinHartreeRelationship ; + rdfs:isDefinedBy . + +constant:KelvinHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinHertzRelationship ; + rdfs:isDefinedBy . + +constant:KelvinInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinInverseMeterRelationship ; + rdfs:isDefinedBy . + +constant:KelvinJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-joule relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinJouleRelationship ; + rdfs:isDefinedBy . + +constant:KelvinKilogramRelationship a qudt:PhysicalConstant ; + rdfs:label "kelvin-kilogram relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KelvinKilogramRelationship ; + rdfs:isDefinedBy . + +constant:KilogramAtomicMassUnitRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-atomic mass unit relationship"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramAtomicMassUnitRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:KilogramElectronVoltRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-electron volt relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramElectronVoltRelationship ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:KilogramHartreeRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-hartree relationship"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramHartreeRelationship ; + rdfs:isDefinedBy . + +constant:KilogramHertzRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-hertz relationship"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramHertzRelationship ; + rdfs:isDefinedBy . + +constant:KilogramInverseMeterRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-inverse meter relationship"@en ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramInverseMeterRelationship ; + rdfs:isDefinedBy . + +constant:KilogramJouleRelationship a qudt:PhysicalConstant ; + rdfs:label "Kilogram-Joule Relationship"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramJouleRelationship ; + rdfs:isDefinedBy . + +constant:KilogramKelvinRelationship a qudt:PhysicalConstant ; + rdfs:label "kilogram-kelvin relationship"@en ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_KilogramKelvinRelationship ; + rdfs:isDefinedBy . + +constant:LatticeParameterOfSilicon a qudt:PhysicalConstant ; + rdfs:label "lattice parameter of silicon"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LatticeParameterOfSilicon ; + rdfs:isDefinedBy . + +constant:LatticeSpacingOfSilicon a qudt:PhysicalConstant ; + rdfs:label "lattice spacing of silicon"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LatticeSpacingOfSilicon ; + rdfs:isDefinedBy . + +constant:LoschmidtConstant273.15K101.325KPa a qudt:PhysicalConstant ; + rdfs:label "Loschmidt constant 273.15 K 101.325 kPa"@en ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_LoschmidtConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MagneticFluxQuantum a qudt:PhysicalConstant ; + rdfs:label "magnetic flux quantum"@en ; + dcterms:description "\"Magnetic Flux Quantum\" is the quantum of magnetic flux passing through a superconductor."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi_0 = \\frac{h}{2e}\\), where \\(h\\) is the Planck constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi_0\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MagneticFluxQuantum ; + rdfs:isDefinedBy . + +constant:MoXUnit a qudt:PhysicalConstant ; + rdfs:label "Mo x unit"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MoXUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MolarMassConstant a qudt:PhysicalConstant ; + rdfs:label "molar mass constant"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass_constant"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarMassConstant ; + rdfs:isDefinedBy . + +constant:MolarMassOfCarbon12 a qudt:PhysicalConstant ; + rdfs:label "molar mass of carbon-12"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarMassOfCarbon12 ; + rdfs:isDefinedBy . + +constant:MolarPlanckConstant a qudt:PhysicalConstant ; + rdfs:label "molar Planck constant"@en ; + qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarPlanckConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MolarPlanckConstantTimesC a qudt:PhysicalConstant ; + rdfs:label "molar Planck constant times c"@en ; + qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarPlanckConstantTimesC ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MolarVolumeOfIdealGas273.15K100KPa a qudt:PhysicalConstant ; + rdfs:label "molar volume of ideal gas 273.15 K 100 kPa"@en ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; + rdfs:isDefinedBy . + +constant:MolarVolumeOfIdealGas273.15K101.325KPa a qudt:PhysicalConstant ; + rdfs:label "molar volume of ideal gas 273.15 K 101.325 kPa"@en ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; + rdfs:isDefinedBy . + +constant:MolarVolumeOfSilicon a qudt:PhysicalConstant ; + rdfs:label "molar volume of silicon"@en ; + qudt:hasQuantityKind quantitykind:MolarVolume ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarVolumeOfSilicon ; + rdfs:isDefinedBy . + +constant:MuonComptonWavelength a qudt:PhysicalConstant ; + rdfs:label "muon Compton wavelength"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonComptonWavelength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonComptonWavelengthOver2Pi a qudt:PhysicalConstant ; + rdfs:label "muon Compton wavelength over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "muon-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonElectronMassRatio ; + rdfs:isDefinedBy . + +constant:MuonGFactor a qudt:PhysicalConstant ; + rdfs:label "muon g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "muon magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMagneticMomentAnomaly a qudt:PhysicalConstant ; + rdfs:label "muon magnetic moment anomaly"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentAnomaly ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "muon magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "muon magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMass a qudt:PhysicalConstant ; + rdfs:label "muon mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMass ; + rdfs:isDefinedBy . + +constant:MuonMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "muon mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "muon mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "muon mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonMolarMass a qudt:PhysicalConstant ; + rdfs:label "muon molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonMolarMass ; + rdfs:isDefinedBy . + +constant:MuonNeutronMassRatio a qudt:PhysicalConstant ; + rdfs:label "muon-neutron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonNeutronMassRatio ; + rdfs:isDefinedBy . + +constant:MuonProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "muon-proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:MuonProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "muon-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonProtonMassRatio ; + rdfs:isDefinedBy . + +constant:MuonTauMassRatio a qudt:PhysicalConstant ; + rdfs:label "muon-tau mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MuonTauMassRatio ; + rdfs:isDefinedBy . + +constant:NaturalUnitOfAction a qudt:PhysicalConstant ; + rdfs:label "natural unit of action"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfAction ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfActionInEVS a qudt:PhysicalConstant ; + rdfs:label "natural unit of action in eV s"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfActionInEVS ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfEnergy a qudt:PhysicalConstant ; + rdfs:label "natural unit of energy"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfEnergy ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfEnergyInMeV a qudt:PhysicalConstant ; + rdfs:label "natural unit of energy in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfEnergyInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfLength a qudt:PhysicalConstant ; + rdfs:label "natural unit of length"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfLength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfMass a qudt:PhysicalConstant ; + rdfs:label "natural unit of mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMass ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfMomentum a qudt:PhysicalConstant ; + rdfs:label "natural unit of momentum"@en ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMomentum ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfMomentumInMeV-PER-c a qudt:PhysicalConstant ; + rdfs:label "natural unit of momentum in MeV PER c"@en ; + qudt:hasQuantityKind quantitykind:LinearMomentum ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfMomentumInMeVPerC ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfTime a qudt:PhysicalConstant ; + rdfs:label "natural unit of time"@en ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfTime ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NaturalUnitOfVelocity a qudt:PhysicalConstant ; + rdfs:label "natural unit of velocity"@en ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:LinearVelocity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NaturalUnitOfVelocity ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronComptonWavelength a qudt:PhysicalConstant ; + rdfs:label "neutron Compton wavelength"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronComptonWavelength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronComptonWavelengthOver2Pi a qudt:PhysicalConstant ; + rdfs:label "neutron Compton wavelength over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronElectronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-electron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronElectronMassRatio ; + rdfs:isDefinedBy . + +constant:NeutronGFactor a qudt:PhysicalConstant ; + rdfs:label "neutron g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronGyromagneticRatio a qudt:PhysicalConstant ; + rdfs:label "neutron gyromagnetic ratio"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGyromagneticRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronGyromagneticRatioOver2Pi a qudt:PhysicalConstant ; + rdfs:label "neutron gyromagnetic ratio over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "neutron magnetic moment"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Neutron_magnetic_moment"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMoment ; + rdfs:isDefinedBy . + +constant:NeutronMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "neutron magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch , + . + +constant:NeutronMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "neutron magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch , + . + +constant:NeutronMass a qudt:PhysicalConstant ; + rdfs:label "neutron mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMass ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "neutron mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "neutron mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "neutron mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronMolarMass a qudt:PhysicalConstant ; + rdfs:label "neutron molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMolarMass ; + rdfs:isDefinedBy . + +constant:NeutronMuonMassRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-muon mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronMuonMassRatio ; + rdfs:isDefinedBy . + +constant:NeutronProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NeutronProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronProtonMassRatio ; + rdfs:isDefinedBy . + +constant:NeutronTauMassRatio a qudt:PhysicalConstant ; + rdfs:label "neutron-tau mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronTauMassRatio ; + rdfs:isDefinedBy . + +constant:NeutronToShieldedProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "neutron to shielded proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NeutronToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NewtonianConstantOfGravitation a qudt:PhysicalConstant ; + rdfs:label "Newtonian constant of gravitation"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gravitational_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:GravitationalAttraction ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NewtonianConstantOfGravitation ; + rdfs:isDefinedBy . + +constant:NuclearMagneton a qudt:PhysicalConstant ; + rdfs:label "Nuclear Magneton"@en ; + dcterms:description "The \"Nuclear Magneton\" is the natural unit for expressing magnetic dipole moments of heavy particles such as nucleons and atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nuclear_magneton"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_magneton"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_N = \\frac{e\\hbar}{2m_p}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_p\\) is the rest mass of proton."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_N\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagneton ; + rdfs:isDefinedBy ; + skos:related quantitykind:BohrMagneton . + +constant:NuclearMagnetonInEVPerT a qudt:PhysicalConstant ; + rdfs:label "nuclear magneton in eV per T"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInEVPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NuclearMagnetonInInverseMetersPerTesla a qudt:PhysicalConstant ; + rdfs:label "nuclear magneton in inverse meters per tesla"@en ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInInverseMetersPerTesla ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NuclearMagnetonInKPerT a qudt:PhysicalConstant ; + rdfs:label "nuclear magneton in K per T"@en ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInKPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:NuclearMagnetonInMHzPerT a qudt:PhysicalConstant ; + rdfs:label "nuclear magneton in MHz per T"@en ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_NuclearMagnetonInMHzPerT ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:Pi a qudt:PhysicalConstant ; + rdfs:label "Pi"@en ; + dcterms:description "The constant \\(\\pi\\) is the ratio of a circle's circumference to its diameter, commonly approximated as 3.14159."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pi"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Angle ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\pi = \\frac{C}{d}\\), where \\(C\\) is the circumference of a circle and \\(d\\) is the diameter of a circle."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\pi\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_Pi ; + rdfs:isDefinedBy . + +constant:PlanckConstantInEVS a qudt:PhysicalConstant ; + rdfs:label "Planck constant in eV s"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantInEVS ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:PlanckConstantOver2Pi a qudt:PhysicalConstant ; + rdfs:label "Planck constant over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:PlanckConstantOver2PiInEVS a qudt:PhysicalConstant ; + rdfs:label "Planck constant over 2 pi in eV s"@en ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2PiInEVS ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:PlanckConstantOver2PiTimesCInMeVFm a qudt:PhysicalConstant ; + rdfs:label "Planck constant over 2 pi times c in MeV fm"@en ; + qudt:hasQuantityKind quantitykind:LengthEnergy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckConstantOver2PiTimesCInMeVFm ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:PlanckLength a qudt:PhysicalConstant ; + rdfs:label "Planck length"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckLength ; + rdfs:isDefinedBy . + +constant:PlanckMass a qudt:PhysicalConstant ; + rdfs:label "Planck mass"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckMass ; + rdfs:isDefinedBy . + +constant:PlanckMassEnergyEquivalentInGeV a qudt:PhysicalConstant ; + rdfs:label "Planck mass energy equivalent in GeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckMassEnergyEquivalentInGeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:PlanckTemperature a qudt:PhysicalConstant ; + rdfs:label "Planck temperature"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_temperature"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckTemperature ; + rdfs:isDefinedBy . + +constant:PlanckTime a qudt:PhysicalConstant ; + rdfs:label "Planck time"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_PlanckTime ; + rdfs:isDefinedBy . + +constant:ProtonChargeToMassQuotient a qudt:PhysicalConstant ; + rdfs:label "proton charge to mass quotient"@en ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonChargeToMassQuotient ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonComptonWavelength a qudt:PhysicalConstant ; + rdfs:label "proton Compton wavelength"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonComptonWavelength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonComptonWavelengthOver2Pi a qudt:PhysicalConstant ; + rdfs:label "proton Compton wavelength over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "proton-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonElectronMassRatio ; + rdfs:isDefinedBy . + +constant:ProtonGFactor a qudt:PhysicalConstant ; + rdfs:label "proton g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonGyromagneticRatio a qudt:PhysicalConstant ; + rdfs:label "proton gyromagnetic ratio"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGyromagneticRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonGyromagneticRatioOver2Pi a qudt:PhysicalConstant ; + rdfs:label "proton gyromagnetic ratio over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "proton magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "proton magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "proton magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMagneticShieldingCorrection a qudt:PhysicalConstant ; + rdfs:label "proton mag. shielding correction"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMagneticShieldingCorrection ; + rdfs:isDefinedBy . + +constant:ProtonMass a qudt:PhysicalConstant ; + rdfs:label "proton mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMass ; + qudt:ucumCode "[m_p]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "proton mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "proton mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "proton mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonMolarMass a qudt:PhysicalConstant ; + rdfs:label "proton molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMolarMass ; + rdfs:isDefinedBy . + +constant:ProtonMuonMassRatio a qudt:PhysicalConstant ; + rdfs:label "proton-muon mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonMuonMassRatio ; + rdfs:isDefinedBy . + +constant:ProtonNeutronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "proton-neutron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonNeutronMassRatio a qudt:PhysicalConstant ; + rdfs:label "proton-neutron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonNeutronMassRatio ; + rdfs:isDefinedBy . + +constant:ProtonRmsChargeRadius a qudt:PhysicalConstant ; + rdfs:label "proton rms charge radius"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonRmsChargeRadius ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ProtonTauMassRatio a qudt:PhysicalConstant ; + rdfs:label "proton-tau mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ProtonTauMassRatio ; + rdfs:isDefinedBy . + +constant:QuantumOfCirculation a qudt:PhysicalConstant ; + rdfs:label "quantum of circulation"@en ; + qudt:hasQuantityKind quantitykind:Circulation ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_QuantumOfCirculation ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:QuantumOfCirculationTimes2 a qudt:PhysicalConstant ; + rdfs:label "quantum of circulation times 2"@en ; + qudt:hasQuantityKind quantitykind:Circulation ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_QuantumOfCirculationTimes2 ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ReducedPlanckConstant a qudt:PhysicalConstant ; + rdfs:label "Reduced Planck Constant"@en ; + dcterms:description "The Reduced Planck Constant, or Dirac Constant, is used in applications where frequency is expressed in terms of radians per second (angular frequency) instead of cycles per second. In such cases a factor of 2𝜋 is absorbed into the constant."^^rdf:HTML ; + qudt:applicableUnit unit:J-SEC ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\hbar = \\frac{h}{2\\pi}\\), where \\(h\\) is the Planck constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\hbar\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; + rdfs:isDefinedBy ; + skos:broader constant:PlanckConstant . + +constant:RydbergConstant a qudt:PhysicalConstant ; + rdfs:label "Rydberg constant"@en ; + dcterms:description "The Rydberg constant, named after the Swedish physicist Johannes Rydberg, is a physical constant relating to atomic spectra, in the science of spectroscopy."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rydberg_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rydberg_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_\\infty = \\frac{e^2}{8\\pi \\varepsilon_0 a_0 h c_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, \\(a_0\\) is the Bohr radius, \\(h\\) is the Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:latexSymbol "\\(R_\\infty\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstant ; + rdfs:isDefinedBy . + +constant:RydbergConstantTimesCInHz a qudt:PhysicalConstant ; + rdfs:label "Rydberg constant times c in Hz"@en ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesCInHz ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:RydbergConstantTimesHcInEV a qudt:PhysicalConstant ; + rdfs:label "Rydberg constant times hc in eV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesHcInEV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:RydbergConstantTimesHcInJ a qudt:PhysicalConstant ; + rdfs:label "Rydberg constant times hc in J"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_RydbergConstantTimesHcInJ ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:SackurTetrodeConstant1K100KPa a qudt:PhysicalConstant ; + rdfs:label "Sackur-Tetrode constant 1 K 100 kPa"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_SackurTetrodeConstant1K100KPa ; + rdfs:isDefinedBy . + +constant:SackurTetrodeConstant1K101.325KPa a qudt:PhysicalConstant ; + rdfs:label "Sackur-Tetrode constant 1 K 101.325 kPa"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_SackurTetrodeConstant1K101.325K ; + rdfs:isDefinedBy . + +constant:SecondRadiationConstant a qudt:PhysicalConstant ; + rdfs:label "second radiation constant"@en ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_SecondRadiationConstant ; + rdfs:isDefinedBy . + +constant:ShieldedHelionGyromagneticRatio a qudt:PhysicalConstant ; + rdfs:label "shielded helion gyromagnetic ratio"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionGyromagneticRatioOver2Pi a qudt:PhysicalConstant ; + rdfs:label "shielded helion gyromagnetic ratio over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "shielded helion magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "shielded helion magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "shielded helion magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionToProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "shielded helion to proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionToProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedHelionToShieldedProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "shielded helion to shielded proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedProtonGyromagneticRatio a qudt:PhysicalConstant ; + rdfs:label "shielded proton gyromagnetic ratio"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedProtonGyromagneticRatioOver2Pi a qudt:PhysicalConstant ; + rdfs:label "shielded proton gyromagnetic ratio over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:GyromagneticRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatioOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedProtonMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "shielded proton magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedProtonMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "shielded proton magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ShieldedProtonMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "shielded proton magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:StandardAccelerationOfGravity a qudt:PhysicalConstant ; + rdfs:label "standard acceleration of gravity"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravity"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:LinearAcceleration ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StandardAccelerationOfGravity ; + rdfs:isDefinedBy . + +constant:StandardAtmosphere a qudt:PhysicalConstant ; + rdfs:label "standard atmosphere"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_atmosphere"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:hasQuantityKind quantitykind:Pressure ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StandardAtmosphere ; + rdfs:isDefinedBy . + +constant:StefanBoltzmannConstant a qudt:PhysicalConstant ; + rdfs:label "Stefan-Boltzmann Constant"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stefan%E2%80%93Boltzmann_constant"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_StefanBoltzmannConstant ; + rdfs:isDefinedBy . + +constant:TauComptonWavelength a qudt:PhysicalConstant ; + rdfs:label "tau Compton wavelength"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauComptonWavelength ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TauComptonWavelengthOver2Pi a qudt:PhysicalConstant ; + rdfs:label "tau Compton wavelength over 2 pi"@en ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauComptonWavelengthOver2Pi ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TauElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "tau-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauElectronMassRatio ; + rdfs:isDefinedBy . + +constant:TauMass a qudt:PhysicalConstant ; + rdfs:label "tau mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMass ; + rdfs:isDefinedBy . + +constant:TauMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "tau mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TauMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "tau mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TauMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "tau mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TauMolarMass a qudt:PhysicalConstant ; + rdfs:label "tau molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMolarMass ; + rdfs:isDefinedBy . + +constant:TauMuonMassRatio a qudt:PhysicalConstant ; + rdfs:label "tau-muon mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauMuonMassRatio ; + rdfs:isDefinedBy . + +constant:TauNeutronMassRatio a qudt:PhysicalConstant ; + rdfs:label "tau-neutron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauNeutronMassRatio ; + rdfs:isDefinedBy . + +constant:TauProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "tau-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TauProtonMassRatio ; + rdfs:isDefinedBy . + +constant:ThomsonCrossSection a qudt:PhysicalConstant ; + rdfs:label "Thomson cross section"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thomson_scattering"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_ThomsonCrossSection ; + rdfs:isDefinedBy . + +constant:TritonElectronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "triton-electron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonElectronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonElectronMassRatio a qudt:PhysicalConstant ; + rdfs:label "triton-electron mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonElectronMassRatio ; + rdfs:isDefinedBy . + +constant:TritonGFactor a qudt:PhysicalConstant ; + rdfs:label "triton g factor"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonGFactor ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMagneticMoment a qudt:PhysicalConstant ; + rdfs:label "triton magnetic moment"@en ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMoment ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMagneticMomentToBohrMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "triton magnetic moment to Bohr magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMomentToBohrMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMagneticMomentToNuclearMagnetonRatio a qudt:PhysicalConstant ; + rdfs:label "triton magnetic moment to nuclear magneton ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMagneticMomentToNuclearMagnetonRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMass a qudt:PhysicalConstant ; + rdfs:label "triton mass"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMass ; + rdfs:isDefinedBy . + +constant:TritonMassEnergyEquivalent a qudt:PhysicalConstant ; + rdfs:label "triton mass energy equivalent"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassEnergyEquivalent ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMassEnergyEquivalentInMeV a qudt:PhysicalConstant ; + rdfs:label "triton mass energy equivalent in MeV"@en ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassEnergyEquivalentInMeV ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMassInAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "triton mass in atomic mass unit"@en ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMassInAtomicMassUnit ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonMolarMass a qudt:PhysicalConstant ; + rdfs:label "triton molar mass"@en ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonMolarMass ; + rdfs:isDefinedBy . + +constant:TritonNeutronMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "triton-neutron magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonNeutronMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonProtonMagneticMomentRatio a qudt:PhysicalConstant ; + rdfs:label "triton-proton magnetic moment ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonProtonMagneticMomentRatio ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:TritonProtonMassRatio a qudt:PhysicalConstant ; + rdfs:label "triton-proton mass ratio"@en ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_TritonProtonMassRatio ; + rdfs:isDefinedBy . + +constant:UnifiedAtomicMassUnit a qudt:PhysicalConstant ; + rdfs:label "unified atomic mass unit"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_UnifiedAtomicMassUnit ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:Value_FaradayConstantForConventionalElectricCurrent a qudt:ConstantValue ; + rdfs:label "Faraday constant for conventional electric current" ; + qudt:hasUnit unit:C-PER-MOL ; + qudt:value 9.648533e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f90#mid"^^xsd:anyURI . + +constant:Value_NewtonianConstantOfGravitationOverHbarC a qudt:ConstantValue ; + rdfs:label "Newtonian constant of gravitation over hbar c" ; + qudt:hasUnit unit:PER-PlanckMass2 ; + qudt:relativeStandardUncertainty 2.2e-05 ; + qudt:standardUncertainty 1.5e-43 ; + qudt:value 6.70883e-39 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bgspu#mid"^^xsd:anyURI . + +constant:Value_SpeedOfLight a qudt:ConstantValue ; + rdfs:label "Value for velocity of light" ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 2.997925e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI . + +constant:VonKlitzingConstant a qudt:PhysicalConstant ; + rdfs:label "Von Klitzing constant"@en ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_VonKlitzingConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:WeakMixingAngle a qudt:PhysicalConstant ; + rdfs:label "Weak mixing angle"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weinberg_angle"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WeakMixingAngle ; + rdfs:isDefinedBy . + +constant:WienFrequencyDisplacementLawConstant a qudt:PhysicalConstant ; + rdfs:label "Wien frequency displacement law constant"@en ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WienFrequencyDisplacementLawConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:WienWavelengthDisplacementLawConstant a qudt:PhysicalConstant ; + rdfs:label "Wien wavelength displacement law constant"@en ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_WienWavelengthDisplacementLawConstant ; + rdfs:isDefinedBy ; + skos:closeMatch . + +qkdv:A0E0L-0.5I0M0.5TE0TM-1D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L-0.5I0M0.5TE0TM-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-0.5I0M0.5TE0TM-2D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L-0.5I0M0.5TE0TM-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1.5I0M0.5TE0TM-1D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L-1.5I0M0.5TE0TM-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1.5I0M0.5TE0TM0D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L-1.5I0M0.5TE0TM0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "-1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1.5 M^0.5\\)"^^qudt:LatexString ; + vaem:todo "Suspicious. Electric Charge per Area would be ET/L**2" ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H-1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H-1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatVolume ; + qudt:latexDefinition "\\(L^-1 T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^{-1} T^2\\)"^^qudt:LatexString ; + vaem:todo "Should be M-1L-2T4E2" ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:RadiantIntensity ; + qudt:latexDefinition "\\(L^-2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M2H0T-2D0 a qudt:QuantityKindDimensionVector ; + rdfs:label "A0E0L-2I0M2H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^2 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I1M-1H0T3D1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I1M-1H0T3D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I1M0H0T0D1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I1M0H0T0D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^-2 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0.5I0M0.5TE0TM-1D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L0.5I0M0.5TE0TM-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0.5I0M0.5TE0TM-2D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L0.5I0M0.5TE0TM-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0.5I0M0.5TE0TM0D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L0.5I0M0.5TE0TM0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "0.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^0.5 M^0.5\\)"^^qudt:LatexString ; + vaem:todo "Electric Charge should be ET" ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T-1D1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T-1D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:AngularVelocity ; + qudt:latexDefinition "\\(U T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T-2D1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T-2D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; + qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T1D1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T1D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 1 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H0T-3D-1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T-3D-1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I1M0H0T0D1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I1M0H0T0D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1.5I0M0.5TE0TM-1D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L1.5I0M0.5TE0TM-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; + vaem:todo "Suspicious" ; + rdfs:isDefinedBy . + +qkdv:A0E0L1.5I0M0.5TE0TM-2D0 a qudt:QuantityKindDimensionVector_CGS ; + rdfs:label "A0E0L1.5I0M0.5TE0TM-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength "1.5"^^xsd:float ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass "0.5"^^xsd:float ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^1.5 M^0.5 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H-1T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H-1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^2 T^-3 Θ^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T0D1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T0D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U L^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H0T-3D-1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H0T-3D-1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 L^2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M-1H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M-1H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatPressure ; + qudt:latexDefinition "\\(L^3 M^-1 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MomentOfForce ; + qudt:latexDefinition "\\(L^3 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M1H0T-3D-1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M1H0T-3D-1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 L^4 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M0H0T0D-1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M0H0T0D-1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent -1 ; + qudt:latexDefinition "\\(U^-1 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M0H0T0D1 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M0H0T0D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:latexDefinition "\\(U I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-1I0M-1H0T4D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-1I0M-1H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E2L-4I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-4I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E2L0I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L0I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E3L-1I0M-2H0T7D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E3L-1I0M-2H0T7D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 3 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 7 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; + qudt:latexDefinition "\\(L^-1 M^-2 T^7 I^3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E4L-5I0M-3H0T10D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E4L-5I0M-3H0T10D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 4 ; + qudt:dimensionExponentForLength -5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -3 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 10 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-5 M^-3 T^10 I^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Yobi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Yobi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{8}\\), or \\(2^{80}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.208926e+24 ; + qudt:symbol "Yi" ; + rdfs:isDefinedBy . + +prefix1:Zebi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Zebi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{7}\\), or \\(2^{70}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.180592e+21 ; + qudt:symbol "Zi" ; + rdfs:isDefinedBy . + +quantitykind:AccelerationOfGravity a qudt:QuantityKind ; + rdfs:label "Acceleration Of Gravity"@en ; + dcterms:description "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-SEC2, + unit:FT-PER-SEC2, + unit:G, + unit:GALILEO, + unit:IN-PER-SEC2, + unit:KN-PER-SEC, + unit:KiloPA-M2-PER-GM, + unit:M-PER-SEC2, + unit:MicroG, + unit:MilliG, + unit:MilliGAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:plainTextDescription "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Acceleration . + +quantitykind:AcceptorDensity a qudt:QuantityKind ; + rdfs:label "Acceptor Density"@en ; + dcterms:description "\"Acceptor Density\" is the number per volume of acceptor levels."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Acceptor Density\" is the number per volume of acceptor levels." ; + qudt:symbol "n_a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:ActionTime a qudt:QuantityKind ; + rdfs:label "Action Time"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Action Time (sec) " ; + rdfs:isDefinedBy . + +quantitykind:ActiveEnergy a qudt:QuantityKind ; + rdfs:label "Active Energy"@en ; + dcterms:description "\"Active Energy\" is the electrical energy transformable into some other form of energy."^^rdf:HTML ; + qudt:abbreviation "active-energy" ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=601-01-19"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(W = \\int_{t_1}^{t_2} p dt\\), where \\(p\\) is instantaneous power and the integral interval is the time interval from \\(t_1\\) to \\(t_2\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Active Energy\" is the electrical energy transformable into some other form of energy." ; + qudt:symbol "W" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:InstantaneousPower ; + skos:broader quantitykind:Energy . + +quantitykind:ActivityThresholds a qudt:QuantityKind ; + rdfs:label "Activity Thresholds"@en ; + dcterms:description "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity." ; + rdfs:isDefinedBy . + +quantitykind:Adaptation a qudt:QuantityKind ; + rdfs:label "Adaptation"@en ; + dcterms:description "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation), usually measured in units of time."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neural_adaptation#Visual"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation)." ; + rdfs:isDefinedBy . + +quantitykind:AlphaDisintegrationEnergy a qudt:QuantityKind ; + rdfs:label "Alpha Disintegration Energy"@en ; + dcterms:description "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the \\(\\alpha\\)-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:latexSymbol "\\(Q_a\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the alpha-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:Altitude a qudt:QuantityKind ; + rdfs:label "Altitude"@en ; + dcterms:description "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Altitude"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:AmbientPressure a qudt:QuantityKind ; + rdfs:label "Ambient Pressure"@en ; + dcterms:description """The ambient pressure on an object is the pressure of the surrounding medium, such as a gas or liquid, which comes into contact with the object. +The SI unit of pressure is the pascal (Pa), which is a very small unit relative to atmospheric pressure on Earth, so kilopascals (\\(kPa\\)) are more commonly used in this context. """^^qudt:LatexString ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p_a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:AmountOfSubstanceConcentrationOfB a qudt:QuantityKind ; + rdfs:label "Amount of Substance of Concentration of B"@en ; + dcterms:description "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:AmountOfSubstanceConcentration ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy . + +quantitykind:AmountOfSubstanceFractionOfB a qudt:QuantityKind ; + rdfs:label "Amount of Substance of Fraction of B"@en ; + dcterms:description "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:AmountOfSubstanceFraction ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; + qudt:symbol "X_B" ; + rdfs:isDefinedBy . + +quantitykind:AngleOfAttack a qudt:QuantityKind ; + rdfs:label "Angle Of Attack"@en ; + dcterms:description "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:AngleOfOpticalRotation a qudt:QuantityKind ; + rdfs:label "Angle of Optical Rotation"@en ; + dcterms:description "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Optical_rotation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:AngularDistance a qudt:QuantityKind ; + rdfs:label "Angular Distance"@en ; + dcterms:description "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:ApogeeRadius a qudt:QuantityKind ; + rdfs:label "Apogee Radius"@en ; + dcterms:description "Apogee radius of an elliptical orbit"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Apogee radius of an elliptical orbit" ; + qudt:symbol "r_2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Radius . + +quantitykind:AreicHeatFlowRate a qudt:QuantityKind ; + rdfs:label "Aeric Heat Flow Rate"@en ; + dcterms:description "Density of heat flow rate."^^rdf:HTML ; + qudt:abbreviation "heat-flow-rate" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = \\frac{\\Phi}{A}\\), where \\(\\Phi\\) is heat flow rate and \\(A\\) is area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Density of heat flow rate." ; + qudt:symbol "φ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea ; + skos:closeMatch . + +quantitykind:AtmosphericPressure a qudt:QuantityKind ; + rdfs:label "Atmospheric Pressure"@en ; + dcterms:description "The pressure exerted by the weight of the air above it at any point on the earth's surface. At sea level the atmosphere will support a column of mercury about \\(760 mm\\) high. This decreases with increasing altitude. The standard value for the atmospheric pressure at sea level in SI units is \\(101,325 pascals\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atmospheric_pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/views/ENTRY.html?subview=Main&entry=t83.e178"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:AtomicAttenuationCoefficient a qudt:QuantityKind ; + rdfs:label "Atomic Attenuation Coefficient"@en ; + dcterms:description "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_a = -\\frac{\\mu}{n}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance." ; + qudt:symbol "μₐ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area ; + skos:closeMatch quantitykind:MolarAttenuationCoefficient . + +quantitykind:AtomicCharge a qudt:QuantityKind ; + rdfs:label "Atomic Charge"@en ; + dcterms:description "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron."^^rdf:HTML ; + qudt:applicableUnit unit:A-HR, + unit:A-SEC, + unit:AttoC, + unit:C, + unit:C_Ab, + unit:C_Stat, + unit:CentiC, + unit:DecaC, + unit:DeciC, + unit:E, + unit:ElementaryCharge, + unit:ExaC, + unit:F, + unit:FR, + unit:FemtoC, + unit:GigaC, + unit:HectoC, + unit:KiloA-HR, + unit:KiloC, + unit:MegaC, + unit:MicroC, + unit:MilliA-HR, + unit:MilliC, + unit:NanoC, + unit:PetaC, + unit:PicoC, + unit:PlanckCharge, + unit:TeraC, + unit:YoctoC, + unit:YottaC, + unit:ZeptoC, + unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.answers.com/topic/atomic-charge"^^xsd:anyURI ; + qudt:plainTextDescription "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricCharge . + +quantitykind:AtomicMass a qudt:QuantityKind ; + rdfs:label "Atomic Mass"@en ; + dcterms:description "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units." ; + qudt:symbol "m_a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:AuditoryThresholds a qudt:QuantityKind ; + rdfs:label "Auditory Thresholds"@en ; + dcterms:description "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing."^^rdf:HTML ; + qudt:applicableUnit unit:B, + unit:DeciB, + unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_a}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SoundPowerLevel . + +quantitykind:AuxillaryMagneticField a qudt:QuantityKind ; + rdfs:label "Auxillary Magnetic Field"@en ; + dcterms:description "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM, + unit:A-PER-M, + unit:A-PER-MilliM, + unit:AT-PER-IN, + unit:AT-PER-M, + unit:KiloA-PER-M, + unit:MilliA-PER-IN, + unit:MilliA-PER-MilliM, + unit:OERSTED ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:latexSymbol "H"^^qudt:LatexString ; + qudt:plainTextDescription "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MagneticFieldStrength_H . + +quantitykind:AverageEnergyLossPerElementaryChargeProduced a qudt:QuantityKind ; + rdfs:label "Average Energy Loss per Elementary Charge Produced"@en ; + dcterms:description "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:latexDefinition "\\(W_i = \\frac{E_k}{N_i}\\), where \\(E_k\\) is the initial kinetic energy of an ionizing charged particle and \\(N_i\\) is the total ionization produced by that particle."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed." ; + qudt:symbol "W_i" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:AverageHeadEndPressure a qudt:QuantityKind ; + rdfs:label "Average Head End Pressure"@en ; + qudt:abbreviation "AHEP" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:HeadEndPressure . + +quantitykind:AverageSpecificImpulse a qudt:QuantityKind ; + rdfs:label "Average Specific Impulse"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Avg Specific Impulse (lbf-sec/lbm) " ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificImpulse . + +quantitykind:AverageVacuumThrust a qudt:QuantityKind ; + rdfs:label "Average Vacuum Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:altLabel "AVT" ; + skos:broader quantitykind:VacuumThrust . + +quantitykind:BendingMomentOfForce a qudt:QuantityKind ; + rdfs:label "Bending Moment of Force"@en ; + dcterms:description "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN-M, + unit:DYN-CentiM, + unit:DeciN-M, + unit:KiloGM_F-M, + unit:KiloN-M, + unit:LB_F-FT, + unit:LB_F-IN, + unit:MegaN-M, + unit:MicroN-M, + unit:MilliN-M, + unit:N-CentiM, + unit:N-M, + unit:OZ_F-IN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bending_moment"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(M_b = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; + qudt:plainTextDescription "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft." ; + qudt:symbol "M_b" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Torque . + +quantitykind:BetaDisintegrationEnergy a qudt:QuantityKind ; + rdfs:label "Beta Disintegration Energy"@en ; + dcterms:description "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decay_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration." ; + qudt:symbol "Qᵦ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:BevelGearPitchAngle a qudt:QuantityKind ; + rdfs:label "Bevel Gear Pitch Angle"@en ; + dcterms:description "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:BraggAngle a qudt:QuantityKind ; + rdfs:label "Bragg Angle"@en ; + dcterms:description "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://reference.iucr.org/dictionary/Bragg_angle"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(2d\\sin{\\vartheta} = n\\lambda \\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:Breadth a qudt:QuantityKind ; + rdfs:label "العرض"@ar, + "šířka"@cs, + "Breite"@de, + "breadth"@en, + "ancho"@es, + "عرض"@fa, + "largeur"@fr, + "larghezza"@it, + "幅"@ja, + "lebar"@ms, + "szerokość"@pl, + "largura"@pt, + "ширина"@ru, + "širina"@sl, + "genişliği"@tr, + "寬度"@zh ; + dcterms:description "\"Breadth\" is the extent or measure of how broad or wide something is."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wiktionary.org/wiki/breadth"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Breadth\" is the extent or measure of how broad or wide something is." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:BucklingFactor a qudt:QuantityKind ; + rdfs:label "Buckling Factor"@en ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:BurgersVector a qudt:QuantityKind ; + rdfs:label "Burgers Vector"@en ; + dcterms:description "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Burgers_vector"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line." ; + qudt:symbol "b" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:BurnTime a qudt:QuantityKind ; + rdfs:label "Burn Time"@en ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:symbol "t" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:CENTER-OF-GRAVITY_X a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the X axis"@en ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_X ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CENTER-OF-GRAVITY_Y a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the Y axis"@en ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_Y ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CENTER-OF-GRAVITY_Z a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the Z axis"@en ; + dcterms:isReplacedBy quantitykind:CenterOfGravity_Z ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CENTER-OF-MASS a qudt:QuantityKind ; + rdfs:label "Center of Mass (CoM)"@en ; + dcterms:description "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Center_of_mass"^^xsd:anyURI ; + qudt:plainTextDescription "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + skos:altLabel "COM" ; + skos:broader quantitykind:PositionVector . + +quantitykind:CONTRACT-END-ITEM-SPECIFICATION-MASS a qudt:QuantityKind ; + rdfs:label "Contract End Item (CEI) Specification Mass."@en ; + dcterms:description "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement." ; + rdfs:isDefinedBy ; + skos:altLabel "CEI" ; + skos:broader quantitykind:Mass . + +quantitykind:CONTROL-MASS a qudt:QuantityKind ; + rdfs:label "Control Mass."@en ; + dcterms:description "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:Capacity a qudt:QuantityKind ; + rdfs:label "Capacity"@en ; + dcterms:description "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food." ; + qudt:symbol "TBD" ; + rdfs:isDefinedBy . + +quantitykind:CarrierLifetime a qudt:QuantityKind ; + rdfs:label "Carrier LifetIme"@en ; + dcterms:description "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Carrier_lifetime"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tau, \\tau_n, \\tau_p\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:CartesianArea a qudt:QuantityKind ; + rdfs:label "Cartesian Area"@en ; + dcterms:description "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane."^^rdf:HTML ; + qudt:abbreviation "area" ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = \\int\\int dxdy\\), where \\(x\\) and \\(y\\) are cartesian coordinates."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area ; + skos:closeMatch quantitykind:Area . + +quantitykind:CartesianCoordinates a qudt:QuantityKind ; + rdfs:label "Kartézská soustava souřadnic"@cs, + "Kartézské souřadnice"@cs, + "kartesische Koordinaten"@de, + "Cartesian coordinates"@en, + "مختصات دکارتی"@fa, + "coordonnées cartésiennes"@fr, + "coordinate cartesiane"@it, + "Koordiant Kartesius"@ms, + "coordenadas cartesianas"@pt, + "kartezyen koordinatları"@tr, + "直角坐标系"@zh ; + dcterms:description "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cartesian_coordinate_system"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. " ; + qudt:symbol "x, y, z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CartesianVolume a qudt:QuantityKind ; + rdfs:label "حجم"@ar, + "Обем"@bg, + "Objem"@cs, + "Volumen"@de, + "Επιτάχυνση"@el, + "volume"@en, + "volumen"@es, + "حجم"@fa, + "volume"@fr, + "נפח"@he, + "आयतन"@hi, + "volume"@it, + "体積"@ja, + "Isipadu"@ms, + "objętość"@pl, + "volume"@pt, + "volum"@ro, + "Объём"@ru, + "prostornina"@sl, + "hacim"@tr, + "体积"@zh ; + dcterms:description "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT, + unit:ANGSTROM3, + unit:BBL, + unit:BBL_UK_PET, + unit:BBL_US, + unit:CentiM3, + unit:DecaL, + unit:DecaM3, + unit:DeciL, + unit:DeciM3, + unit:FBM, + unit:FT3, + unit:FemtoL, + unit:GI_UK, + unit:GI_US, + unit:GT, + unit:HectoL, + unit:IN3, + unit:Kilo-FT3, + unit:KiloL, + unit:L, + unit:M3, + unit:MI3, + unit:MegaL, + unit:MicroL, + unit:MicroM3, + unit:MilliL, + unit:MilliM3, + unit:NanoL, + unit:OZ_VOL_UK, + unit:PINT, + unit:PINT_UK, + unit:PK_UK, + unit:PicoL, + unit:PlanckVolume, + unit:QT_UK, + unit:QT_US, + unit:RT, + unit:STR, + unit:Standard, + unit:TBSP, + unit:TON_SHIPPING_US, + unit:TSP, + unit:YD3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(V = \\int\\int\\int dxdydz\\), where \\(x\\), \\(y\\), and \\(z\\) are cartesian coordinates."^^qudt:LatexString ; + qudt:plainTextDescription "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains." ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Volume . + +quantitykind:CelsiusTemperature a qudt:QuantityKind ; + rdfs:label "درجة الحرارة المئوية أو السيلسيوس"@ar, + "teplota"@cs, + "Celsius-Temperatur"@de, + "Celsius temperature"@en, + "temperatura Celsius"@es, + "دمای سلسیوس/سانتیگراد"@fa, + "température Celsius"@fr, + "צלזיוס"@he, + "सेल्सियस तापमान"@hi, + "temperatura Celsius"@it, + "温度"@ja, + "Suhu Celsius"@ms, + "temperatura"@pl, + "temperatura celsius"@pt, + "temperatură Celsius"@ro, + "Температура Цельсия"@ru, + "temperatura"@sl, + "Celsius sıcaklık"@tr, + "温度"@zh ; + dcterms:description "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_R, + unit:K, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """"Celsius Temperature", the thermodynamic temperature \\(T_0\\), is exactly \\(0.01\\)kelvin below the thermodynamic temperature of the triple point of water. +\\(t = T - T_0\\), where \\(T\\) is Thermodynamic Temperature and \\(T_0 = 273.15 K\\)."""^^qudt:LatexString ; + qudt:plainTextDescription "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ThermodynamicTemperature ; + prov:wasDerivedFrom quantitykind:ThermodynamicTemperature . + +quantitykind:CharacteristicAcousticImpedance a qudt:QuantityKind ; + rdfs:label "Characteristic Acoustic Impedance"@en ; + dcterms:description "Characteristic impedance at a point in a non-dissipative medium and for a plane progressive wave, the quotient of the sound pressure \\(p\\) by the component of the sound particle velocity \\(v\\) in the direction of the wave propagation."^^qudt:LatexString ; + qudt:applicableUnit unit:PA-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance#Characteristic_acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_c = pc\\), where \\(p\\) is the sound pressure and \\(c\\) is the phase speed of sound."^^qudt:LatexString ; + qudt:symbol "Z" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AcousticImpedance . + +quantitykind:CharacteristicVelocity a qudt:QuantityKind ; + rdfs:label "Characteristic Velocity"@en ; + dcterms:description "Characteristic velocity or \\(c^{*}\\) is a measure of the combustion performance of a rocket engine independent of nozzle performance, and is used to compare different propellants and propulsion systems."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:latexSymbol "\\(c^{*}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ChemicalConsumptionPerMass a qudt:QuantityKind ; + rdfs:label "Chemical Consumption per Mass"@en ; + qudt:applicableUnit unit:DeciL-PER-GM, + unit:L-PER-KiloGM, + unit:M3-PER-KiloGM, + unit:MilliL-PER-GM, + unit:MilliL-PER-KiloGM, + unit:MilliM3-PER-GM, + unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:plainTextDescription "In the context of a chemical durability test, this is measure of how much of a solution (often a corrosive or reactive one) is consumed or used up per unit mass of a material being tested. In other words, this the volume of solution needed to cause a certain level of chemical reaction or damage to a given mass of the material." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificVolume . + +quantitykind:ClosestApproachRadius a qudt:QuantityKind ; + rdfs:label "Closest Approach Radius"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "r_o" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Radius . + +quantitykind:CoherenceLength a qudt:QuantityKind ; + rdfs:label "Coherence Length"@en ; + dcterms:description "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Coherence_length"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable." ; + qudt:symbol "ξ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ColdReceptorThreshold a qudt:QuantityKind ; + rdfs:label "Cold Receptor Threshold"@en ; + dcterms:description "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_c}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending." ; + rdfs:isDefinedBy . + +quantitykind:CombustionChamberTemperature a qudt:QuantityKind ; + rdfs:label "Combustion Chamber Temperature"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:symbol "T_c" ; + rdfs:isDefinedBy . + +quantitykind:CompressibilityFactor a qudt:QuantityKind ; + rdfs:label "Compressibility Factor"@en ; + dcterms:description "The compressibility factor (\\(Z\\)) is a useful thermodynamic property for modifying the ideal gas law to account for the real gas behaviour. The closer a gas is to a phase change, the larger the deviations from ideal behavior. It is simply defined as the ratio of the molar volume of a gas to the molar volume of an ideal gas at the same temperature and pressure. Values for compressibility are calculated using equations of state (EOS), such as the virial equation and van der Waals equation. The compressibility factor for specific gases can be obtained, with out calculation, from compressibility charts. These charts are created by plotting Z as a function of pressure at constant temperature."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ConductiveHeatTransferRate a qudt:QuantityKind ; + rdfs:label "Conductive Heat Transfer Rate"@en ; + dcterms:description "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_k\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact." ; + rdfs:isDefinedBy . + +quantitykind:ConvectiveHeatTransfer a qudt:QuantityKind ; + rdfs:label "Convective Heat Transfer"@en ; + dcterms:description "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Convection"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. " ; + rdfs:isDefinedBy . + +quantitykind:CrossSectionalArea a qudt:QuantityKind ; + rdfs:label "Cross-sectional Area"@en ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:CubicExpansionCoefficient a qudt:QuantityKind ; + rdfs:label "معامل التمدد الحجمى"@ar, + "Вълново число"@bg, + "Volumenausdehnungskoeffizient"@de, + "Κυματαριθμός"@el, + "cubic expansion coefficient"@en, + "coeficiente de dilatación cúbica"@es, + "ضریب انبساط گرمایی"@fa, + "coefficient de dilatation volumique"@fr, + "מספר גל"@he, + "Hullámszám"@hu, + "coefficiente di dilatazione volumica"@it, + "線膨張係数"@ja, + "współczynnik rozszerzalności objętościowej"@pl, + "coeficiente de dilatação volúmica"@pt, + "Температурный коэффициент"@ru, + "kübik genleşme katsayısı"@tr, + "体膨胀系数"@zh ; + qudt:applicableUnit unit:PER-K, + unit:PPM-PER-K, + unit:PPTM-PER-K ; + qudt:expression "\\(cubic-exp-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_V = \\frac{1}{V} \\; \\frac{dV}{dT}\\), where \\(V\\) is \\(volume\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_v\\)"^^qudt:LatexString ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ExpansionRatio . + +quantitykind:CyclotronAngularFrequency a qudt:QuantityKind ; + rdfs:label "Larmor Angular Frequency"@en ; + dcterms:description "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_cyclotron_resonance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega_c = \\frac{\\left | q \\right |}{m}B\\), where \\(q\\) is the electric charge, \\(m\\) is its mass, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularFrequency . + +quantitykind:DELTA-V a qudt:QuantityKind ; + rdfs:label "Delta-V"@en ; + dcterms:description "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Delta-v"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\bigtriangleup v\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:DRY-MASS a qudt:QuantityKind ; + rdfs:label "Dry Mass"@en ; + dcterms:description "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:DebyeAngularFrequency a qudt:QuantityKind ; + rdfs:label "Debye Angular Frequency"@en ; + dcterms:description "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://lamp.tu-graz.ac.at/~hadley/ss1/phonons/table/dosdebye.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\omega_b\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularFrequency . + +quantitykind:DebyeTemperature a qudt:QuantityKind ; + rdfs:label "Debye Temperature"@en ; + dcterms:description "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye_model"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Theta_D = \\frac{\\hbar\\omega_D}{k}\\), where \\(k\\) is the Boltzmann constant, \\(\\hbar\\) is the reduced Planck constant, and \\(\\omega_D\\) is the Debye angular frequency."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Theta_D\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited." ; + rdfs:isDefinedBy . + +quantitykind:DensityInCombustionChamber a qudt:QuantityKind ; + rdfs:label "Density In Combustion Chamber"@en ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:latexSymbol "\\(\\rho_c\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:DensityOfTheExhaustGases a qudt:QuantityKind ; + rdfs:label "Density Of The Exhaust Gases"@en ; + qudt:applicableUnit unit:DEGREE_BALLING, + unit:DEGREE_BAUME, + unit:DEGREE_BAUME_US_HEAVY, + unit:DEGREE_BAUME_US_LIGHT, + unit:DEGREE_BRIX, + unit:DEGREE_OECHSLE, + unit:DEGREE_PLATO, + unit:DEGREE_TWADDELL, + unit:FemtoGM-PER-L, + unit:GM-PER-CentiM3, + unit:GM-PER-DeciL, + unit:GM-PER-DeciM3, + unit:GM-PER-L, + unit:GM-PER-M3, + unit:GM-PER-MilliL, + unit:GRAIN-PER-GAL, + unit:GRAIN-PER-GAL_US, + unit:GRAIN-PER-M3, + unit:KiloGM-PER-CentiM3, + unit:KiloGM-PER-DeciM3, + unit:KiloGM-PER-L, + unit:KiloGM-PER-M3, + unit:LB-PER-FT3, + unit:LB-PER-GAL, + unit:LB-PER-GAL_UK, + unit:LB-PER-GAL_US, + unit:LB-PER-IN3, + unit:LB-PER-M3, + unit:LB-PER-YD3, + unit:MegaGM-PER-M3, + unit:MicroGM-PER-DeciL, + unit:MicroGM-PER-L, + unit:MicroGM-PER-M3, + unit:MicroGM-PER-MilliL, + unit:MilliGM-PER-DeciL, + unit:MilliGM-PER-L, + unit:MilliGM-PER-M3, + unit:MilliGM-PER-MilliL, + unit:NanoGM-PER-DeciL, + unit:NanoGM-PER-L, + unit:NanoGM-PER-M3, + unit:NanoGM-PER-MicroL, + unit:NanoGM-PER-MilliL, + unit:OZ-PER-GAL, + unit:OZ-PER-GAL_UK, + unit:OZ-PER-GAL_US, + unit:OZ-PER-IN3, + unit:OZ-PER-YD3, + unit:PicoGM-PER-L, + unit:PicoGM-PER-MilliL, + unit:PlanckDensity, + unit:SLUG-PER-FT3, + unit:TONNE-PER-M3, + unit:TON_LONG-PER-YD3, + unit:TON_Metric-PER-M3, + unit:TON_SHORT-PER-YD3, + unit:TON_UK-PER-YD3, + unit:TON_US-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Density . + +quantitykind:Depth a qudt:QuantityKind ; + rdfs:label "Depth"@en ; + dcterms:description "Depth typically refers to the vertical measure of length from the surface of a liquid."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Depth typically refers to the vertical measure of length from the surface of a liquid." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:DewPointTemperature a qudt:QuantityKind ; + rdfs:label "Dew Point Temperature"@en ; + dcterms:description "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation." ; + qudt:symbol "T_d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:Diameter a qudt:QuantityKind ; + rdfs:label "قطر"@ar, + "průměr"@cs, + "Durchmesser"@de, + "diameter"@en, + "diámetro"@es, + "قطر"@fa, + "diamètre"@fr, + "diametro"@it, + "直径"@ja, + "średnica"@pl, + "diâmetro"@pt, + "диаметр"@ru, + "premer"@sl, + "çap"@tr, + "直径"@zh ; + dcterms:description "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Diameter"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Diameter"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = 2r\\), where \\(r\\) is the radius of the circle."^^qudt:LatexString ; + qudt:plainTextDescription "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. " ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:DiffusionArea a qudt:QuantityKind ; + rdfs:label "Diffusion Area"@en ; + dcterms:description "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+area"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class." ; + qudt:symbol "L^2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:DiffusionCoefficientForFluenceRate a qudt:QuantityKind ; + rdfs:label "Diffusion Coefficient for Fluence Rate"@en ; + dcterms:description "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ."^^rdf:HTML ; + qudt:abbreviation "m" ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_\\varphi = -\\frac{J_x}{\\frac{\\partial d\\varphi}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(\\varphi\\) is the particle fluence rate."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ." ; + qudt:symbol "Dᵩ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:DiffusionLength a qudt:QuantityKind ; + rdfs:label "Diffusion Length"@en ; + dcterms:description "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+length"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\sqrt{L^2}\\), where \\(L^2\\) is the diffusion area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:Displacement a qudt:QuantityKind ; + rdfs:label "Displacement"@en ; + dcterms:description "\"Displacement\" is the shortest distance from the initial to the final position of a point P."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_(vector)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta r = R_f - R_i\\), where \\(R_f\\) is the final position and \\(R_i\\) is the initial position."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Displacement\" is the shortest distance from the initial to the final position of a point P." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:DisplacementVectorOfIon a qudt:QuantityKind ; + rdfs:label "Displacement Vector of Ion"@en ; + dcterms:description "\"Displacement Vector of Ion\" is the ."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Displacement Vector of Ion\" is the ." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:Distance a qudt:QuantityKind ; + rdfs:label "Vzdálenost"@cs, + "Entfernung"@de, + "distance"@en, + "distancia"@es, + "مسافت"@fa, + "distance"@fr, + "distanza"@it, + "Jarak"@ms, + "distância"@pt, + "uzaklık"@tr, + "距离"@zh ; + dcterms:description "\"Distance\" is a numerical description of how far apart objects are. "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Distance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Distance\" is a numerical description of how far apart objects are. " ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:DistanceTraveledDuringBurn a qudt:QuantityKind ; + rdfs:label "Distance Traveled During a Burn"@en ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "s" ; + rdfs:isDefinedBy . + +quantitykind:DonorDensity a qudt:QuantityKind ; + rdfs:label "Donor Density"@en ; + dcterms:description "\"Donor Density\" is the number per volume of donor levels."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Donor Density\" is the number per volume of donor levels." ; + qudt:symbol "n_d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:DragCoefficient a qudt:QuantityKind ; + rdfs:label "Drag Coefficient"@en ; + dcterms:description "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:symbol "C_D" ; + rdfs:isDefinedBy . + +quantitykind:DragForce a qudt:QuantityKind ; + rdfs:label "Drag Force"@en ; + dcterms:description """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. +Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. +Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; + qudt:symbol "D or F_D" ; + rdfs:isDefinedBy . + +quantitykind:DynamicFriction a qudt:QuantityKind ; + rdfs:label "Dynamic Friction"@en ; + dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Friction . + +quantitykind:DynamicFrictionCoefficient a qudt:QuantityKind ; + rdfs:label "Dynamic Friction Coefficient"@en ; + dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{F}{N}\\), where \\(F\\) is the tangential component of the contact force and \\(N\\) is the normal component of the contact force between two sliding bodies."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:FrictionCoefficient . + +quantitykind:DynamicPressure a qudt:QuantityKind ; + rdfs:label "Dynamic Pressure"@en ; + dcterms:description "Dynamic Pressure (indicated with q, or Q, and sometimes called velocity pressure) is the quantity defined by: \\(q = 1/2 * \\rho v^{2}\\), where (using SI units), \\(q\\) is dynamic pressure in \\(pascals\\), \\(\\rho\\) is fluid density in \\(kg/m^{3}\\) (for example, density of air) and \\(v \\) is fluid velocity in \\(m/s\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dynamic_pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "q" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:EarthClosestApproachVehicleVelocity a qudt:QuantityKind ; + rdfs:label "Earth Closest Approach Vehicle Velocity"@en ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "V_o" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:VehicleVelocity . + +quantitykind:EccentricityOfOrbit a qudt:QuantityKind ; + rdfs:label "Eccentricity Of Orbit"@en ; + dcterms:description "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape." ; + rdfs:isDefinedBy . + +quantitykind:EffectiveExhaustVelocity a qudt:QuantityKind ; + rdfs:label "Effective Exhaustvelocity"@en ; + dcterms:description "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity." ; + qudt:symbol "v_{e}" ; + rdfs:isDefinedBy . + +quantitykind:EffectiveMass a qudt:QuantityKind ; + rdfs:label "Effective Mass"@en ; + dcterms:description "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Effective_mass_(solid-state_physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(m^* = \\hbar^2k(\\frac{d\\varepsilon}{dk})\\), where \\(\\hbar\\) is the reduced Planck constant, \\(k\\) is the wavenumber, and \\(\\varepsilon\\) is the energy of the electron."^^qudt:LatexString ; + qudt:plainTextDescription "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level." ; + qudt:symbol "m^*" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:Efficiency a qudt:QuantityKind ; + rdfs:label "كفاءة"@ar, + "Wirkungsgrad"@de, + "efficiency"@en, + "rendimiento"@es, + "rendement"@fr, + "efficienza"@it, + "rendimento"@it, + "効率"@ja, + "sprawność"@pl, + "eficiência"@pt, + "коэффициент полезного действия"@ru, + "效率"@zh ; + dcterms:description "Efficiency is the ratio of output power to input power."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\eta = \\frac{P_{out}}{P_{in}}\\), where \\(P_{out}\\) is the output power and \\(P_{in}\\) is the input power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Efficiency is the ratio of output power to input power." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ElectricDisplacementField a qudt:QuantityKind ; + rdfs:label "Electric Displacement Field"@en ; + qudt:applicableUnit unit:C-PER-CentiM2, + unit:C-PER-M2, + unit:C-PER-MilliM2, + unit:C_Ab-PER-CentiM2, + unit:C_Stat-PER-CentiM2, + unit:KiloC-PER-M2, + unit:MegaC-PER-M2, + unit:MicroC-PER-M2, + unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricChargePerArea . + +quantitykind:ElectricPropulsionPropellantMass a qudt:QuantityKind ; + rdfs:label "Electric Propulsion Propellant Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_P" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PropellantMass . + +quantitykind:ElectricalPowerToMassRatio a qudt:QuantityKind ; + rdfs:label "Electrical Power To Mass Ratio"@en ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ElectromotiveForce a qudt:QuantityKind ; + rdfs:label "قوة محركة كهربائية"@ar, + "Elektromotorické napětí"@cs, + "elektromotorische Kraft"@de, + "electromotive force"@en, + "fuerza electromotriz"@es, + "نیروی محرک الکتریکی"@fa, + "force électromotrice"@fr, + "विद्युतवाहक बल"@hi, + "forza elettromotrice"@it, + "起電力"@ja, + "Daya gerak elektrik"@ms, + "siła elektromotoryczna"@pl, + "força eletromotriz"@pt, + "forță electromotoare"@ro, + "электродвижущая сила"@ru, + "elektromotorna sila"@sl, + "Elektromotor kuvvet"@tr, + "電動勢"@zh ; + dcterms:description "In physics, electromotive force, or most commonly \\(emf\\) (seldom capitalized), or (occasionally) electromotance is that which tends to cause current (actual electrons and ions) to flow. More formally, \\(emf\\) is the external work expended per unit of charge to produce an electric potential difference across two open-circuited terminals. \"Electromotive Force\" is deprecated in the ISO System of Quantities."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electromotive_force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerElectricCharge . + +quantitykind:ElectronAffinity a qudt:QuantityKind ; + rdfs:label "Electron Affinity"@en ; + dcterms:description "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_affinity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:ElectronDensity a qudt:QuantityKind ; + rdfs:label "Electron Density"@en ; + dcterms:description "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_density"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:ElectronMeanFreePath a qudt:QuantityKind ; + rdfs:label "Electron Mean Free Path"@en ; + dcterms:description "\"Electron Mean Free Path\" is the mean free path of electrons."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Mean Free Path\" is the mean free path of electrons." ; + qudt:symbol "l_e" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ElectronRadius a qudt:QuantityKind ; + rdfs:label "Electron Radius"@en ; + dcterms:description "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Classical_electron_radius"^^xsd:anyURI ; + qudt:latexDefinition "\\(r_e = \\frac{e^2}{4\\pi m_e c_0^2}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(m_e\\) is the rest mass of electrons, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron." ; + qudt:symbol "r_e" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:EllipticalOrbitApogeeVelocity a qudt:QuantityKind ; + rdfs:label "Elliptical Orbit Apogee Velocity"@en ; + dcterms:description "Velocity at apogee for an elliptical orbit velocity"^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity" ; + qudt:symbol "V_a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:VehicleVelocity . + +quantitykind:EllipticalOrbitPerigeeVelocity a qudt:QuantityKind ; + rdfs:label "Elliptical Orbit Perigee Velocity"@en ; + dcterms:description "Velocity at apogee for an elliptical orbit velocity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity." ; + qudt:symbol "V_p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:VehicleVelocity . + +quantitykind:EnergyExpenditure a qudt:QuantityKind ; + rdfs:label "Energy Expenditure"@en ; + dcterms:description """Energy expenditure is dependent on a person's sex, metabolic rate, body-mass composition, the thermic effects of food, and activity level. The approximate energy expenditure of a man lying in bed is \\(1.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For slow walking (just over two miles per hour), \\(3.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For fast steady running (about 10 miles per hour), \\(16.3\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). +Females expend about 10 per cent less energy than males of the same size doing a comparable activity. For people weighing the same, individuals with a high percentage of body fat usually expend less energy than lean people, because fat is not as metabolically active as muscle."""^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001\\).0001/acref-9780198631477-e-594"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:EnergyFluenceRate a qudt:QuantityKind ; + rdfs:label "Energy Fluence Rate"@en ; + dcterms:description "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\frac{d\\Psi}{dt}\\), where \\(d\\Psi\\) is the increment of the energy fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time." ; + qudt:symbol "Ψ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:EnergyImparted a qudt:QuantityKind ; + rdfs:label "Energy Imparted"@en ; + dcterms:description "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing radiation in the matter in a given 3D domain, \\(\\varepsilon = \\sum_i \\varepsilon_i\\), where the energy deposit, \\(\\varepsilon_i\\) is the energy deposited in a single interaction \\(i\\), and is given by \\(\\varepsilon_i = \\varepsilon_{in} - \\varepsilon_{out} + Q\\), where \\(\\varepsilon_{in}\\) is the energy of the incident ionizing particle, excluding rest energy, \\(\\varepsilon_{out}\\) is the sum of the energies of all ionizing particles leaving the interaction, excluding rest energy, and \\(Q\\) is the change in the rest energies of the nucleus and of all particles involved in the interaction."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume." ; + qudt:symbol "ε" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:EnergyKinetic a qudt:QuantityKind ; + rdfs:label "طاقة حركية"@ar, + "kinetická energie"@cs, + "kinetische Energie"@de, + "kinetic energy"@en, + "energía cinética"@es, + "انرژی جنبشی"@fa, + "énergie cinétique"@fr, + "गतिज ऊर्जा"@hi, + "energia cinetica"@it, + "運動エネルギー"@ja, + "Tenaga kinetik"@ms, + "energia kinetyczna"@pl, + "energia cinética"@pt, + "Energie cinetică"@ro, + "кинетическая энергия"@ru, + "Kinetik enerji"@tr, + "动能"@zh ; + dcterms:description "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; + qudt:plainTextDescription "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:EnergyLevel a qudt:QuantityKind ; + rdfs:label "Energy Level"@en ; + dcterms:description "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:EquilibriumPositionVectorOfIon a qudt:QuantityKind ; + rdfs:label "Equilibrium Position Vector of Ion"@en ; + dcterms:description "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium." ; + qudt:symbol "R_0" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:EquivalentAbsorptionArea a qudt:QuantityKind ; + rdfs:label "Equivalent absorption area"@en ; + dcterms:description "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power."^^rdf:HTML ; + qudt:abbreviation "m2" ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.rockfon.co.uk/acoustics/comparing+ceilings/sound+absorption/equivalent+absorption+area"^^xsd:anyURI ; + qudt:plainTextDescription "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power." ; + qudt:symbol "A" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:EvaporativeHeatTransfer a qudt:QuantityKind ; + rdfs:label "Evaporative Heat Transfer"@en ; + dcterms:description "\"Evaporative Heat Transfer\" is "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_e\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Evaporative Heat Transfer\" is " ; + rdfs:isDefinedBy . + +quantitykind:ExhaustGasMeanMolecularWeight a qudt:QuantityKind ; + rdfs:label "Exhaust Gas Mean Molecular Weight"@en ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:ExhaustGasesSpecificHeat a qudt:QuantityKind ; + rdfs:label "Exhaust Gases Specific Heat"@en ; + dcterms:description "Specific heat of exhaust gases at constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F, + unit:BTU_IT-PER-LB-DEG_R, + unit:BTU_IT-PER-LB_F-DEG_F, + unit:BTU_IT-PER-LB_F-DEG_R, + unit:BTU_TH-PER-LB-DEG_F, + unit:CAL_IT-PER-GM-DEG_C, + unit:CAL_IT-PER-GM-K, + unit:CAL_TH-PER-GM-DEG_C, + unit:CAL_TH-PER-GM-K, + unit:J-PER-GM-K, + unit:J-PER-KiloGM-K, + unit:KiloCAL-PER-GM-DEG_C ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat of exhaust gases at constant pressure." ; + qudt:symbol "c_p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificHeatCapacity . + +quantitykind:ExhaustStreamPower a qudt:QuantityKind ; + rdfs:label "Exhaust Stream Power"@en ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:ExitPlaneCrossSectionalArea a qudt:QuantityKind ; + rdfs:label "Exit Plane Cross-sectional Area"@en ; + dcterms:description "Cross-sectional area at exit plane of nozzle"^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Cross-sectional area at exit plane of nozzle" ; + qudt:symbol "A_{e}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:ExitPlanePressure a qudt:QuantityKind ; + rdfs:label "Exit Plane Pressure"@en ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p_{e}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:ExitPlaneTemperature a qudt:QuantityKind ; + rdfs:label "Exit Plane Temperature"@en ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:symbol "T_e" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:Exposure a qudt:QuantityKind ; + rdfs:label "Exposure"@en ; + dcterms:description "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2-PER-J-SEC, + unit:C-PER-KiloGM, + unit:HZ-PER-T, + unit:KiloR, + unit:MegaHZ-PER-T, + unit:MilliC-PER-KiloGM, + unit:MilliR, + unit:PER-T-SEC, + unit:R ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exposure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exposure_%28photography%29"^^xsd:anyURI, + "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For X-or gamma radiation, \\(X = \\frac{dQ}{dm}\\), where \\(dQ\\) is the absolute value of the mean total electric charge of the ions of the same sign produced in dry air when all the electrons and positrons liberated or created by photons in an element of air are completely stopped in air, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricChargePerMass . + +quantitykind:FLIGHT-PERFORMANCE-RESERVE-PROPELLANT-MASS a qudt:QuantityKind ; + rdfs:label "Flight Performance Reserve Propellant Mass"@en ; + dcterms:description "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading." ; + rdfs:isDefinedBy ; + skos:altLabel "FPR" ; + skos:broader quantitykind:Mass . + +quantitykind:FUEL-BIAS a qudt:QuantityKind ; + rdfs:label "Fuel Bias"@en ; + dcterms:description "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:FermiEnergy a qudt:QuantityKind ; + rdfs:label "Fermi Energy"@en ; + dcterms:description "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature." ; + qudt:symbol "E_F" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:FermiTemperature a qudt:QuantityKind ; + rdfs:label "Fermi Temperature"@en ; + dcterms:description "\"Fermi Temperature\" is the temperature associated with the Fermi energy."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(T_F = \\frac{E_F}{k}\\), where \\(E_F\\) is the Fermi energy and \\(k\\) is the Boltzmann constant."^^qudt:LatexString ; + qudt:plainTextDescription "\"Fermi Temperature\" is the temperature associated with the Fermi energy." ; + qudt:symbol "T_F" ; + rdfs:isDefinedBy . + +quantitykind:FinalOrCurrentVehicleMass a qudt:QuantityKind ; + rdfs:label "Final Or Current Vehicle Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:FirstMomentOfArea a qudt:QuantityKind ; + rdfs:label "First Moment of Area"@en ; + dcterms:description "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT, + unit:ANGSTROM3, + unit:BBL, + unit:BBL_UK_PET, + unit:BBL_US, + unit:CentiM3, + unit:DecaL, + unit:DecaM3, + unit:DeciL, + unit:DeciM3, + unit:FBM, + unit:FT3, + unit:FemtoL, + unit:GI_UK, + unit:GI_US, + unit:GT, + unit:HectoL, + unit:IN3, + unit:Kilo-FT3, + unit:KiloL, + unit:L, + unit:M3, + unit:MI3, + unit:MegaL, + unit:MicroL, + unit:MicroM3, + unit:MilliL, + unit:MilliM3, + unit:NanoL, + unit:OZ_VOL_UK, + unit:PINT, + unit:PINT_UK, + unit:PK_UK, + unit:PicoL, + unit:PlanckVolume, + unit:QT_UK, + unit:QT_US, + unit:RT, + unit:STR, + unit:Standard, + unit:TBSP, + unit:TON_SHIPPING_US, + unit:TSP, + unit:YD3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Volume . + +quantitykind:FirstStageMassRatio a qudt:QuantityKind ; + rdfs:label "First Stage Mass Ratio"@en ; + dcterms:description "Mass ratio for the first stage of a multistage launcher."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM, + unit:GM-PER-GM, + unit:GM-PER-KiloGM, + unit:KiloGM-PER-KiloGM, + unit:MicroGM-PER-GM, + unit:MicroGM-PER-KiloGM, + unit:MilliGM-PER-GM, + unit:MilliGM-PER-KiloGM, + unit:NanoGM-PER-KiloGM, + unit:PicoGM-PER-GM, + unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Mass ratio for the first stage of a multistage launcher." ; + qudt:symbol "R_1" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MassRatio . + +quantitykind:FissionCoreRadiusToHeightRatio a qudt:QuantityKind ; + rdfs:label "Fission Core Radius To Height Ratio"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "R/H" ; + rdfs:isDefinedBy . + +quantitykind:FissionFuelUtilizationFactor a qudt:QuantityKind ; + rdfs:label "Fission Fuel Utilization Factor"@en ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:FissionMultiplicationFactor a qudt:QuantityKind ; + rdfs:label "Fission Multiplication Factor"@en ; + dcterms:description "The number of fission neutrons produced per absorption in the fuel."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The number of fission neutrons produced per absorption in the fuel." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:FlightPathAngle a qudt:QuantityKind ; + rdfs:label "Flight Path Angle"@en ; + dcterms:description "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:FundamentalLatticeVector a qudt:QuantityKind ; + rdfs:label "Fundamental Lattice vector"@en ; + dcterms:description "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice." ; + qudt:symbol "a_1, a_2, a_3" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:LatticeVector . + +quantitykind:FundamentalReciprocalLatticeVector a qudt:QuantityKind ; + rdfs:label "Fundamental Reciprocal Lattice Vector"@en ; + dcterms:description "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_lattice"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice." ; + qudt:symbol "b_1, b_2, b_3" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularReciprocalLatticeVector . + +quantitykind:GROSS-LIFT-OFF-WEIGHT a qudt:QuantityKind ; + rdfs:label "Gross Lift-Off Weight"@en ; + dcterms:description "The sum of a rocket's inert mass and usable fluids and gases at sea level."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maximum_Takeoff_Weight"^^xsd:anyURI ; + qudt:plainTextDescription "The sum of a rocket's inert mass and usable fluids and gases at sea level." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:Gain a qudt:QuantityKind ; + rdfs:label "Gain"@en ; + dcterms:description "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gain"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:GrandCanonicalPartitionFunction a qudt:QuantityKind ; + rdfs:label "Grand Canonical Partition Function"@en ; + dcterms:description "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Xi = \\sum_{N_A, N_B, ...} Z(N_A, N_B, ...) \\cdot \\lambda_A^{N_A} \\cdot \\lambda_B^{N_B} \\cdot ...\\), where \\(Z(N_A, N_B, ...)\\) is the canonical partition function for the given number of particles \\(A, B, ...,\\), and \\(\\lambda_A, \\lambda_B, ...\\) are the absolute activities of particles \\(A, B, ...\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CanonicalPartitionFunction . + +quantitykind:GustatoryThreshold a qudt:QuantityKind ; + rdfs:label "Gustatory Threshold"@en ; + dcterms:description "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_g}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances." ; + rdfs:isDefinedBy . + +quantitykind:Half-Life a qudt:QuantityKind ; + rdfs:label "Poločas rozpadu"@cs, + "Halbwertszeit"@de, + "half-life"@en, + "semiperiodo"@es, + "نیمه عمر"@fa, + "temps de demi-vie"@fr, + "semivita"@it, + "tempo di dimezzamento"@it, + "Separuh hayat"@ms, + "meia-vida"@pt, + "yarılanma süresi"@tr, + "半衰期"@zh ; + dcterms:description "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-life"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei." ; + qudt:symbol "T_{1/2}" ; + rdfs:isDefinedBy . + +quantitykind:Half-ValueThickness a qudt:QuantityKind ; + rdfs:label "Half-Value Thickness"@en ; + dcterms:description "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half." ; + qudt:symbol "d_{1/2}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:Heat a qudt:QuantityKind ; + rdfs:label "حرارة"@ar, + "jednotka tepla"@cs, + "Wärme"@de, + "Wärmemenge"@de, + "amount of heat"@en, + "heat"@en, + "calor"@es, + "کمیت گرما"@fa, + "chaleur"@fr, + "quantité de chaleur"@fr, + "ऊष्मा"@hi, + "calore"@it, + "quantità di calore"@it, + "熱量"@ja, + "labor"@la, + "jumlah haba"@ms, + "kuantiti haba Haba"@ms, + "ciepło"@pl, + "quantidade de calor"@pt, + "cantitate de căldură"@ro, + "Теплота"@ru, + "toplota"@sl, + "ısı miktarı"@tr, + "热量"@zh ; + dcterms:description "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)."^^rdf:HTML ; + qudt:abbreviation "heat" ; + qudt:applicableUnit unit:BTU_IT, + unit:BTU_MEAN, + unit:BTU_TH, + unit:CAL_15_DEG_C, + unit:CAL_IT, + unit:CAL_MEAN, + unit:CAL_TH, + unit:GigaJ, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloCAL_IT, + unit:KiloCAL_Mean, + unit:KiloCAL_TH, + unit:KiloJ, + unit:MegaJ, + unit:THM_EEC, + unit:THM_US, + unit:TON_FG-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ThermalEnergy . + +quantitykind:HeatCapacityRatio a qudt:QuantityKind ; + rdfs:label "Heat Capacity Ratio"@en ; + dcterms:description "The heat capacity ratio, or ratio of specific heats, is the ratio of the heat capacity at constant pressure (\\(C_P\\)) to heat capacity at constant volume (\\(C_V\\)). For an ideal gas, the heat capacity is constant with temperature (\\(\\theta\\)). Accordingly we can express the enthalpy as \\(H = C_P*\\theta\\) and the internal energy as \\(U = C_V \\cdot \\theta\\). Thus, it can also be said that the heat capacity ratio is the ratio between enthalpy and internal energy."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heat_capacity_ratio"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H-1T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:HeatFlowRatePerUnitArea a qudt:QuantityKind ; + rdfs:label "Heat Flow Rate per Unit Area"@en ; + dcterms:description "\\(\\textit{Heat Flux}\\) is the heat rate per unit area. In SI units, heat flux is measured in \\(W/m^2\\). Heat rate is a scalar quantity, while heat flux is a vectorial quantity. To define the heat flux at a certain point in space, one takes the limiting case where the size of the surface becomes infinitesimally small."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_flux"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:HeatFluxDensity a qudt:QuantityKind ; + rdfs:label "Heat Flux Density"@en ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:HeatingValue a qudt:QuantityKind ; + rdfs:label "Calorific Value"@en, + "Energy Value"@en, + "Heating Value"@en ; + dcterms:description "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. "^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB, + unit:BTU_TH-PER-LB, + unit:CAL_IT-PER-GM, + unit:CAL_TH-PER-GM, + unit:ERG-PER-G, + unit:ERG-PER-GM, + unit:J-PER-GM, + unit:J-PER-KiloGM, + unit:KiloCAL-PER-GM, + unit:KiloJ-PER-KiloGM, + unit:KiloLB_F-FT-PER-LB, + unit:MegaJ-PER-KiloGM, + unit:MilliJ-PER-GM, + unit:N-M-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Heat_of_combustion"^^xsd:anyURI, + "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcheatingvaluemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. " ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificEnergy . + +quantitykind:Height a qudt:QuantityKind ; + rdfs:label "Výška"@cs, + "Höhe"@de, + "height"@en, + "altura"@es, + "ارتفاع"@fa, + "hauteur"@fr, + "altezza"@it, + "Ketinggian"@ms, + "altura"@pt, + "Înălțime"@ro, + "высота"@ru, + "yükseklik"@tr, + "高度"@zh ; + dcterms:description "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is."^^rdf:HTML ; + qudt:abbreviation "height" ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Height"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Height"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is." ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:HoleDensity a qudt:QuantityKind ; + rdfs:label "Hole Density"@en ; + dcterms:description "\"Hole Density\" is the number of holes per volume in a valence band."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Hole Density\" is the number of holes per volume in a valence band." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:HorizontalVelocity a qudt:QuantityKind ; + rdfs:label "Horizontal Velocity"@en ; + dcterms:description "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air." ; + qudt:symbol "V_{X}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:INERT-MASS a qudt:QuantityKind ; + rdfs:label "Inert Mass"@en ; + dcterms:description "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:IgnitionIntervalTime a qudt:QuantityKind ; + rdfs:label "Ignition interval time"@en ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:InitialExpansionRatio a qudt:QuantityKind ; + rdfs:label "Initial Expansion Ratio"@en ; + qudt:applicableUnit unit:PER-K, + unit:PPM-PER-K, + unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ExpansionRatio . + +quantitykind:InitialNozzleThroatDiameter a qudt:QuantityKind ; + rdfs:label "Initial Nozzle Throat Diameter"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NozzleThroatDiameter . + +quantitykind:InitialVehicleMass a qudt:QuantityKind ; + rdfs:label "Initial Vehicle Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{o}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:InitialVelocity a qudt:QuantityKind ; + rdfs:label "Initial Velocity"@en ; + dcterms:description "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged." ; + qudt:symbol "V_{i}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:IntinsicCarrierDensity a qudt:QuantityKind ; + rdfs:label "Intinsic Carrier Density"@en ; + dcterms:description "\"Intinsic Carrier Density\" is proportional to electron and hole densities."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:latexDefinition "\\(np = n_i^2\\), where \\(n\\) is electron density and \\(p\\) is hole density."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Intinsic Carrier Density\" is proportional to electron and hole densities." ; + qudt:symbol "n_i" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:InverseSquareMass a qudt:QuantityKind ; + rdfs:label "Inverse Square Mass"@en ; + dcterms:isReplacedBy quantitykind:InverseMass_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:IonCurrent a qudt:QuantityKind ; + rdfs:label "Ion Current"@en ; + dcterms:description "An ion current is the influx and/or efflux of ions through an ion channel."^^rdf:HTML ; + qudt:applicableUnit unit:A, + unit:A_Ab, + unit:A_Stat, + unit:BIOT, + unit:KiloA, + unit:MegaA, + unit:MicroA, + unit:MilliA, + unit:NanoA, + unit:PicoA, + unit:PlanckCurrent ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:plainTextDescription "An ion current is the influx and/or efflux of ions through an ion channel." ; + qudt:symbol "j" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricCurrent . + +quantitykind:IonicCharge a qudt:QuantityKind ; + rdfs:label "Ionic Charge"@en ; + dcterms:description "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it."^^rdf:HTML ; + qudt:applicableUnit unit:A-HR, + unit:A-SEC, + unit:AttoC, + unit:C, + unit:C_Ab, + unit:C_Stat, + unit:CentiC, + unit:DecaC, + unit:DeciC, + unit:E, + unit:ElementaryCharge, + unit:ExaC, + unit:F, + unit:FR, + unit:FemtoC, + unit:GigaC, + unit:HectoC, + unit:KiloA-HR, + unit:KiloC, + unit:MegaC, + unit:MicroC, + unit:MilliA-HR, + unit:MilliC, + unit:NanoC, + unit:PetaC, + unit:PicoC, + unit:PlanckCharge, + unit:TeraC, + unit:YoctoC, + unit:YottaC, + unit:ZeptoC, + unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:plainTextDescription "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it." ; + qudt:symbol "q" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricCharge . + +quantitykind:Irradiance a qudt:QuantityKind ; + rdfs:label "الطاقة الهلامية"@ar, + "Intenzita záření"@cs, + "Bestrahlungsstärke"@de, + "irradiance"@en, + "irradiancia"@es, + "پرتو افکنی/چگالی تابش"@fa, + "éclairement énergétique"@fr, + "irradianza"@it, + "熱流束"@ja, + "Kepenyinaran"@ms, + "irradiância"@pt, + "Поверхностная плотность потока энергии"@ru, + "koyuluk"@tr, + "yoğunluk"@tr, + "辐照度"@zh ; + dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; + qudt:abbreviation "W-PER-M2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:IsothermalMoistureCapacity a qudt:QuantityKind ; + rdfs:label "Isothermal Moisture Capacity"@en ; + dcterms:description "\"Isothermal Moisture Capacity\" is the capacity of a material to absorb moisture in the Effective Moisture Penetration Depth (EMPD) model."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciL-PER-GM, + unit:L-PER-KiloGM, + unit:M3-PER-KiloGM, + unit:MilliL-PER-GM, + unit:MilliL-PER-KiloGM, + unit:MilliM3-PER-GM, + unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:informativeReference "https://bigladdersoftware.com/epx/docs/8-4/engineering-reference/effective-moisture-penetration-depth-empd.html#empd-nomenclature"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificVolume . + +quantitykind:KineticEnergy a qudt:QuantityKind ; + rdfs:label "Kinetic Energy"@en ; + dcterms:description "\\(\\textit{Kinetic Energy}\\) is the energy which a body possesses as a consequence of its motion, defined as one-half the product of its mass \\(m\\) and the square of its speed \\(v\\), \\( \\frac{1}{2} mv^{2} \\). The kinetic energy per unit volume of a fluid parcel is the \\( \\frac{1}{2} p v^{2}\\) , where \\(p\\) is the density and \\(v\\) the speed of the parcel. See potential energy. For relativistic speeds the kinetic energy is given by \\(E_k = mc^2 - m_0 c^2\\), where \\(c\\) is the velocity of light in a vacuum, \\(m_0\\) is the rest mass, and \\(m\\) is the moving mass."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(T = \\frac{mv^2}{2}\\), where \\(m\\) is mass and \\(v\\) is speed."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:symbol "K", + "KE" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:LarmorAngularFrequency a qudt:QuantityKind ; + rdfs:label "Larmor Angular Frequency"@en ; + dcterms:description "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Larmor_precession#Larmor_frequency"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega_L = \\frac{e}{2m_e}B\\), where \\(e\\) is the elementary charge, \\(m_e\\) is the rest mass of electron, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega_L\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularFrequency . + +quantitykind:LatticePlaneSpacing a qudt:QuantityKind ; + rdfs:label "Lattice Plane Spacing"@en ; + dcterms:description "\"Lattice Plane Spacing\" is the distance between successive lattice planes."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lattice Plane Spacing\" is the distance between successive lattice planes." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:LengthByForce a qudt:QuantityKind ; + rdfs:label "Length Force"@en ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:LiftCoefficient a qudt:QuantityKind ; + rdfs:label "Lift Coefficient"@en ; + dcterms:description "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body." ; + qudt:symbol "C_{L}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:LiftForce a qudt:QuantityKind ; + rdfs:label "Lift Force"@en ; + dcterms:description "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:LinearExpansionCoefficient a qudt:QuantityKind ; + rdfs:label "معدل التمدد الحراري الخطي"@ar, + "linearer Ausdehnungskoeffizient"@de, + "linear expansion coefficient"@en, + "coeficiente de expansión térmica lineal"@es, + "coefficient de dilatation linéique"@fr, + "coefficiente di dilatazione lineare"@it, + "線熱膨張係数"@ja, + "współczynnik liniowej rozszerzalności cieplnej"@pl, + "coeficiente de dilatação térmica linear"@pt, + "线性热膨胀系数"@zh ; + qudt:applicableUnit unit:PER-K, + unit:PPM-PER-K, + unit:PPTM-PER-K ; + qudt:expression "\\(lnr-exp-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_l = \\frac{1}{l} \\; \\frac{dl}{dT}\\), where \\(l\\) is \\(length\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_l\\)"^^qudt:LatexString ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ExpansionRatio . + +quantitykind:LinearForce a qudt:QuantityKind ; + rdfs:label "Streckenlast"@de, + "Linear Force"@en ; + dcterms:description "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:DYN-PER-CentiM, + unit:KiloGM_F-M-PER-CentiM2, + unit:KiloLB_F-PER-FT, + unit:LB_F-PER-FT, + unit:LB_F-PER-IN, + unit:MilliN-PER-M, + unit:N-M-PER-M2, + unit:N-PER-CentiM, + unit:N-PER-M, + unit:N-PER-MilliM, + unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearforcemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerLength . + +quantitykind:LinearStiffness a qudt:QuantityKind ; + rdfs:label "Streckenlast"@de, + "Linear Force"@en ; + dcterms:description "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:DYN-PER-CentiM, + unit:KiloGM_F-M-PER-CentiM2, + unit:KiloLB_F-PER-FT, + unit:LB_F-PER-FT, + unit:LB_F-PER-IN, + unit:MilliN-PER-M, + unit:N-M-PER-M2, + unit:N-PER-CentiM, + unit:N-PER-M, + unit:N-PER-MilliM, + unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearstiffnessmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerLength . + +quantitykind:LinkedFlux a qudt:QuantityKind ; + rdfs:label "Linked Flux"@en ; + dcterms:description "\"Linked Flux\" is defined as the path integral of the magnetic vector potential. This is the line integral of a magnetic vector potential \\(A\\) along a curve \\(C\\). The line vector element \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-A, + unit:KiloWB, + unit:MX, + unit:MilliWB, + unit:N-M-PER-A, + unit:UnitPole, + unit:V_Ab-SEC, + unit:WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; + qudt:expression "\\(linked-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-24"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi_m = \\int_C A \\cdot dr\\), where \\(A\\) is magnetic vector potential and \\(dr\\) is the vector element of the curve \\(C\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString, + "\\(\\Psi_m\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MagneticFlux . + +quantitykind:LondonPenetrationDepth a qudt:QuantityKind ; + rdfs:label "London Penetration Depth"@en ; + dcterms:description "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/London_penetration_depth"^^xsd:anyURI ; + qudt:latexDefinition "If an applied magnetic field is parallel to the plane surface of a semi-infinite superconductor, the field penetrates the superconductor according to the expression \\(B(x) = B(0) \\exp{(\\frac{-x}{\\lambda_L})}\\), where \\(B\\) is magnetic flux density and \\(x\\) is the distance from the surface."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor." ; + qudt:symbol "λₗ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:LossAngle a qudt:QuantityKind ; + rdfs:label "Loss Angle"@en ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta = \\arctan d\\), where \\(d\\) is loss factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:LuminousEmittance a qudt:QuantityKind ; + rdfs:label "Luminous Emmitance"@en ; + dcterms:description "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface."^^rdf:HTML ; + qudt:applicableUnit unit:FC, + unit:LUX, + unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface." ; + qudt:symbol "M_v" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:LuminousFluxPerArea . + +quantitykind:MASS-DELIVERED a qudt:QuantityKind ; + rdfs:label "Mass Delivered"@en ; + dcterms:description "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MASS-GROWTH-ALLOWANCE a qudt:QuantityKind ; + rdfs:label "Mass Growth Allowance"@en ; + dcterms:description "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule." ; + rdfs:isDefinedBy ; + skos:altLabel "MGA" ; + skos:broader quantitykind:Mass . + +quantitykind:MASS-MARGIN a qudt:QuantityKind ; + rdfs:label "Mass Margin"@en ; + dcterms:description "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MASS-PROPERTY-UNCERTAINTY a qudt:QuantityKind ; + rdfs:label "Mass Property Uncertainty"@en ; + dcterms:description "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices." ; + rdfs:isDefinedBy . + +quantitykind:MOMENT-OF-INERTIA_Y a qudt:QuantityKind ; + rdfs:label "Moment of Inertia in the Y axis"@en ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I_{y}" ; + rdfs:isDefinedBy ; + skos:altLabel "MOI" ; + skos:broader quantitykind:MomentOfInertia . + +quantitykind:MOMENT-OF-INERTIA_Z a qudt:QuantityKind ; + rdfs:label "Moment of Inertia in the Z axis"@en ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I_{z}" ; + rdfs:isDefinedBy ; + skos:altLabel "MOI" ; + skos:broader quantitykind:MomentOfInertia . + +quantitykind:MacroscopicCrossSection a qudt:QuantityKind ; + rdfs:label "Macroscopic Cross-section"@en ; + dcterms:description "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sum = n_1\\sigma_1 + \\cdots + n_j\\sigma_j +\\), where \\(n_j\\) is the number density and \\(\\sigma_j\\) the cross-section for entities of type \\(j\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sum\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CrossSection . + +quantitykind:MacroscopicTotalCrossSection a qudt:QuantityKind ; + rdfs:label "Macroscopic Total Cross-section"@en ; + dcterms:description "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Nuclear_cross_section"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\sum_{tot}, \\sum_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CrossSection . + +quantitykind:MagneticPolarization a qudt:QuantityKind ; + rdfs:label "Magnetic Polarization"@en ; + dcterms:description "\\(\\textbf{Magnetic Polarization}\\) is a vector quantity equal to the product of the magnetization \\(M\\) and the magnetic constant \\(\\mu_0\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-54"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_m = \\mu_0 M\\), where \\(\\mu_0\\) is the magentic constant and \\(M\\) is magnetization."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_m\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso constant:MagneticConstant, + quantitykind:MagneticFieldStrength_H, + quantitykind:Magnetization . + +quantitykind:MagnetizationField a qudt:QuantityKind ; + rdfs:label "Magnetization Field"@en ; + dcterms:description "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:plainTextDescription "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricCurrentPerUnitLength . + +quantitykind:MassExcess a qudt:QuantityKind ; + rdfs:label "Mass Excess"@en ; + dcterms:description "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta = m_a - Am_u\\), where \\(m_a\\) is the rest mass of the atom, \\(A\\) is its nucleon number, and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MassOfElectricalPowerSupply a qudt:QuantityKind ; + rdfs:label "Mass Of Electrical Power Supply"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{E}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MassOfSolidBooster a qudt:QuantityKind ; + rdfs:label "Mass Of Solid Booster"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_{SB}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MassOfTheEarth a qudt:QuantityKind ; + rdfs:label "Mass Of The Earth"@en ; + dcterms:description "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:latexSymbol "\\(M_{\\oplus}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MaxExpectedOperatingThrust a qudt:QuantityKind ; + rdfs:label "Maximum Expected Operating Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:altLabel "MEOT" ; + skos:broader quantitykind:MaxOperatingThrust . + +quantitykind:MaxSeaLevelThrust a qudt:QuantityKind ; + rdfs:label "Max Sea Level Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:comment "Max Sea Level thrust (Mlbf) " ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Thrust . + +quantitykind:MaximumBeta-ParticleEnergy a qudt:QuantityKind ; + rdfs:label "Maximum Beta-Particle Energy"@en ; + dcterms:description "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process." ; + qudt:symbol "Eᵦ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:MaximumExpectedOperatingPressure a qudt:QuantityKind ; + rdfs:label "Maximum Expected Operating Pressure"@en ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:altLabel "MEOP" ; + skos:broader quantitykind:Pressure . + +quantitykind:MaximumOperatingPressure a qudt:QuantityKind ; + rdfs:label "Maximum Operating Pressure"@en ; + qudt:abbreviation "MOP" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:MeanEnergyImparted a qudt:QuantityKind ; + rdfs:label "Mean Energy Imparted"@en ; + dcterms:description "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:latexDefinition "To the matter in a given domain, \\(\\bar{\\varepsilon} = R_{in} - R_{out} + \\sum Q\\), where \\(R_{in}\\) is the radiant energy of all those charged and uncharged ionizing particles that enter the domain, \\(R_{out}\\) is the radiant energy of all those charged and uncharged ionizing particles that leave the domain, and \\(\\sum Q\\) is the sum of all changes of the rest energy of nuclei and elementary particles that occur in that domain."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter." ; + qudt:symbol "ε̅" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:MeanFreePath a qudt:QuantityKind ; + rdfs:label "Mean Free Path"@en ; + dcterms:description "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties."^^rdf:HTML ; + qudt:abbreviation "m" ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mean_free_path"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI, + "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties." ; + qudt:symbol "λ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:MeanLifetime a qudt:QuantityKind ; + rdfs:label "Mean Lifetime"@en ; + dcterms:description "The \"Mean Lifetime\" is the average length of time that an element remains in the set of discrete elements in a decaying quantity, \\(N(t)\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{1}{\\lambda}\\), where \\(\\lambda\\) is the decay constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:MeanLinearRange a qudt:QuantityKind ; + rdfs:label "Mean Linear Range"@en ; + dcterms:description "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/M03782.html"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:MechanicalEnergy a qudt:QuantityKind ; + rdfs:label "Mechanical Energy"@en ; + dcterms:description "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mechanical_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mechanical_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = T + V\\), where \\(T\\) is kinetic energy and \\(V\\) is potential energy."^^qudt:LatexString ; + qudt:plainTextDescription "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:MechanicalImpedance a qudt:QuantityKind ; + rdfs:label "Mechanical Impedance"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:MechanicalSurfaceImpedance a qudt:QuantityKind ; + rdfs:label "Mechanical surface impedance"@en ; + dcterms:description "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:latexDefinition "\\(Z_m = Z_a A^2\\), where \\(A\\) is the area of the surface considered and \\(Z_a\\) is the acoustic impedance."^^qudt:LatexString ; + qudt:plainTextDescription "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force" ; + qudt:symbol "Z" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:comment "There are various interpretations of MechanicalSurfaceImpedance: Pressure/Velocity - https://apps.dtic.mil/sti/pdfs/ADA315595.pdf, Force / Speed - https://www.wikidata.org/wiki/Q6421317, and (Pressure / Velocity)**0.5 - https://www.sciencedirect.com/topics/engineering/mechanical-impedance. We are seeking a resolution to these differences." ; + rdfs:isDefinedBy . + +quantitykind:MicroCanonicalPartitionFunction a qudt:QuantityKind ; + rdfs:label "Micro Canonical Partition Function"@en ; + dcterms:description "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Microcanonical_ensemble"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)#Grand_canonical_partition_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Omega = \\sum_r 1\\), where the sum is over all quantum states consistent with given energy. volume, external fields, and content."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Omega\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CanonicalPartitionFunction . + +quantitykind:MigrationArea a qudt:QuantityKind ; + rdfs:label "Migration Area"@en ; + dcterms:description "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons." ; + qudt:symbol "M^2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:MigrationLength a qudt:QuantityKind ; + rdfs:label "Migration Length"@en ; + dcterms:description "\"Migration Length\" is the square root of the migration area."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = \\sqrt{M^2}\\), where \\(M^2\\) is the migration area."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Migration Length\" is the square root of the migration area." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ModulusOfAdmittance a qudt:QuantityKind ; + rdfs:label "Modulus Of Admittance"@en ; + dcterms:description "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Y = \\left | \\underline{Y} \\right |\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"." ; + qudt:symbol "Y" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Admittance . + +quantitykind:MoistureDiffusivity a qudt:QuantityKind ; + rdfs:label "Moisture Diffusivity"@en ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY, + unit:BBL_UK_PET-PER-HR, + unit:BBL_UK_PET-PER-MIN, + unit:BBL_UK_PET-PER-SEC, + unit:BBL_US-PER-DAY, + unit:BBL_US-PER-MIN, + unit:BBL_US_PET-PER-HR, + unit:BBL_US_PET-PER-SEC, + unit:BU_UK-PER-DAY, + unit:BU_UK-PER-HR, + unit:BU_UK-PER-MIN, + unit:BU_UK-PER-SEC, + unit:BU_US_DRY-PER-DAY, + unit:BU_US_DRY-PER-HR, + unit:BU_US_DRY-PER-MIN, + unit:BU_US_DRY-PER-SEC, + unit:CentiM3-PER-DAY, + unit:CentiM3-PER-HR, + unit:CentiM3-PER-MIN, + unit:CentiM3-PER-SEC, + unit:DeciM3-PER-DAY, + unit:DeciM3-PER-HR, + unit:DeciM3-PER-MIN, + unit:DeciM3-PER-SEC, + unit:FT3-PER-DAY, + unit:FT3-PER-HR, + unit:FT3-PER-MIN, + unit:FT3-PER-SEC, + unit:GAL_UK-PER-DAY, + unit:GAL_UK-PER-HR, + unit:GAL_UK-PER-MIN, + unit:GAL_UK-PER-SEC, + unit:GAL_US-PER-DAY, + unit:GAL_US-PER-HR, + unit:GAL_US-PER-MIN, + unit:GAL_US-PER-SEC, + unit:GI_UK-PER-DAY, + unit:GI_UK-PER-HR, + unit:GI_UK-PER-MIN, + unit:GI_UK-PER-SEC, + unit:GI_US-PER-DAY, + unit:GI_US-PER-HR, + unit:GI_US-PER-MIN, + unit:GI_US-PER-SEC, + unit:IN3-PER-HR, + unit:IN3-PER-MIN, + unit:IN3-PER-SEC, + unit:KiloL-PER-HR, + unit:L-PER-DAY, + unit:L-PER-HR, + unit:L-PER-MIN, + unit:L-PER-SEC, + unit:M3-PER-DAY, + unit:M3-PER-HR, + unit:M3-PER-MIN, + unit:M3-PER-SEC, + unit:MilliL-PER-DAY, + unit:MilliL-PER-HR, + unit:MilliL-PER-MIN, + unit:MilliL-PER-SEC, + unit:OZ_VOL_UK-PER-DAY, + unit:OZ_VOL_UK-PER-HR, + unit:OZ_VOL_UK-PER-MIN, + unit:OZ_VOL_UK-PER-SEC, + unit:OZ_VOL_US-PER-DAY, + unit:OZ_VOL_US-PER-HR, + unit:OZ_VOL_US-PER-MIN, + unit:OZ_VOL_US-PER-SEC, + unit:PINT_UK-PER-DAY, + unit:PINT_UK-PER-HR, + unit:PINT_UK-PER-MIN, + unit:PINT_UK-PER-SEC, + unit:PINT_US-PER-DAY, + unit:PINT_US-PER-HR, + unit:PINT_US-PER-MIN, + unit:PINT_US-PER-SEC, + unit:PK_UK-PER-DAY, + unit:PK_UK-PER-HR, + unit:PK_UK-PER-MIN, + unit:PK_UK-PER-SEC, + unit:PK_US_DRY-PER-DAY, + unit:PK_US_DRY-PER-HR, + unit:PK_US_DRY-PER-MIN, + unit:PK_US_DRY-PER-SEC, + unit:QT_UK-PER-DAY, + unit:QT_UK-PER-HR, + unit:QT_UK-PER-MIN, + unit:QT_UK-PER-SEC, + unit:QT_US-PER-DAY, + unit:QT_US-PER-HR, + unit:QT_US-PER-MIN, + unit:QT_US-PER-SEC, + unit:YD3-PER-DAY, + unit:YD3-PER-HR, + unit:YD3-PER-MIN, + unit:YD3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:VolumeFlowRate . + +quantitykind:MoleFraction a qudt:QuantityKind ; + rdfs:label "Mole Fraction"@en ; + dcterms:description "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_fraction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration." ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:MolecularConcentration a qudt:QuantityKind ; + rdfs:label "Molecular Concentration"@en ; + dcterms:description "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture "^^rdf:HTML ; + qudt:abbreviation "m^{-3}" ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{N_B}{V}\\), where \\(N_B\\) is the number of molecules of \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture " ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:MorbidityRate a qudt:QuantityKind ; + rdfs:label "Morbidity Rate"@en ; + dcterms:description "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:plainTextDescription "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Incidence . + +quantitykind:NOMINAL-ASCENT-PROPELLANT-MASS a qudt:QuantityKind ; + rdfs:label "Nominal Ascent Propellant Mass"@en ; + dcterms:description "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://elib.dlr.de/68314/1/IAF10-D2.3.1.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:NeutronDiffusionLength a qudt:QuantityKind ; + rdfs:label "Neutron Diffusion Length"@en ; + dcterms:description "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e" ; + qudt:symbol "L_{r}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:NormalStress a qudt:QuantityKind ; + rdfs:label "Normal Stress"@en ; + dcterms:description "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\frac{dF_n}{dA}\\), where \\(dF_n\\) is the normal component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Stress . + +quantitykind:NormalizedDimensionlessRatio a qudt:QuantityKind ; + rdfs:label "Positive Dimensionless Ratio"@en ; + dcterms:description "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcnormalisedratiomeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:NozzleThroatCrossSectionalArea a qudt:QuantityKind ; + rdfs:label "Nozzle Throat Cross-sectional Area"@en ; + dcterms:description "Cross-sectional area of the nozzle at the throat."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Cross-sectional area of the nozzle at the throat." ; + qudt:symbol "A^*" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:NozzleThroatPressure a qudt:QuantityKind ; + rdfs:label "Nozzle Throat Pressure"@en ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "p^*" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:NozzleWallsThrustReaction a qudt:QuantityKind ; + rdfs:label "Nozzle Walls Thrust Reaction"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:symbol "F_R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:NuclearRadius a qudt:QuantityKind ; + rdfs:label "Nuclear Radius"@en ; + dcterms:description "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included"^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_nucleus"^^xsd:anyURI ; + qudt:latexDefinition "This quantity is not exactly defined. It is given approximately for nuclei in their ground state only by \\(R = r_0 A^{\\frac{1}{3}}\\), where \\(r_0 \\approx 1.2 x 10^{-15} m\\) and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included" ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:OlfactoryThreshold a qudt:QuantityKind ; + rdfs:label "Olfactory Threshold"@en ; + dcterms:description "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Odor_detection_threshold"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_o}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Concentration . + +quantitykind:OrbitalAngularMomentumPerUnitMass a qudt:QuantityKind ; + rdfs:label "Orbital Angular Momentum per Unit Mass"@en ; + dcterms:description "Angular momentum of the orbit per unit mass of the vehicle"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:plainTextDescription "Angular momentum of the orbit per unit mass of the vehicle" ; + qudt:symbol "h" ; + rdfs:isDefinedBy . + +quantitykind:OrbitalRadialDistance a qudt:QuantityKind ; + rdfs:label "Orbital Radial Distance"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:OsmoticPressure a qudt:QuantityKind ; + rdfs:label "Osmotický tlak"@cs, + "osmotischer Druck"@de, + "osmotic pressure"@en, + "presión osmótica"@es, + "فشار اسمزی"@fa, + "pression osmotique"@fr, + "pressione osmotica"@it, + "Tekanan osmotik"@ms, + "pressão osmótica"@pt, + "ozmotik basıç"@tr, + "渗透压"@zh ; + dcterms:description "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_pressure"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane." ; + qudt:symbol "Π" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:OverRangeDistance a qudt:QuantityKind ; + rdfs:label "Over-range distance"@en ; + dcterms:description "Additional distance traveled by a rocket because Of excessive initial velocity."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "Additional distance traveled by a rocket because Of excessive initial velocity." ; + qudt:symbol "s_i" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:PREDICTED-MASS a qudt:QuantityKind ; + rdfs:label "Predicted Mass"@en ; + dcterms:description "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:PRODUCT-OF-INERTIA_X a qudt:QuantityKind ; + rdfs:label "Product of Inertia in the X axis"@en ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PRODUCT-OF-INERTIA . + +quantitykind:PRODUCT-OF-INERTIA_Y a qudt:QuantityKind ; + rdfs:label "Product of Inertia in the Y axis"@en ; + dcterms:description "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PRODUCT-OF-INERTIA . + +quantitykind:PRODUCT-OF-INERTIA_Z a qudt:QuantityKind ; + rdfs:label "Product of Inertia in the Z axis"@en ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PRODUCT-OF-INERTIA . + +quantitykind:PartialPressure a qudt:QuantityKind ; + rdfs:label "Partial Pressure"@en ; + dcterms:description "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature."^^rdf:HTML ; + qudt:abbreviation "pa" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partial_pressure"^^xsd:anyURI ; + qudt:latexDefinition "\\(p_B = x_B \\cdot p\\), where \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\) and \\(p\\) is the total pressure."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature." ; + qudt:symbol "p_B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:ParticleCurrent a qudt:QuantityKind ; + rdfs:label "Particle Current"@en ; + dcterms:description "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ, + unit:HZ, + unit:KiloHZ, + unit:MegaHZ, + unit:NUM-PER-HR, + unit:NUM-PER-SEC, + unit:NUM-PER-YR, + unit:PER-DAY, + unit:PER-HR, + unit:PER-MIN, + unit:PER-MO, + unit:PER-MilliSEC, + unit:PER-SEC, + unit:PER-WK, + unit:PER-YR, + unit:PERCENT-PER-DAY, + unit:PERCENT-PER-HR, + unit:PERCENT-PER-WK, + unit:PlanckFrequency, + unit:SAMPLE-PER-SEC, + unit:TeraHZ, + unit:failures-in-time ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\int J \\cdot e_n dA = \\frac{dN}{dt}\\), where \\(e_ndA\\) is the vector surface element, \\(N\\) is the net number of particles passing over a surface, and \\(dt\\) describes the time interval."^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval." ; + qudt:symbol "J", + "S" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Frequency . + +quantitykind:ParticleNumberDensity a qudt:QuantityKind ; + rdfs:label "Particle Number Density"@en ; + dcterms:description "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number#Particle_number_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles in the 3D domain with the volume \\(V\\)."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:ParticlePositionVector a qudt:QuantityKind ; + rdfs:label "Particle Position Vector"@en ; + dcterms:description "\"Particle Position Vector\" is the position vector of a particle."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Particle Position Vector\" is the position vector of a particle." ; + qudt:symbol "r, R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:PathLength a qudt:QuantityKind ; + rdfs:label "Path Length"@en ; + dcterms:description "\"PathLength\" is "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Path_length"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"PathLength\" is " ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:PayloadMass a qudt:QuantityKind ; + rdfs:label "Payload Mass"@en ; + dcterms:description "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages." ; + qudt:symbol "M_P" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:PayloadRatio a qudt:QuantityKind ; + rdfs:label "Payload Ratio"@en ; + dcterms:description "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:PeltierCoefficient a qudt:QuantityKind ; + rdfs:label "Peltier Coefficient"@en ; + dcterms:description "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermoelectric_effect"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Pi_{ab}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b." ; + rdfs:isDefinedBy . + +quantitykind:PhaseDifference a qudt:QuantityKind ; + rdfs:label "اختلاف طور"@ar, + "Phasenverschiebungswinkel"@de, + "phase difference"@en, + "diferencia de fase"@es, + "différence de phase"@fr, + "déphasage"@fr, + "sfasamento angolare"@it, + "位相差"@ja, + "przesunięcie fazowe"@pl, + "desfasagem"@pt, + "diferença de fase"@pt ; + dcterms:description "\"Phase Difference} is the difference, expressed in electrical degrees or time, between two waves having the same frequency and referenced to the same point in time. Two oscillators that have the same frequency and different phases have a phase difference, and the oscillators are said to be out of phase with each other. The amount by which such oscillators are out of step with each other can be expressed in degrees from \\(0^\\circ\\) to \\(360^\\circ\\), or in radians from 0 to \\({2\\pi}\\). If the phase difference is \\(180^\\circ\\) (\\(\\pi\\) radians), then the two oscillators are said to be in antiphase."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:expression "\\(phase-difference\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phase_(waves)#Phase_difference"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=103-07-06"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = \\varphi_u - \\varphi_i\\), where \\(\\varphi_u\\) is the initial phase of the voltage and \\(\\varphi_i\\) is the initial phase of the electric current."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:PhononMeanFreePath a qudt:QuantityKind ; + rdfs:label "Phonon Mean Free Path"@en ; + dcterms:description "\"Phonon Mean Free Path\" is the mean free path of phonons."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Phonon Mean Free Path\" is the mean free path of phonons." ; + qudt:symbol "l_{ph}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:PhotoThresholdOfAwarenessFunction a qudt:QuantityKind ; + rdfs:label "Photo Threshold of Awareness Function"@en ; + dcterms:description "\"Photo Threshold of Awareness Function\" is the ability of the human eye to detect a light that results in a \\(1^o\\) radial angle at the eye with a given duration (temporal summation)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "https://www.britannica.com/science/human-eye/Colour-vision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:PlanarForce a qudt:QuantityKind ; + rdfs:label "Flächenlast"@de, + "Planar Force"@en ; + dcterms:description "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI, + "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifcplanarforcemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerArea . + +quantitykind:PolarMomentOfInertia a qudt:QuantityKind ; + rdfs:label "Polar moment of inertia"@en ; + dcterms:description "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. "^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:plainTextDescription "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. " ; + qudt:symbol "J_{zz}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MomentOfInertia . + +quantitykind:PolarizationField a qudt:QuantityKind ; + rdfs:label "Polarization Field"@en ; + dcterms:description "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-CentiM2, + unit:C-PER-M2, + unit:C-PER-MilliM2, + unit:C_Ab-PER-CentiM2, + unit:C_Stat-PER-CentiM2, + unit:KiloC-PER-M2, + unit:MegaC-PER-M2, + unit:MicroC-PER-M2, + unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:plainTextDescription "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume." ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricChargePerArea . + +quantitykind:PositiveDimensionlessRatio a qudt:QuantityKind ; + rdfs:label "Positive Dimensionless Ratio"@en ; + dcterms:description "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcpositiveratiomeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:PositiveLength a qudt:QuantityKind ; + rdfs:label "Positive Length"@en ; + dcterms:description "\"PositiveLength\" is a measure of length strictly greater than zero."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"PositiveLength\" is a measure of length strictly greater than zero." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NonNegativeLength . + +quantitykind:PositivePlaneAngle a qudt:QuantityKind ; + rdfs:label "Positive Plane Angle"@en ; + dcterms:description "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero."^^rdf:HTML ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; + qudt:plainTextDescription "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PlaneAngle . + +quantitykind:PotentialEnergy a qudt:QuantityKind ; + rdfs:label "طاقة وضع"@ar, + "potenciální energie"@cs, + "potentielle Energie"@de, + "potential energy"@en, + "energía potencial"@es, + "انرژی پتانسیل"@fa, + "énergie potentielle"@fr, + "स्थितिज ऊर्जा"@hi, + "energia potenziale"@it, + "位置エネルギー"@ja, + "Tenaga keupayaan"@ms, + "Energia potencjalna"@pl, + "energia potencial"@pt, + "Energie potențială"@ro, + "потенциальная энергия"@ru, + "Potansiyel enerji"@tr, + "势能"@zh ; + dcterms:description "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Potential_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Potential_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(V = -\\int F \\cdot dr\\), where \\(F\\) is a conservative force and \\(R\\) is a position vector."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion." ; + qudt:symbol "PE", + "U" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:PressureBurningRateConstant a qudt:QuantityKind ; + rdfs:label "Pressure Burning Rate Constant"@en ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:PressureBurningRateIndex a qudt:QuantityKind ; + rdfs:label "Pressure Burning Rate Index"@en ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:PropellantMeanBulkTemperature a qudt:QuantityKind ; + rdfs:label "Propellant Mean Bulk Temperature"@en ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + skos:altLabel "PMBT" ; + skos:broader quantitykind:PropellantTemperature . + +quantitykind:RESERVE-MASS a qudt:QuantityKind ; + rdfs:label "Reserve Mass"@en ; + dcterms:description "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://eaton.math.rpi.edu/CSUMS/Papers/EcoEnergy/koojimanconserve.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)." ; + qudt:symbol "M_{E}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:RF-Power a qudt:QuantityKind ; + rdfs:label "RF-Power Level"@en ; + dcterms:description "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV-PER-M, + unit:MegaV-PER-M, + unit:MicroV-PER-M, + unit:MilliV-PER-M, + unit:V-PER-CentiM, + unit:V-PER-IN, + unit:V-PER-M, + unit:V-PER-MilliM, + unit:V_Ab-PER-CentiM, + unit:V_Stat-PER-CentiM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "https://www.analog.com/en/technical-articles/measurement-control-rf-power-parti.html"^^xsd:anyURI ; + qudt:plainTextDescription "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SignalStrength . + +quantitykind:RadialDistance a qudt:QuantityKind ; + rdfs:label "Radial Distance"@en ; + dcterms:description "In classical geometry, the \"Radial Distance\" is a coordinate in polar coordinate systems (r, \\(\\theta\\)). Basically the radial distance is the scalar Euclidean distance between a point and the origin of the system of coordinates."^^qudt:LatexString ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radial_distance_(geometry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\sqrt{r_1^2 + r_2^2 -2r_1r_2\\cos{(\\theta_1 - \\theta_2)}}\\), where \\(P_1\\) and \\(P_2\\) are two points with polar coordinates \\((r_1, \\theta_1)\\) and \\((r_2, \\theta_2)\\), respectively, and \\(d\\) is the distance."^^qudt:LatexString ; + qudt:latexSymbol "\\(r_Q, \\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:RadiantEmmitance a qudt:QuantityKind ; + rdfs:label "Radiant Emmitance"@en ; + dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux leaving the element of the surface area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:RadiantExposure a qudt:QuantityKind ; + rdfs:label "Radiant Exposure"@en ; + dcterms:description "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure."^^rdf:HTML ; + qudt:abbreviation "J-PER-CM2" ; + qudt:applicableUnit unit:BTU_IT-PER-FT2, + unit:FT-LB_F-PER-FT2, + unit:FT-LB_F-PER-M2, + unit:GigaJ-PER-M2, + unit:J-PER-CentiM2, + unit:J-PER-M2, + unit:KiloBTU_IT-PER-FT2, + unit:KiloCAL-PER-CentiM2, + unit:KiloGM-PER-SEC2, + unit:KiloW-HR-PER-M2, + unit:MegaJ-PER-M2, + unit:N-M-PER-M2, + unit:PicoPA-PER-KiloM, + unit:W-HR-PER-M2, + unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://omlc.ogi.edu/education/ece532/class1/irradiance.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = \\int_{0}^{\\Delta t}{E}{dt}\\), where \\(E\\) is the irradiance acting during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure." ; + qudt:symbol "H_e" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerArea . + +quantitykind:RadiantFluenceRate a qudt:QuantityKind ; + rdfs:label "Radiant Fluence Rate"@en ; + dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; + qudt:abbreviation "M-PER-T3" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://goldbook.iupac.org/FT07376.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_0 = \\int{L}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L\\) its radiance at that point in the direction of the beam."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; + qudt:symbol "E_e,0" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:RadiantFlux a qudt:QuantityKind ; + rdfs:label "قدرة إشعاعية"@ar, + "Strahlungsfluss"@de, + "Strahlungsleistung"@de, + "radiant flux"@en, + "radiant power"@en, + "flujo radiante"@es, + "potencia radiante"@es, + "flux énergétique"@fr, + "puissance rayonnante"@fr, + "flusso radiante"@it, + "potenza radiante"@it, + "放射パワー"@ja, + "moc promieniowania"@pl, + "moc promienista"@pl, + "fluxo energético"@pt, + "potência radiante"@pt ; + dcterms:description "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface."^^rdf:HTML ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_flux"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\frac{dQ}{dt}\\), where \\(dQ\\) is the radiant energy emitted, transferred, or received during a time interval of the duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:RadiativeHeatTransfer a qudt:QuantityKind ; + rdfs:label "Radiative Heat Transfer"@en ; + dcterms:description "\"Radiative Heat Transfer\" is proportional to \\((T_1^4 - T_2^4)\\) and area of the surface, where \\(T_1\\) and \\(T_2\\) are thermodynamic temperatures of two black surfaces, for non totally black surfaces an additional factor less than 1 is needed."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-MIN, + unit:BTU_IT-PER-SEC, + unit:BTU_TH-PER-HR, + unit:BTU_TH-PER-MIN, + unit:BTU_TH-PER-SEC, + unit:CAL_TH-PER-MIN, + unit:CAL_TH-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloBTU_TH-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloCAL_TH-PER-HR, + unit:KiloCAL_TH-PER-MIN, + unit:KiloCAL_TH-PER-SEC, + unit:MegaBTU_IT-PER-HR, + unit:THM_US-PER-HR, + unit:TON_FG ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Radiation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi_r\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:HeatFlowRate . + +quantitykind:RadiusOfCurvature a qudt:QuantityKind ; + rdfs:label "Radius of Curvature"@en ; + dcterms:description "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radius_of_curvature_(mathematics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ReactionEnergy a qudt:QuantityKind ; + rdfs:label "Reaction Energy"@en ; + dcterms:description "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:ReactorTimeConstant a qudt:QuantityKind ; + rdfs:label "Reactor Time Constant"@en ; + dcterms:description "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/r/reactor-time-constant.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially." ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:Reflectivity a qudt:QuantityKind ; + rdfs:label "Reflectivity"@en ; + dcterms:description """

For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number.

+ +

For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.

"""^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:PERCENT, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription """For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number. + +For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.""" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Reflectance . + +quantitykind:RelativeAtomicMass a qudt:QuantityKind ; + rdfs:label "Relative Atomic Mass"@en ; + dcterms:description "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_atomic_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)" ; + qudt:symbol "A_r" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:RelativeMassDefect a qudt:QuantityKind ; + rdfs:label "Relative Mass Defect"@en ; + dcterms:description "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(B_r = \\frac{B}{m_u}\\), where \\(B\\) is the mass defect and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "B_r" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassDefect ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:RelativeMolecularMass a qudt:QuantityKind ; + rdfs:label "Relative Molecular Mass"@en ; + dcterms:description "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule." ; + qudt:symbol "M_r" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:RelaxationTIme a qudt:QuantityKind ; + rdfs:label "Relaxation TIme"@en ; + dcterms:description "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relaxation_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:ResonanceEnergy a qudt:QuantityKind ; + rdfs:label "Resonance Energy"@en ; + dcterms:description "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction_analysis"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction." ; + qudt:symbol "E_r, E_{res}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:ResonanceEscapeProbabilityForFission a qudt:QuantityKind ; + rdfs:label "Resonance Escape Probability For Fission"@en ; + dcterms:description "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed." ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:RestEnergy a qudt:QuantityKind ; + rdfs:label "Rest Energy"@en ; + dcterms:description "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass#Rest_energy"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For a particle, \\(E_0 = m_0 c_0^2\\), where \\(m_0\\) is the rest mass of that particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared." ; + qudt:symbol "E_0" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:RestMass a qudt:QuantityKind ; + rdfs:label "كتلة ساكنة"@ar, + "Klidová hmotnost"@cs, + "Ruhemasse"@de, + "träge Masse"@de, + "rest mass"@en, + "masa invariante"@es, + "جرم سکون"@fa, + "masse au repos"@fr, + "masse invariante"@fr, + "masse propre"@fr, + "निश्चर द्रव्यमान"@hi, + "massa a riposo"@it, + "不変質量"@ja, + "Jisim rehat"@ms, + "masa niezmiennicza"@pl, + "masa spoczynkowa"@pl, + "massa de repouso"@pt, + "masa invariantă"@ro, + "инвариантная масса"@ru, + "масса покоя"@ru, + "Mirovna masa"@sl, + "invariantna masa"@sl, + "lastna masa"@sl, + "dinlenme kütlesi"@tr, + "静止质量"@zh ; + dcterms:description "The \\(\\textit{Rest Mass}\\), the invariant mass, intrinsic mass, proper mass, or (in the case of bound systems or objects observed in their center of momentum frame) simply mass, is a characteristic of the total energy and momentum of an object or a system of objects that is the same in all frames of reference related by Lorentz transformations. The mass of a particle type X (electron, proton or neutron) when that particle is at rest. For an electron: \\(m_e = 9,109 382 15(45) 10^{-31} kg\\), for a proton: \\(m_p = 1,672 621 637(83) 10^{-27} kg\\), for a neutron: \\(m_n = 1,674 927 211(84) 10^{-27} kg\\). Rest mass is often denoted \\(m_0\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m_X" ; + rdfs:isDefinedBy ; + skos:altLabel "Proper Mass" ; + skos:broader quantitykind:Mass . + +quantitykind:ReverberationTime a qudt:QuantityKind ; + rdfs:label "Reverberation Time"@en ; + dcterms:description "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reverberation"^^xsd:anyURI ; + qudt:plainTextDescription "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound." ; + qudt:symbol "T" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:RocketAtmosphericTransverseForce a qudt:QuantityKind ; + rdfs:label "Rocket Atmospheric Transverse Force"@en ; + dcterms:description "Transverse force on rocket due to an atmosphere"^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "Transverse force on rocket due to an atmosphere" ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:RotationalStiffness a qudt:QuantityKind ; + rdfs:label "Rotational Stiffness"@en ; + dcterms:description "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque."^^rdf:HTML ; + qudt:applicableUnit unit:N-M-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:plainTextDescription "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:TorquePerAngle . + +quantitykind:SecondMomentOfArea a qudt:QuantityKind ; + rdfs:label "Flächenträgheitsmoment"@de, + "second moment of area"@en, + "segundo momento de érea"@es, + "گشتاور دوم سطح"@fa, + "moment quadratique"@fr, + "क्षेत्रफल का द्वितीय आघूर्ण"@hi, + "secondo momento di area"@it, + "断面二次モーメント"@ja, + "Geometryczny moment bezwładności"@pl, + "Segundo momento de área"@pt, + "momento de inércia de área"@pt, + "截面二次轴矩"@zh ; + dcterms:description "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:plainTextDescription "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section." ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MomentOfInertia . + +quantitykind:SecondStageMassRatio a qudt:QuantityKind ; + rdfs:label "Second Stage Mass Ratio"@en ; + dcterms:description "Mass ratio for the second stage of a multistage launcher."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM, + unit:GM-PER-GM, + unit:GM-PER-KiloGM, + unit:KiloGM-PER-KiloGM, + unit:MicroGM-PER-GM, + unit:MicroGM-PER-KiloGM, + unit:MilliGM-PER-GM, + unit:MilliGM-PER-KiloGM, + unit:NanoGM-PER-KiloGM, + unit:PicoGM-PER-GM, + unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Mass ratio for the second stage of a multistage launcher." ; + qudt:symbol "R_2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MassRatio . + +quantitykind:ShannonDiversityIndex a qudt:QuantityKind ; + rdfs:label "Shannon Diversity Index" ; + dcterms:description "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity."^^rdf:HTML ; + qudt:applicableUnit unit:BAN, + unit:BIT, + unit:BYTE, + unit:ERLANG, + unit:ExaBYTE, + unit:ExbiBYTE, + unit:GibiBYTE, + unit:GigaBYTE, + unit:HART, + unit:KibiBYTE, + unit:KiloBYTE, + unit:MebiBYTE, + unit:MegaBYTE, + unit:NAT, + unit:PebiBYTE, + unit:PetaBYTE, + unit:SHANNON, + unit:TebiBYTE, + unit:TeraBYTE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InformationEntropy . + +quantitykind:ShearStrain a qudt:QuantityKind ; + rdfs:label "Shear Strain"@en ; + dcterms:description "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. "^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{\\Delta x}{d}\\), where \\(\\Delta x\\) is the parallel displacement between two surfaces of a layer of thickness \\(d\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. " ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Strain . + +quantitykind:ShearStress a qudt:QuantityKind ; + rdfs:label "Shear Stress" ; + dcterms:description "Shear stress occurs when the force occurs in shear, or perpendicular to the normal."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{dF_t}{dA}\\), where \\(dF_t\\) is the tangential component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Shear stress occurs when the force occurs in shear, or perpendicular to the normal." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Stress . + +quantitykind:SingleStageLauncherMassRatio a qudt:QuantityKind ; + rdfs:label "Single Stage Launcher Mass Ratio"@en ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM, + unit:GM-PER-GM, + unit:GM-PER-KiloGM, + unit:KiloGM-PER-KiloGM, + unit:MicroGM-PER-GM, + unit:MicroGM-PER-KiloGM, + unit:MilliGM-PER-GM, + unit:MilliGM-PER-KiloGM, + unit:NanoGM-PER-KiloGM, + unit:PicoGM-PER-GM, + unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "R_o" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MassRatio . + +quantitykind:Slowing-DownArea a qudt:QuantityKind ; + rdfs:label "Slowing-Down Area"@en ; + dcterms:description "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy." ; + qudt:symbol "L_s^2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:Slowing-DownLength a qudt:QuantityKind ; + rdfs:label "Slowing-Down Length"@en ; + dcterms:description "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://nuclearpowertraining.tpub.com/h1013v2/css/h1013v2_32.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization." ; + qudt:symbol "L_s" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:SolidStateDiffusionLength a qudt:QuantityKind ; + rdfs:label "Diffusion Length (Solid State Physics)"@en ; + dcterms:description "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor "^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://pveducation.org/pvcdrom/pn-junction/diffusion-length"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\sqrt{D\\tau}\\), where \\(D\\) is the diffusion coefficient and \\(\\tau\\) is lifetime."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor " ; + qudt:symbol "L, L_n, L_p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:SoundEnergyDensity a qudt:QuantityKind ; + rdfs:label "Sound energy density"@en ; + dcterms:description "Sound energy density is the time-averaged sound energy in a given volume divided by that volume. The sound energy density or sound density (symbol \\(E\\) or \\(w\\)) is an adequate measure to describe the sound field at a given point as a sound energy value."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-FT3, + unit:BTU_TH-PER-FT3, + unit:ERG-PER-CentiM3, + unit:J-PER-M3, + unit:MegaJ-PER-M3, + unit:W-HR-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_energy_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{I}{c}\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(c\\) is the sound speed in \\(\\frac{m}{s}\\)."^^qudt:LatexString ; + qudt:symbol "E" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyDensity . + +quantitykind:SoundParticleAcceleration a qudt:QuantityKind ; + rdfs:label "Sound particle acceleration"@en ; + dcterms:description "In a compressible sound transmission medium - mainly air - air particles get an accelerated motion: the particle acceleration or sound acceleration with the symbol a in \\(m/s2\\). In acoustics or physics, acceleration (symbol: \\(a\\)) is defined as the rate of change (or time derivative) of velocity."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-SEC2, + unit:FT-PER-SEC2, + unit:G, + unit:GALILEO, + unit:IN-PER-SEC2, + unit:KN-PER-SEC, + unit:KiloPA-M2-PER-GM, + unit:M-PER-SEC2, + unit:MicroG, + unit:MilliG, + unit:MilliGAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_acceleration"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{\\partial v}{\\partial t}\\), where \\(v\\) is sound particle velocity and \\(t\\) is time."^^qudt:LatexString ; + qudt:symbol "a" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Acceleration . + +quantitykind:SoundParticleDisplacement a qudt:QuantityKind ; + rdfs:label "Sound Particle Displacement"@en ; + dcterms:description "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves."^^rdf:HTML ; + qudt:abbreviation "l" ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_displacement"^^xsd:anyURI ; + qudt:plainTextDescription "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves." ; + qudt:symbol "ξ" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:SoundPower a qudt:QuantityKind ; + rdfs:label "القدرة الصوتية"@ar, + "Schallleistung"@de, + "sound power"@en, + "potencie acústica"@es, + "puissance acoustique"@fr, + "potenza sonora"@it, + "音源の音響出力"@ja, + "moc akustyczna"@pl, + "potência acústica"@pt, + "potência sonora"@pt, + "звуковая мощность"@ru ; + dcterms:description "Sound power or acoustic power \\(P_a\\) is a measure of sonic energy \\(E\\) per time \\(t\\) unit. It is measured in watts and can be computed as sound intensity (\\(I\\)) times area (\\(A\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power"^^xsd:anyURI ; + qudt:latexDefinition "\\(P_a = IA\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(A\\) is the area in \\(m^2\\)."^^qudt:LatexString ; + qudt:symbol "P" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:SoundPressure a qudt:QuantityKind ; + rdfs:label "Sound pressure"@en ; + dcterms:description "Sound Pressure is the difference between instantaneous total pressure and static pressure."^^rdf:HTML ; + qudt:abbreviation "p" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; + qudt:plainTextDescription "Sound Pressure is the difference between instantaneous total pressure and static pressure." ; + qudt:symbol "p" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:SourceVoltage a qudt:QuantityKind ; + rdfs:label "Source Voltage"@en ; + dcterms:description """"Source Voltage}, also referred to as \\textit{Source Tension" is the voltage between the two terminals of a voltage source when there is no + +electric current through the source. The name "electromotive force} with the abbreviation \\textit{EMF" and the symbol \\(E\\) is deprecated."""^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:symbol "U_s" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Voltage . + +quantitykind:SourceVoltageBetweenSubstances a qudt:QuantityKind ; + rdfs:label "Source Voltage Between Substances"@en ; + dcterms:description "\"Source Voltage Between Substances\" is the source voltage between substance a and b."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Source Voltage Between Substances\" is the source voltage between substance a and b." ; + qudt:symbol "E_{ab}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Voltage . + +quantitykind:SpatialSummationFunction a qudt:QuantityKind ; + rdfs:label "Spatial Summation Function"@en ; + dcterms:description "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Spatial_summation"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:SpecificEnergyImparted a qudt:QuantityKind ; + rdfs:label "Specific Energy Imparted"@en ; + dcterms:description "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB, + unit:BTU_TH-PER-LB, + unit:CAL_IT-PER-GM, + unit:CAL_TH-PER-GM, + unit:ERG-PER-G, + unit:ERG-PER-GM, + unit:J-PER-GM, + unit:J-PER-KiloGM, + unit:KiloCAL-PER-GM, + unit:KiloJ-PER-KiloGM, + unit:KiloLB_F-FT-PER-LB, + unit:MegaJ-PER-KiloGM, + unit:MilliJ-PER-GM, + unit:N-M-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing radiation, \\(z = \\frac{\\varepsilon}{m}\\), where \\(\\varepsilon\\) is the energy imparted to irradiated matter and \\(m\\) is the mass of that matter."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element." ; + qudt:symbol "z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificEnergy . + +quantitykind:SpecificHeatsRatio a qudt:QuantityKind ; + rdfs:label "Specific Heats Ratio"@en ; + dcterms:description "The ratio of specific heats, for the exhaust gases adiabatic gas constant, is the relative amount of compression/expansion energy that goes into temperature \\(T\\) versus pressure \\(P\\) can be characterized by the heat capacity ratio: \\(\\gamma\\frac{C_P}{C_V}\\), where \\(C_P\\) is the specific heat (also called heat capacity) at constant pressure, while \\(C_V\\) is the specific heat at constant volume. "^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:SpecificImpulseByMass a qudt:QuantityKind ; + rdfs:label "Specific Impulse by Mass"@en ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:SpecificImpulseByWeight a qudt:QuantityKind ; + rdfs:label "Specific Impulse by Weight"@en ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificImpulse, + quantitykind:Time . + +quantitykind:SpecificThrust a qudt:QuantityKind ; + rdfs:label "Specific thrust"@en ; + dcterms:description "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_thrust"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:id "Q-160-100" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_thrust"^^xsd:anyURI ; + qudt:plainTextDescription "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SpecificImpulse . + +quantitykind:SpectralLuminousEfficiency a qudt:QuantityKind ; + rdfs:label "Spectral Luminous Efficiency"@en ; + dcterms:description "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; + qudt:latexDefinition "\\(V(\\lambda) = \\frac{\\Phi_\\lambda(\\lambda_m)}{\\Phi_\\lambda(\\lambda)}\\), where \\(\\Phi_\\lambda(\\lambda_m)\\) is the spectral radiant flux at wavelength \\(\\lambda_m\\) and \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux at wavelength \\(\\lambda\\), such that both radiations produce equal luminous sensations under specified photometric conditions and \\(\\lambda_m\\) is chosen so that the maximum value of this ratio is equal to 1."^^qudt:LatexString ; + qudt:plainTextDescription "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%." ; + qudt:symbol "V" ; + rdfs:isDefinedBy . + +quantitykind:SpeedOfLight a qudt:QuantityKind ; + rdfs:label "سرعة الضوء"@ar, + "Rychlost světla"@cs, + "Lichtgeschwindigkeit"@de, + "speed of light"@en, + "velocidad de la luz"@es, + "سرعت نور"@fa, + "vitesse de la lumière"@fr, + "प्रकाश का वेग"@hi, + "velocità della luce"@it, + "光速"@ja, + "Kelajuan cahaya"@ms, + "Prędkość światła"@pl, + "Velocidade da luz"@pt, + "Viteza luminii"@ro, + "Скорость света"@ru, + "Hitrost svetlobe"@sl, + "Işık hızı"@tr, + "光速"@zh ; + dcterms:description "The quantity kind \\(\\textbf{Speed of Light}\\) is the speed of electomagnetic waves in a given medium."^^qudt:LatexString ; + qudt:applicableUnit unit:BFT, + unit:FT3-PER-MIN-FT2, + unit:GigaC-PER-M3, + unit:GigaHZ-M, + unit:HZ-M, + unit:M-PER-SEC, + unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:seeAlso constant:MagneticConstant, + constant:PermittivityOfVacuum, + constant:SpeedOfLight_Vacuum ; + skos:broader quantitykind:Speed . + +quantitykind:SphericalIlluminance a qudt:QuantityKind ; + rdfs:label "Illuminance"@en ; + dcterms:description "Spherical illuminance is equal to quotient of the total luminous flux \\(\\Phi_v\\) incident on a small sphere by the cross section area of that sphere."^^qudt:LatexString ; + qudt:applicableUnit unit:FC, + unit:LUX, + unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://eilv.cie.co.at/term/1245"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_v,0 = \\int_{4\\pi sr}{L_v}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L_v\\) is its luminance at that point in the direction of the beam."^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Illuminance . + +quantitykind:Spin a qudt:QuantityKind ; + rdfs:label "لف مغزلي"@ar, + "spin"@cs, + "Spin"@de, + "spin"@en, + "espín"@es, + "اسپین/چرخش"@fa, + "spin"@fr, + "spin"@it, + "スピン角運動量"@ja, + "Spin"@ms, + "spin"@pl, + "spin"@pt, + "Spin"@ro, + "Спин"@ru, + "spin"@sl, + "Spin"@tr, + "自旋"@zh ; + dcterms:description "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-SEC, + unit:EV-SEC, + unit:FT-LB_F-SEC, + unit:J-SEC, + unit:KiloGM-M2-PER-SEC, + unit:N-M-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Spin_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei." ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularMomentum . + +quantitykind:StagePropellantMass a qudt:QuantityKind ; + rdfs:label "Stage Propellant Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_F" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:StageStructuralMass a qudt:QuantityKind ; + rdfs:label "Stage Structure Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_S" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:StandardChemicalPotential a qudt:QuantityKind ; + rdfs:label "Standard Chemical Potential"@en ; + dcterms:description "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions"^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL, + unit:KiloCAL-PER-MOL, + unit:KiloJ-PER-MOL ; + qudt:expression "\\(j-mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu_B^\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ChemicalPotential . + +quantitykind:StaticFriction a qudt:QuantityKind ; + rdfs:label "Static Friction"@en ; + dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Friction . + +quantitykind:StaticFrictionCoefficient a qudt:QuantityKind ; + rdfs:label "Static Friction Coefficient"@en ; + dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; + qudt:applicableUnit unit:NUM, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{F_max}{N}\\), where \\(F_max\\) is the maximum tangential component of the contact force and \\(N\\) is the normal component of the contact force between two bodies at relative rest."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:FrictionCoefficient . + +quantitykind:StaticPressure a qudt:QuantityKind ; + rdfs:label "Static pressure"@en ; + dcterms:description "\"Static Pressure\" is the pressure at a nominated point in a fluid. Every point in a steadily flowing fluid, regardless of the fluid speed at that point, has its own static pressure \\(P\\), dynamic pressure \\(q\\), and total pressure \\(P_0\\). The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; + qudt:abbreviation "p" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; + qudt:symbol "p" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:StrainEnergyDensity a qudt:QuantityKind ; + rdfs:label "Strain Energy Density"@en ; + dcterms:description "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology"^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT3, + unit:BTU_TH-PER-FT3, + unit:ERG-PER-CentiM3, + unit:J-PER-M3, + unit:MegaJ-PER-M3, + unit:W-HR-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology" ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyDensity . + +quantitykind:StructuralEfficiency a qudt:QuantityKind ; + rdfs:label "Structural Efficiency"@en ; + dcterms:description "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:SuperconductorEnergyGap a qudt:QuantityKind ; + rdfs:label "Superconductor Energy Gap"@en ; + dcterms:description "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/BCS_theory"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor." ; + qudt:symbol "Δ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:GapEnergy . + +quantitykind:SurfaceTension a qudt:QuantityKind ; + rdfs:label "توتر سطحي"@ar, + "povrchové napětí"@cs, + "Oberflächenspannung"@de, + "surface tension"@en, + "tensión superficial"@es, + "کشش سطحی"@fa, + "tension de surface"@fr, + "tension superficielle"@fr, + "पृष्ठ तनाव"@hi, + "tensione superficiale"@it, + "表面張力"@ja, + "Tegangan permukaan"@ms, + "napięcie powierzchniowe"@pl, + "tensão superficial"@pt, + "Tensiune superficială"@ro, + "поверхностное натяжение"@ru, + "površinska napetost"@sl, + "Yüzey gerilimi"@tr, + "表面张力"@zh ; + dcterms:description "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2, + unit:FT-LB_F-PER-FT2, + unit:FT-LB_F-PER-M2, + unit:GigaJ-PER-M2, + unit:J-PER-CentiM2, + unit:J-PER-M2, + unit:KiloBTU_IT-PER-FT2, + unit:KiloCAL-PER-CentiM2, + unit:KiloGM-PER-SEC2, + unit:KiloW-HR-PER-M2, + unit:MegaJ-PER-M2, + unit:N-M-PER-M2, + unit:PicoPA-PER-KiloM, + unit:W-HR-PER-M2, + unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Surface_tension"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{dF}{dl}\\), where \\(F\\) is the force component perpendicular to a line element in a surface and \\(l\\) is the length of the line element."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:plainTextDescription "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force." ; + qudt:symbol "γ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerArea . + +quantitykind:Susceptance a qudt:QuantityKind ; + rdfs:label "Susceptance"@en ; + dcterms:description "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. "^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Susceptance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Susceptance?oldid=430151986"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-54"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = \\lim{\\underline{Y}}\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. " ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Conductance, + quantitykind:Impedance . + +quantitykind:TARGET-BOGIE-MASS a qudt:QuantityKind ; + rdfs:label "Target Bogie Mass"@en ; + dcterms:description "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:plainTextDescription "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:TemperatureRateOfChange a qudt:QuantityKind ; + rdfs:label "Temperature Rate of Change"@en ; + dcterms:description "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C-PER-HR, + unit:DEG_C-PER-MIN, + unit:DEG_C-PER-SEC, + unit:DEG_C-PER-YR, + unit:DEG_F-PER-HR, + unit:DEG_F-PER-MIN, + unit:DEG_F-PER-SEC, + unit:DEG_R-PER-HR, + unit:DEG_R-PER-MIN, + unit:DEG_R-PER-SEC, + unit:K-PER-HR, + unit:K-PER-MIN, + unit:K-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifctemperaturerateofchangemeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:TemperaturePerTime . + +quantitykind:Tension a qudt:QuantityKind ; + rdfs:label "Tension"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tension"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForceMagnitude . + +quantitykind:ThermalAdmittance a qudt:QuantityKind ; + rdfs:label "Thermal Admittance"@en ; + dcterms:description "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F, + unit:BTU_IT-PER-FT2-SEC-DEG_F, + unit:BTU_IT-PER-HR-FT2-DEG_R, + unit:BTU_IT-PER-SEC-FT2-DEG_R, + unit:CAL_IT-PER-SEC-CentiM2-K, + unit:CAL_TH-PER-SEC-CentiM2-K, + unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:plainTextDescription "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CoefficientOfHeatTransfer . + +quantitykind:ThermalDiffusivity a qudt:QuantityKind ; + rdfs:label "Thermal Diffusivity"@en ; + dcterms:description "In heat transfer analysis, thermal diffusivity (usually denoted \\(\\alpha\\) but \\(a\\), \\(\\kappa\\),\\(k\\), and \\(D\\) are also used) is the thermal conductivity divided by density and specific heat capacity at constant pressure. The formula is: \\(\\alpha = {k \\over {\\rho c_p}}\\), where k is thermal conductivity (\\(W/(\\mu \\cdot K)\\)), \\(\\rho\\) is density (\\(kg/m^{3}\\)), and \\(c_p\\) is specific heat capacity (\\(\\frac{J}{(kg \\cdot K)}\\)) .The denominator \\(\\rho c_p\\), can be considered the volumetric heat capacity (\\(\\frac{J}{(m^{3} \\cdot K)}\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM2-PER-SEC, + unit:FT2-PER-HR, + unit:FT2-PER-SEC, + unit:IN2-PER-SEC, + unit:M2-HZ, + unit:M2-PER-SEC, + unit:MilliM2-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_diffusivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_diffusivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{\\lambda}{\\rho c_\\rho}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\rho\\) is mass density and \\(c_\\rho\\) is specific heat capacity at constant pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AreaPerTime . + +quantitykind:ThermalEfficiency a qudt:QuantityKind ; + rdfs:label "Thermal Efficiency"@en ; + dcterms:description "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_efficiency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ThermalTransmittance a qudt:QuantityKind ; + rdfs:label "Thermal Transmittance"@en ; + dcterms:description "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F, + unit:BTU_IT-PER-FT2-SEC-DEG_F, + unit:BTU_IT-PER-HR-FT2-DEG_R, + unit:BTU_IT-PER-SEC-FT2-DEG_R, + unit:CAL_IT-PER-SEC-CentiM2-K, + unit:CAL_TH-PER-SEC-CentiM2-K, + unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_transmittance"^^xsd:anyURI ; + qudt:plainTextDescription "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CoefficientOfHeatTransfer . + +quantitykind:ThermalUtilizationFactorForFission a qudt:QuantityKind ; + rdfs:label "Thermal Utilization Factor For Fission"@en ; + dcterms:description "Probability that a neutron that gets absorbed does so in the fuel material."^^rdf:HTML ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "Probability that a neutron that gets absorbed does so in the fuel material." ; + qudt:symbol "f" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:ThermodynamicCriticalMagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "Thermodynamic Critical Magnetic Flux Density"@en ; + dcterms:description "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS, + unit:Gamma, + unit:Gs, + unit:KiloGAUSS, + unit:MicroT, + unit:MilliT, + unit:NanoT, + unit:T, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(G_n - G_s = \\frac{1}{2}\\frac{B_c^2 \\cdot V}{\\mu_0}\\), where \\(G_n\\) and \\(G_s\\) are the Gibbs energies at zero magnetic flux density in a normal conductor and superconductor, respectively, \\(\\mu_0\\) is the magnetic constant, and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting." ; + qudt:symbol "B_c" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MagneticFluxDensity . + +quantitykind:ThermodynamicEntropy a qudt:QuantityKind ; + rdfs:label "Thermodynamic Entropy"@en ; + dcterms:description "Thermodynamic Entropy is a measure of the unavailability of a system’s energy to do work. It is a measure of the randomness of molecules in a system and is central to the second law of thermodynamics and the fundamental thermodynamic relation, which deal with physical processes and whether they occur spontaneously. The dimensions of entropy are energy divided by temperature, which is the same as the dimensions of Boltzmann's constant (\\(kB\\)) and heat capacity. The SI unit of entropy is \\(joule\\ per\\ kelvin\\). [Wikipedia]"^^qudt:LatexString ; + qudt:applicableUnit unit:KiloJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerTemperature . + +quantitykind:Thickness a qudt:QuantityKind ; + rdfs:label "Thickness"@en ; + dcterms:description "\"Thickness\" is the the smallest of three dimensions: length, width, thickness."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thickness"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.merriam-webster.com/dictionary/thickness"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Thickness\" is the the smallest of three dimensions: length, width, thickness." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ThrustCoefficient a qudt:QuantityKind ; + rdfs:label "Thrust Coefficient"@en ; + dcterms:description "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure "^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure " ; + qudt:symbol "C_{F}" ; + rdfs:isDefinedBy . + +quantitykind:ThrustToWeightRatio a qudt:QuantityKind ; + rdfs:label "Thrust To Weight Ratio"@en ; + dcterms:description "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ThrusterPowerToThrustEfficiency a qudt:QuantityKind ; + rdfs:label "Thruster Power To Thrust Efficiency"@en ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T1D0 ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:TimeAveragedSoundIntensity a qudt:QuantityKind ; + rdfs:label "Time averaged sound intensity"@en ; + dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; + qudt:abbreviation "w/m2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{1}{t2 - t1} \\int_{t1}^{t2}i(t)dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(i\\) is sound intensity."^^qudt:LatexString ; + qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; + qudt:symbol "I" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SoundIntensity . + +quantitykind:TotalAngularMomentum a qudt:QuantityKind ; + rdfs:label "Total Angular Momentum"@en ; + dcterms:description "\"Total Angular Momentum\" combines both the spin and orbital angular momentum of all particles and fields. In atomic and nuclear physics, orbital angular momentum is usually denoted by \\(l\\) or \\(L\\) instead of \\(\\Lambda\\). The magnitude of \\(J\\) is quantized so that \\(J^2 = \\hbar^2 j(j + 1)\\), where \\(j\\) is the total angular momentum quantum number."^^qudt:LatexString ; + qudt:applicableUnit unit:ERG-SEC, + unit:EV-SEC, + unit:FT-LB_F-SEC, + unit:J-SEC, + unit:KiloGM-M2-PER-SEC, + unit:N-M-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum#Spin.2C_orbital.2C_and_total_angular_momentum"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularMomentum . + +quantitykind:TotalCrossSection a qudt:QuantityKind ; + rdfs:label "Total Cross-section"@en ; + dcterms:description "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle." ; + qudt:symbol "σₜ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:CrossSection . + +quantitykind:TotalPressure a qudt:QuantityKind ; + rdfs:label "Total Pressure"@en ; + dcterms:description " The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:symbol "P_0" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:TouchThresholds a qudt:QuantityKind ; + rdfs:label "Touch Thresholds"@en ; + dcterms:description "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin." ; + rdfs:isDefinedBy . + +quantitykind:Transmittance a qudt:QuantityKind ; + rdfs:label "Transmittance"@en ; + dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Transmittance"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the transmitted radiant flux or the transmitted luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau, T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:TrueExhaustVelocity a qudt:QuantityKind ; + rdfs:label "True Exhaust Velocity"@en ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "u_{e}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:VerticalVelocity a qudt:QuantityKind ; + rdfs:label "Vertical Velocity"@en ; + dcterms:description "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile." ; + qudt:symbol "V_{Z}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:VisibleRadiantEnergy a qudt:QuantityKind ; + rdfs:label "Visible Radiant Energy"@en ; + dcterms:description "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; + qudt:latexDefinition "Q"^^qudt:LatexString ; + qudt:plainTextDescription "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy ; + skos:closeMatch quantitykind:LuminousEnergy . + +quantitykind:VisionThresholds a qudt:QuantityKind ; + rdfs:label "Vision Thresholds"@en ; + dcterms:description "\"Vision Thresholds\" is an abstract term to refer to a variety of measures for the thresholds of sensitivity of the eye."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_threshold#Vision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_v}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Vision Thresholds\" is the thresholds of sensitivity of the eye." ; + rdfs:isDefinedBy . + +quantitykind:VolumeStrain a qudt:QuantityKind ; + rdfs:label "Volume Strain"@en ; + dcterms:description "Volume, or volumetric, Strain, or dilatation (the relative variation of the volume) is the trace of the tensor \\(\\vartheta\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\vartheta = \\frac{\\Delta V}{V_0}\\), where \\(\\Delta V\\) is the increase in volume and \\(V_0\\) is the volume in a reference state to be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Strain . + +quantitykind:Vorticity a qudt:QuantityKind ; + rdfs:label "Vorticity"@en ; + dcterms:description "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field."^^rdf:HTML ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularVelocity . + +quantitykind:WarmReceptorThreshold a qudt:QuantityKind ; + rdfs:label "Warm Receptor Threshold"@en ; + dcterms:description "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\overline{T_w}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending." ; + rdfs:isDefinedBy . + +quantitykind:WaterHorsepower a qudt:QuantityKind ; + rdfs:label "Water Horsepower"@en ; + dcterms:description "No pump can convert all of its mechanical power into water power. Mechanical power is lost in the pumping process due to friction losses and other physical losses. It is because of these losses that the horsepower going into the pump has to be greater than the water horsepower leaving the pump. The efficiency of any given pump is defined as the ratio of the water horsepower out of the pump compared to the mechanical horsepower into the pump."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "https://www.uaex.edu/environment-nature/water/docs/IrrigSmart-3241-A-Understanding-water-horsepower.pdf"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:Wavelength a qudt:QuantityKind ; + rdfs:label "Vlnové délka"@cs, + "Wellenlänge"@de, + "wavelength"@en, + "longitud de onda"@es, + "طول موج"@fa, + "longueur d'onde"@fr, + "lunghezza d'onda"@it, + "Jarak gelombang"@ms, + "comprimento de onda"@pt, + "длина волны"@ru, + "dalga boyu"@tr, + "波长"@zh ; + dcterms:description "For a monochromatic wave, \"wavelength\" is the distance between two successive points in a direction perpendicular to the wavefront where at a given instant the phase differs by \\(2\\pi\\). The wavelength of a sinusoidal wave is the spatial period of the wave—the distance over which the wave's shape repeats. The SI unit of wavelength is the meter."^^qudt:LatexString ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavelength"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\frac{c}{\\nu}\\), where \\(\\lambda\\) is the wave length, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; + qudt:symbol "λ" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:Wavenumber a qudt:QuantityKind ; + rdfs:label "عدد الموجة"@ar, + "Vlnové číslo"@cs, + "Repetenz"@de, + "Wellenzahl"@de, + "wavenumber"@en, + "número de ola"@es, + "عدد موج"@fa, + "nombre d'onde"@fr, + "numero d'onda"@it, + "波数"@ja, + "Bilangan gelombang"@ms, + "Liczba falowa"@pl, + "número de onda"@pt, + "Волновое число"@ru, + "valovno število"@sl, + "dalga sayısı"@tr, + "波数"@zh ; + dcterms:description "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M."^^rdf:HTML ; + qudt:applicableUnit unit:DPI, + unit:KY, + unit:MESH, + unit:NUM-PER-M, + unit:PER-ANGSTROM, + unit:PER-CentiM, + unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; + qudt:latexDefinition """\\(\\sigma = \\frac{\\nu}{c}\\), where \\(\\sigma\\) is the wave number, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium. + +Or: + +\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:AngularWavenumber ; + skos:broader quantitykind:InverseLength . + +quantitykind:WebTime a qudt:QuantityKind ; + rdfs:label "Web Time"@en ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:comment "Web Time" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:WebTimeAveragePressure a qudt:QuantityKind ; + rdfs:label "Web Time Average Pressure"@en ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:WebTimeAverageThrust a qudt:QuantityKind ; + rdfs:label "Web Time Average Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:comment "Web Time Avg Thrust (Mlbf)" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Thrust . + +quantitykind:Weight a qudt:QuantityKind ; + rdfs:label "وزن"@ar, + "tíha"@cs, + "Gewicht"@de, + "weight"@en, + "peso"@es, + "وزن"@fa, + "poids"@fr, + "forza peso"@it, + "重さ"@ja, + "Berat"@ms, + "Siła ciężkości"@pl, + "peso"@pt, + "greutate"@ro, + "Вес"@ru, + "Ağırlık"@tr, + "重量"@zh ; + dcterms:description "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weight"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Weight"^^xsd:anyURI ; + qudt:plainTextDescription "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity." ; + qudt:symbol "bold letter W" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:Width a qudt:QuantityKind ; + rdfs:label "Width"@en ; + dcterms:description "\"Width\" is the middle of three dimensions: length, width, thickness."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"Width\" is the middle of three dimensions: length, width, thickness." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:WorkFunction a qudt:QuantityKind ; + rdfs:label "Work Function"@en ; + dcterms:description "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Work_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +sou:SOU_ASU a qudt:SystemOfUnits ; + rdfs:label "Astronomical System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:ASU . + +sou:SOU_CGS a qudt:SystemOfUnits ; + rdfs:label "CGS System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:CGS . + +sou:SOU_CGS-EMU a qudt:SystemOfUnits ; + rdfs:label "CGS-EMU System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:CGS-EMU . + +sou:SOU_CGS-ESU a qudt:SystemOfUnits ; + rdfs:label "CGS-ESU System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:CGS-ESU . + +sou:SOU_CGS-GAUSS a qudt:SystemOfUnits ; + rdfs:label "CGS-Gauss System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:CGS-GAUSS . + +sou:SOU_IMPERIAL a qudt:SystemOfUnits ; + rdfs:label "Imperial System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:IMPERIAL . + +sou:SOU_PLANCK a qudt:SystemOfUnits ; + rdfs:label "Planck System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:PLANCK . + +sou:SOU_SI a qudt:SystemOfUnits ; + rdfs:label "SI System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:SI . + +sou:SOU_USCS a qudt:SystemOfUnits ; + rdfs:label "US Customary System of Units (deprecated URI)" ; + qudt:deprecated true ; + rdfs:seeAlso sou:USCS . + +sou:UNSTATED a qudt:SystemOfUnits ; + rdfs:label "Unstated System Of Units"@en ; + dcterms:description "This placeholder system of units is for all units that do not fit will into any other system of units as modeled here."^^rdf:HTML ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-G a qudt:Unit ; + rdfs:label "calorie (thermochemical) per gram (calTH/g)"@en ; + dcterms:description "\\(Thermochemical Calorie. Calories produced per gram of substance.\\)"^^qudt:LatexString ; + dcterms:isReplacedBy unit:CAL_TH-PER-GM ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:deprecated true ; + qudt:expression "\\(cal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:symbol "calTH/g" ; + qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs, + "cal_th/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:changeNote "2020-10-30 - incorrect local-name - G is for Gravity, GM is for gram - the correct named individual was already present, so this one deprecated. " . + +unit:CASES-PER-1000I-YR a qudt:Unit ; + rdfs:label "Cases per 1000 individuals per year"@en ; + dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:CASES-PER-KiloINDIV-YR ; + qudt:conversionMultiplier 0.001 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Incidence ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; + qudt:symbol "Cases/1000 individuals/year" ; + rdfs:isDefinedBy . + +unit:CM_H2O a qudt:Unit ; + rdfs:label "Centimetre of Water"@en, + "Centimeter of Water"@en-us ; + dcterms:isReplacedBy unit:CentiM_H2O ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 98.0665 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "cmH₂0" ; + rdfs:isDefinedBy . + +unit:CentiM2-PER-GM a qudt:Unit ; + rdfs:label "Square centimetres per gram"@en, + "Square centimeters per gram"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient, + quantitykind:SpecificSurfaceArea ; + qudt:symbol "cm²/g" ; + qudt:ucumCode "cm2.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEATHS-PER-1000000I-YR a qudt:Unit ; + rdfs:label "Deaths per Million individuals per year"@en ; + dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:DEATHS-PER-MegaINDIV-YR ; + qudt:conversionMultiplier 1e-06 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; + qudt:symbol "deaths/million individuals/yr" ; + rdfs:isDefinedBy . + +unit:DEATHS-PER-1000I-YR a qudt:Unit ; + rdfs:label "Deaths per 1000 individuals per year"@en ; + dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; + dcterms:isReplacedBy unit:DEATHS-PER-KiloINDIV-YR ; + qudt:conversionMultiplier 0.001 ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; + qudt:symbol "deaths/1000 individuals/yr" ; + rdfs:isDefinedBy . + +unit:DeciSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "decisecond"@en ; + dcterms:description "\"Decisecond\" is an SI unit for 'Time' expressed as \\(ds\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "https://simple.wikipedia.org/w/index.php?title=Decisecond&oldid=8898314"^^xsd:anyURI ; + qudt:prefix prefix1:Deci ; + qudt:symbol "ds" ; + qudt:ucumCode "ds"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C26" ; + rdfs:isDefinedBy . + +unit:MDOLLAR-PER-FLIGHT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Million US Dollars per Flight"@en ; + dcterms:isReplacedBy unit:MegaDOLLAR_US-PER-FLIGHT ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:deprecated true ; + qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; + qudt:symbol "$M/flight" ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-CentiM2-WK a qudt:Unit ; + rdfs:label "Micrograms per square centimetre per week"@en, + "Micrograms per square centimeter per week"@en-us ; + dcterms:description "A rate of change of 1e-9 of the SI unit of mass over 0.00001 of the SI unit of area in a period of one calendar week."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.653439e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "µg/(cm²⋅week)" ; + qudt:ucumCode "µg.cm-2.wk-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-IN2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Microgram per Square Inch"@en, + "Microgram per Square Inch"@en-us ; + dcterms:description "Microgram Per Square Inch (µg/in²) is a unit in the category of surface density."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00000155 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(µg/in^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea, + quantitykind:SurfaceDensity ; + qudt:symbol "µg/in²" ; + qudt:ucumCode "µg.in-2"^^qudt:UCUMcs, + "µg/in2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-CentiM2 a qudt:Unit ; + rdfs:label "Nanograms Per Square Centimetre"@en, + "Nanograms Per Square Centimeter"@en-us ; + dcterms:description "0,000,000,000,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00000001 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "0,000,000,000,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2" ; + qudt:symbol "ng/cm²" ; + qudt:ucumCode "ng.cm-2"^^qudt:UCUMcs, + "ng/cm2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-CentiM2-DAY a qudt:Unit ; + rdfs:label "Nanograms per square centimetre per day"@en, + "Nanograms per square centimeter per day"@en-us ; + dcterms:description "A rate of change of 1e-12 of the SI unit of mass over 0.00001 of the SI unit of area in a period of one day."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-13 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "ng/(cm²⋅day)" ; + qudt:ucumCode "ng.cm-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +voag:QUDT-CURRENCY-UNITS-VocabCatalogEntry a vaem:CatalogEntry ; + rdfs:label "QUDT CURRENCY UNITS Vocab Catalog Entry" ; + rdfs:isDefinedBy . + +voag:QUDT-DIMENSIONS-VocabCatalogEntry a vaem:CatalogEntry ; + rdfs:label "QUDT DIMENSIONS Vocab Catalog Entry" ; + rdfs:isDefinedBy . + +voag:QUDT-SchemaCatalogEntry a vaem:CatalogEntry ; + rdfs:label "QUDT Schema Catalog Entry" ; + rdfs:isDefinedBy . + +voag:QUDT-UNITS-VocabCatalogEntry a vaem:CatalogEntry ; + rdfs:label "QUDT UNITS Vocab Catalog Entry" ; + rdfs:isDefinedBy . + +voag:supersededBy a rdf:Property ; + rdfs:label "superseded by" ; + rdfs:isDefinedBy . + + vaem:namespace "http://www.linkedmodel.org/schema/dtype#"^^xsd:anyURI ; + vaem:namespacePrefix "dtype" . + +prov:wasDerivedFrom a rdf:Property ; + rdfs:label "was derived from" . + +bacnet:device-identifier a rdf:Property ; + rdfs:label "Device Identifier" ; + rdfs:comment "The Object_Identifier property of the device object within the BACnet device. See ASHRAE 135-2020 Clause 12.11.1." . + +bacnet:device-name a rdf:Property ; + rdfs:label "Device Name" ; + rdfs:comment "The name of the BACnet device being referenced, more formally the Object_Name property of the device object within the BACnet device. See ASHRAE 135-2020 Clause 12.11.2." . + +bacnet:object-identifier a rdf:Property ; + rdfs:label "object-identifier" ; + rdfs:comment "The Object_Identifier property of the object being referenced. For example, for the object identifier of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.1." . + +bacnet:object-name a rdf:Property ; + rdfs:label "Object Name" ; + rdfs:comment "The Object_Name property of the object being referenced. For example, for the object name of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.2." . + +bacnet:priority-for-writing a rdf:Property ; + rdfs:label "Priority for Writing" ; + rdfs:comment """This parameter shall be an integer in the range 1..16, which indicates the priority assigned to the WriteProperty service. If an attempt +is made to write to a commandable property without specifying the bacnet:priority-for-writing, a default priority of 16 (the lowest priority) shall +be assumed. If an attempt is made to write to a property that is not commandable with a specified priority, the priority shall be +ignored. See ASHRAE 135-2020 Clause 15.9.1.1.5.""" . + +bacnet:property-array-index a rdf:Property ; + rdfs:label "Property Array Index" ; + rdfs:comment """If the property identified is of datatype array, this optional property of type Unsigned shall indicate the array index of +the element of the property referenced by the ReadProperty service or the Read Access Specification of the ReadPropertyMultiple service. If the bacnet:property-array-index is omitted, this shall mean that the entire +array shall be referenced. See ASHRAE 135-2020 Clause 15.5.1.1.3 and Clause 15.7.1.1.1.""" . + +bacnet:property-identifier a rdf:Property ; + rdfs:label "Property Identifier" ; + rdfs:comment "The Object_Identifier property of the object being referenced. For example, for the object identifier of an Analog Value Object, see ASHRAE 135-2020 Clause 12.4.1." . + +s223:12V-12V-Neg a s223:12V-12V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "12V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-12.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "12V-Neg" ; + rdfs:subClassOf s223:DC-12V . + +s223:12V-12V-Pos a s223:12V-12V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "12V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-12.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "12V-Pos" ; + rdfs:subClassOf s223:DC-12V . + +s223:12V-6V-Neg-6V-Pos a s223:12V-6V-Neg-6V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "6V-Neg-6V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-6.0V, + s223:DCPositiveVoltage-6.0V ; + rdfs:comment "6V-Neg-6V-Pos" ; + rdfs:subClassOf s223:DC-12V . + +s223:24V-12V-Neg-12V-Pos a s223:24V-12V-Neg-12V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "12V-Neg-12V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-12.0V, + s223:DCPositiveVoltage-12.0V ; + rdfs:comment "12V-Neg-12V-Pos" ; + rdfs:subClassOf s223:DC-24V . + +s223:24V-24V-Neg a s223:24V-24V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "24V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-24.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "24V-Neg" ; + rdfs:subClassOf s223:DC-24V . + +s223:24V-24V-Pos a s223:24V-24V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "24V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-24.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "24V-Pos" ; + rdfs:subClassOf s223:DC-24V . + +s223:380V-190V-Neg-190V-Pos a s223:380V-190V-Neg-190V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "190V-Neg-190V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-190.0V, + s223:DCPositiveVoltage-190.0V ; + rdfs:comment "190V-Neg-190V-Pos" ; + rdfs:subClassOf s223:DC-380V . + +s223:380V-380V-Neg a s223:380V-380V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "380V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-380.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "380V-Neg" ; + rdfs:subClassOf s223:DC-380V . + +s223:380V-380V-Pos a s223:380V-380V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "380V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-380.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "380V-Pos" ; + rdfs:subClassOf s223:DC-380V . + +s223:48V-24V-Neg-24V-Pos a s223:48V-24V-Neg-24V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "24V-Neg-24V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-24.0V, + s223:DCPositiveVoltage-24.0V ; + rdfs:comment "24V-Neg-24V-Pos" ; + rdfs:subClassOf s223:DC-48V . + +s223:48V-48V-Neg a s223:48V-48V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "48V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-48.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "48V-Neg" ; + rdfs:subClassOf s223:DC-48V . + +s223:48V-48V-Pos a s223:48V-48V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "48V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-48.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "48V-Pos" ; + rdfs:subClassOf s223:DC-48V . + +s223:5V-2.5V-Neg-2.5V-Pos a s223:5V-2.5V-Neg-2.5V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "2.5V-Neg-2.5V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-2.5V, + s223:DCPositiveVoltage-2.5V ; + rdfs:comment "2.5V-Neg-2.5V-Pos" ; + rdfs:subClassOf s223:DC-5V . + +s223:5V-5V-Neg a s223:5V-5V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "5V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-5.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "5V-Neg" ; + rdfs:subClassOf s223:DC-5V . + +s223:5V-5V-Pos a s223:5V-5V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "5V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-5.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "5V-Pos" ; + rdfs:subClassOf s223:DC-5V . + +s223:6V-3V-Neg-3V-Pos a s223:6V-3V-Neg-3V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "3V-Neg-3V-Pos" ; + s223:hasVoltage s223:DCNegativeVoltage-3.0V, + s223:DCPositiveVoltage-3.0V ; + rdfs:comment "3V-Neg-3V-Pos" ; + rdfs:subClassOf s223:DC-6V . + +s223:6V-6V-Neg a s223:6V-6V-Neg, + s223:Class, + sh:NodeShape ; + rdfs:label "6V-Neg" ; + s223:hasVoltage s223:DCNegativeVoltage-6.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "6V-Neg" ; + rdfs:subClassOf s223:DC-6V . + +s223:6V-6V-Pos a s223:6V-6V-Pos, + s223:Class, + sh:NodeShape ; + rdfs:label "6V-Pos" ; + s223:hasVoltage s223:DCPositiveVoltage-6.0V, + s223:DCVoltage-DCZeroVoltage ; + rdfs:comment "6V-Pos" ; + rdfs:subClassOf s223:DC-6V . + +s223:AC-10000VLL-1Ph-60Hz a s223:AC-10000VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-10000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V ; + rdfs:comment "AC-10000VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-10000VLL-3Ph-60Hz a s223:AC-10000VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-10000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V ; + rdfs:comment "AC-10000VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-10000VLL-5770VLN-1Ph-60Hz a s223:AC-10000VLL-5770VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-10000VLL-5770VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V, + s223:LineNeutralVoltage-5770V ; + rdfs:comment "AC-10000VLL-5770VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-10000VLL-5770VLN-3Ph-60Hz a s223:AC-10000VLL-5770VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-10000VLL-5770VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-10000V, + s223:LineNeutralVoltage-5770V ; + rdfs:comment "AC-10000VLL-5770VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-110VLN-1Ph-50Hz a s223:AC-110VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-110VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-110V ; + rdfs:comment "AC-110VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-120VLN-1Ph-60Hz a s223:AC-120VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-120V ; + rdfs:comment "AC-120VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-127VLN-1Ph-50Hz a s223:AC-127VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-127VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-127V ; + rdfs:comment "AC-127VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-139VLN-1Ph-50Hz a s223:AC-139VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-139VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-139V ; + rdfs:comment "AC-139VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-1730VLN-1Ph-60Hz a s223:AC-1730VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-1730VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-1730V ; + rdfs:comment "AC-1730VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-1900VLN-1Ph-60Hz a s223:AC-1900VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-1900VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-1900V ; + rdfs:comment "AC-1900VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-190VLL-110VLN-1Ph-50Hz a s223:AC-190VLL-110VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-190VLL-110VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-190V, + s223:LineNeutralVoltage-110V ; + rdfs:comment "AC-190VLL-110VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-190VLL-110VLN-3Ph-50Hz a s223:AC-190VLL-110VLN-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-190VLL-110VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-190V, + s223:LineNeutralVoltage-110V ; + rdfs:comment "AC-190VLL-110VLN-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-190VLL-1Ph-50Hz a s223:AC-190VLL-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-190VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-190V ; + rdfs:comment "AC-190VLL-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-190VLL-3Ph-50Hz a s223:AC-190VLL-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-190VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-190V ; + rdfs:comment "AC-190VLL-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-208VLL-120VLN-1Ph-60Hz a s223:AC-208VLL-120VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-208VLL-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-208V, + s223:LineNeutralVoltage-120V ; + rdfs:comment "AC-208VLL-120VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-208VLL-120VLN-3Ph-60Hz a s223:AC-208VLL-120VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-208VLL-120VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-208V, + s223:LineNeutralVoltage-120V ; + rdfs:comment "AC-208VLL-120VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-208VLL-1Ph-60Hz a s223:AC-208VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-208VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-208V ; + rdfs:comment "AC-208VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-208VLL-3Ph-60Hz a s223:AC-208VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-208VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-208V ; + rdfs:comment "AC-208VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-208VLN-1Ph-60Hz a s223:AC-208VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-208VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-208V ; + rdfs:comment "AC-208VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-219VLN-1Ph-60Hz a s223:AC-219VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-219VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-219V ; + rdfs:comment "AC-219VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-220VLL-127VLN-1Ph-50Hz a s223:AC-220VLL-127VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-220VLL-127VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-220V, + s223:LineNeutralVoltage-127V ; + rdfs:comment "AC-220VLL-127VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-220VLL-127VLN-3Ph-50Hz a s223:AC-220VLL-127VLN-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-220VLL-127VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-220V, + s223:LineNeutralVoltage-127V ; + rdfs:comment "AC-220VLL-127VLN-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-220VLL-1Ph-50Hz a s223:AC-220VLL-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-220VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-220V ; + rdfs:comment "AC-220VLL-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-220VLL-3Ph-50Hz a s223:AC-220VLL-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-220VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-220V ; + rdfs:comment "AC-220VLL-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-231VLN-1Ph-50Hz a s223:AC-231VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-231VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-231V ; + rdfs:comment "AC-231VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-2400VLN-1Ph-60Hz a s223:AC-2400VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-2400VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-2400V ; + rdfs:comment "AC-2400VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-120VLN-1Ph-60Hz a s223:AC-240VLL-120VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V ; + rdfs:comment "AC-240VLL-120VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-139VLN-1Ph-50Hz a s223:AC-240VLL-139VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-139VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-139V ; + rdfs:comment "AC-240VLL-139VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-139VLN-3Ph-50Hz a s223:AC-240VLL-139VLN-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-139VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-139V ; + rdfs:comment "AC-240VLL-139VLN-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-1Ph-50Hz a s223:AC-240VLL-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V ; + rdfs:comment "AC-240VLL-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-1Ph-60Hz a s223:AC-240VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V ; + rdfs:comment "AC-240VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-208VLN-120VLN-1Ph-60Hz a s223:AC-240VLL-208VLN-120VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-208VLN-120VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V, + s223:LineNeutralVoltage-208V ; + rdfs:comment "AC-240VLL-208VLN-120VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-208VLN-120VLN-3Ph-60Hz a s223:AC-240VLL-208VLN-120VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-208VLN-120VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V, + s223:LineNeutralVoltage-120V, + s223:LineNeutralVoltage-208V ; + rdfs:comment "AC-240VLL-208VLN-120VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-3Ph-50Hz a s223:AC-240VLL-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V ; + rdfs:comment "AC-240VLL-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLL-3Ph-60Hz a s223:AC-240VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-240V ; + rdfs:comment "AC-240VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-240VLN-1Ph-50Hz a s223:AC-240VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-240VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-240V ; + rdfs:comment "AC-240VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-24VLN-1Ph-50Hz a s223:AC-24VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-24VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-24V ; + rdfs:comment "AC-24VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-24VLN-1Ph-60Hz a s223:AC-24VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-24VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-24V ; + rdfs:comment "AC-24VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-277VLN-1Ph-60Hz a s223:AC-277VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-277VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-277V ; + rdfs:comment "AC-277VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3000VLL-1730VLN-1Ph-60Hz a s223:AC-3000VLL-1730VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3000VLL-1730VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V, + s223:LineNeutralVoltage-1730V ; + rdfs:comment "AC-3000VLL-1730VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3000VLL-1730VLN-3Ph-60Hz a s223:AC-3000VLL-1730VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3000VLL-1730VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V, + s223:LineNeutralVoltage-1730V ; + rdfs:comment "AC-3000VLL-1730VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3000VLL-1Ph-60Hz a s223:AC-3000VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V ; + rdfs:comment "AC-3000VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3000VLL-3Ph-60Hz a s223:AC-3000VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3000V ; + rdfs:comment "AC-3000VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3300VLL-1900VLN-1Ph-60Hz a s223:AC-3300VLL-1900VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3300VLL-1900VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V, + s223:LineNeutralVoltage-1900V ; + rdfs:comment "AC-3300VLL-1900VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3300VLL-1900VLN-3Ph-60Hz a s223:AC-3300VLL-1900VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3300VLL-1900VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V, + s223:LineNeutralVoltage-1900V ; + rdfs:comment "AC-3300VLL-1900VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3300VLL-1Ph-60Hz a s223:AC-3300VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3300VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V ; + rdfs:comment "AC-3300VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3300VLL-3Ph-60Hz a s223:AC-3300VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3300VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-3300V ; + rdfs:comment "AC-3300VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3460VLN-1Ph-60Hz a s223:AC-3460VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3460VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-3460V ; + rdfs:comment "AC-3460VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-347VLN-1Ph-60Hz a s223:AC-347VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-347VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-347V ; + rdfs:comment "AC-347VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-380VLL-1Ph-60Hz a s223:AC-380VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-380VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-380V ; + rdfs:comment "AC-380VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-380VLL-219VLN-1Ph-60Hz a s223:AC-380VLL-219VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-380VLL-219VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-380V, + s223:LineNeutralVoltage-219V ; + rdfs:comment "AC-380VLL-219VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-380VLL-219VLN-3Ph-60Hz a s223:AC-380VLL-219VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-380VLL-219VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-380V, + s223:LineNeutralVoltage-219V ; + rdfs:comment "AC-380VLL-219VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-380VLL-3Ph-60Hz a s223:AC-380VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-380VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-380V ; + rdfs:comment "AC-380VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-3810VLN-1Ph-60Hz a s223:AC-3810VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-3810VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-3810V ; + rdfs:comment "AC-3810VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-400VLL-1Ph-50Hz a s223:AC-400VLL-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-400VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-400V ; + rdfs:comment "AC-400VLL-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-400VLL-231VLN-1Ph-50Hz a s223:AC-400VLL-231VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-400VLL-231VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-400V, + s223:LineNeutralVoltage-231V ; + rdfs:comment "AC-400VLL-231VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-400VLL-231VLN-3Ph-50Hz a s223:AC-400VLL-231VLN-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-400VLL-231VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-400V, + s223:LineNeutralVoltage-231V ; + rdfs:comment "AC-400VLL-231VLN-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-400VLL-3Ph-50Hz a s223:AC-400VLL-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-400VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-400V ; + rdfs:comment "AC-400VLL-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-415VLL-1Ph-50Hz a s223:AC-415VLL-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-415VLL-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-415V ; + rdfs:comment "AC-415VLL-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-415VLL-240VLN-1Ph-50Hz a s223:AC-415VLL-240VLN-1Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-415VLL-240VLN-1Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-415V, + s223:LineNeutralVoltage-240V ; + rdfs:comment "AC-415VLL-240VLN-1Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-415VLL-240VLN-3Ph-50Hz a s223:AC-415VLL-240VLN-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-415VLL-240VLN-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-415V, + s223:LineNeutralVoltage-240V ; + rdfs:comment "AC-415VLL-240VLN-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-415VLL-3Ph-50Hz a s223:AC-415VLL-3Ph-50Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-415VLL-3Ph-50Hz" ; + s223:hasFrequency s223:Frequency-50Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-415V ; + rdfs:comment "AC-415VLL-3Ph-50Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-4160VLL-1Ph-60Hz a s223:AC-4160VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-4160VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V ; + rdfs:comment "AC-4160VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-4160VLL-2400VLN-1Ph-60Hz a s223:AC-4160VLL-2400VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-4160VLL-2400VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V, + s223:LineNeutralVoltage-2400V ; + rdfs:comment "AC-4160VLL-2400VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-4160VLL-2400VLN-3Ph-60Hz a s223:AC-4160VLL-2400VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-4160VLL-2400VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V, + s223:LineNeutralVoltage-2400V ; + rdfs:comment "AC-4160VLL-2400VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-4160VLL-3Ph-60Hz a s223:AC-4160VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-4160VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-4160V ; + rdfs:comment "AC-4160VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-480VLL-1Ph-60Hz a s223:AC-480VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-480VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-480V ; + rdfs:comment "AC-480VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-480VLL-277VLN-1Ph-60Hz a s223:AC-480VLL-277VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-480VLL-277VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-480V, + s223:LineNeutralVoltage-277V ; + rdfs:comment "AC-480VLL-277VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-480VLL-277VLN-3Ph-60Hz a s223:AC-480VLL-277VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-480VLL-277VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-480V, + s223:LineNeutralVoltage-277V ; + rdfs:comment "AC-480VLL-277VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-480VLL-3Ph-60Hz a s223:AC-480VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-480VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-480V ; + rdfs:comment "AC-480VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-5770VLN-1Ph-60Hz a s223:AC-5770VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-5770VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineNeutralVoltage-5770V ; + rdfs:comment "AC-5770VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6000VLL-1Ph-60Hz a s223:AC-6000VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6000VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V ; + rdfs:comment "AC-6000VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6000VLL-3460VLN-1Ph-60Hz a s223:AC-6000VLL-3460VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6000VLL-3460VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V, + s223:LineNeutralVoltage-3460V ; + rdfs:comment "AC-6000VLL-3460VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6000VLL-3460VLN-3Ph-60Hz a s223:AC-6000VLL-3460VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6000VLL-3460VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V, + s223:LineNeutralVoltage-3460V ; + rdfs:comment "AC-6000VLL-3460VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6000VLL-3Ph-60Hz a s223:AC-6000VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6000VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6000V ; + rdfs:comment "AC-6000VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-600VLL-1Ph-60Hz a s223:AC-600VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-600VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-600V ; + rdfs:comment "AC-600VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-600VLL-347VLN-1Ph-60Hz a s223:AC-600VLL-347VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-600VLL-347VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-600V, + s223:LineNeutralVoltage-347V ; + rdfs:comment "AC-600VLL-347VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-600VLL-347VLN-3Ph-60Hz a s223:AC-600VLL-347VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-600VLL-347VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-600V, + s223:LineNeutralVoltage-347V ; + rdfs:comment "AC-600VLL-347VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-600VLL-3Ph-60Hz a s223:AC-600VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-600VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-600V ; + rdfs:comment "AC-600VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6600VLL-1Ph-60Hz a s223:AC-6600VLL-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6600VLL-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V ; + rdfs:comment "AC-6600VLL-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6600VLL-3810VLN-1Ph-60Hz a s223:AC-6600VLL-3810VLN-1Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6600VLL-3810VLN-1Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-SinglePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V, + s223:LineNeutralVoltage-3810V ; + rdfs:comment "AC-6600VLL-3810VLN-1Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6600VLL-3810VLN-3Ph-60Hz a s223:AC-6600VLL-3810VLN-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6600VLL-3810VLN-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V, + s223:LineNeutralVoltage-3810V ; + rdfs:comment "AC-6600VLL-3810VLN-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:AC-6600VLL-3Ph-60Hz a s223:AC-6600VLL-3Ph-60Hz, + s223:Class, + sh:NodeShape ; + rdfs:label "AC-6600VLL-3Ph-60Hz" ; + s223:hasFrequency s223:Frequency-60Hz ; + s223:hasNumberOfElectricalPhases s223:NumberOfElectricalPhases-ThreePhase ; + s223:hasVoltage s223:LineLineVoltage-6600V ; + rdfs:comment "AC-6600VLL-3Ph-60Hz" ; + rdfs:subClassOf s223:Electricity-AC . + +s223:Aspect-Alarm a s223:Aspect-Alarm, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Alarm" ; + rdfs:comment "Aspect-Alarm" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-CatalogNumber a s223:Aspect-CatalogNumber, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-CatalogNumber" ; + rdfs:comment "The value of the associated Property identifies the catalog number." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Command a s223:Aspect-Command, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Command" ; + rdfs:comment "Aspect-Command" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Deadband a s223:Aspect-Deadband, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Deadband" ; + rdfs:comment "Aspect-Deadband" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Delta a s223:Aspect-Delta, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Delta" ; + rdfs:comment "Used to signify the associated Property has a delta (difference) value." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-DryBulb a s223:Aspect-DryBulb, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-DryBulb" ; + rdfs:comment "The associated Property is a DryBulb temperature." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Efficiency a s223:Aspect-Efficiency, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Efficiency" ; + rdfs:comment "The efficiency of something characterized by a dimensionless value of this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Face a s223:Aspect-Face, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Face" ; + rdfs:comment "The value of the associated Property identifies a property related to a face, e.g. Coil Face Velocity." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Fault a s223:Aspect-Fault, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Fault" ; + rdfs:comment "Aspect-Fault" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-HighLimit a s223:Aspect-HighLimit, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-High limit" ; + rdfs:comment "Aspect-High limit" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Latent a s223:Aspect-Latent, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Latent" ; + rdfs:comment "The latent value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Loss a s223:Aspect-Loss, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Loss" ; + rdfs:comment "The magnitude of loss of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-LowLimit a s223:Aspect-LowLimit, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Low limit" ; + rdfs:comment "Aspect-Low limit" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Manufacturer a s223:Aspect-Manufacturer, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Manufacturer" ; + rdfs:comment "The value of the associated Property identifies the manufacturer." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Maximum a s223:Aspect-Maximum, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Maximum" ; + rdfs:comment "The maximum allowable level of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Minimum a s223:Aspect-Minimum, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Minimum" ; + rdfs:comment "The minimum allowable level of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Model a s223:Aspect-Model, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Model" ; + rdfs:comment "The value of the associated Property identifies the model." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Nominal a s223:Aspect-Nominal, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Nominal" ; + rdfs:comment "The nominal level of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-NominalFrequency a s223:Aspect-NominalFrequency, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Nominal Frequency" ; + rdfs:comment "The value of the associated Property identifies the nominal frequency of the medium" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-PhaseAngle a s223:Aspect-PhaseAngle, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Phase angle" ; + rdfs:comment "Aspect-Phase angle" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-PowerFactor a s223:Aspect-PowerFactor, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-PowerFactor" ; + rdfs:comment "The power factor of something characterized by a dimensionless value of this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Rated a s223:Aspect-Rated, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Rated" ; + rdfs:comment "The rated value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Sensible a s223:Aspect-Sensible, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Sensible" ; + rdfs:comment "The sensible value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-SerialNumber a s223:Aspect-SerialNumber, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-SerialNumber" ; + rdfs:comment "The value of the associated Property identifies the serial number." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-ServiceFactor a s223:Aspect-ServiceFactor, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-ServiceFactor" ; + rdfs:comment "The service factor of something characterized by a dimensionless value of this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Setpoint a s223:Aspect-Setpoint, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Setpoint" ; + rdfs:comment "Aspect-Setpoint" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-StandardConditions a s223:Aspect-StandardConditions, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-StandardConditions" ; + rdfs:comment "Indicates the Property applies under standard conditions (such as standard temperature and pressure)." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Standby a s223:Aspect-Standby, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Standby" ; + rdfs:comment "The standby value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-StartupValue a s223:Aspect-StartupValue, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-StartupValue" ; + rdfs:comment "The startup value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Threshold a s223:Aspect-Threshold, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Threshold" ; + rdfs:comment "The threshold value of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Total a s223:Aspect-Total, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Total" ; + rdfs:comment "The total amount of something characterized by this Property." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-WetBulb a s223:Aspect-WetBulb, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-WetBulb" ; + rdfs:comment "The associated Property is a WetBulb temperature." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Aspect-Year a s223:Aspect-Year, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Year" ; + rdfs:comment "The value of the associated Property identifies the year of manufacture." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Binary-False a s223:Binary-False, + s223:Class, + sh:NodeShape ; + rdfs:label "Binary False" ; + rdfs:comment "Binary False" ; + rdfs:subClassOf s223:EnumerationKind-Binary . + +s223:Binary-True a s223:Binary-True, + s223:Class, + sh:NodeShape ; + rdfs:label "Binary True" ; + rdfs:comment "Binary True" ; + rdfs:subClassOf s223:EnumerationKind-Binary . + +s223:Binary-Unknown a s223:Binary-Unknown, + s223:Class, + sh:NodeShape ; + rdfs:label "Binary Unknown" ; + rdfs:comment "Binary Unknown" ; + rdfs:subClassOf s223:EnumerationKind-Binary . + +s223:Damper a s223:Class, + sh:NodeShape ; + rdfs:label "Damper" ; + rdfs:comment "An element inserted into an air-distribution system or element of an air-distribution system permitting modification of the air resistance of the system and consequently changing the airflow rate or shutting off the airflow." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Damper shall have at least one inlet using the medium Air.", + "Does this need to allow bidirectional connection points?" ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Damper shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . + +s223:Direction-Bidirectional a s223:Class, + s223:Direction-Bidirectional, + sh:NodeShape ; + rdfs:label "Direction-Bidirectional" ; + rdfs:comment "One of the set of enumeration values for the hasDirection property used to characterize the direction of flow associated with an instance of a ConnectionPoint. The value Bidirectional indicates that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation." ; + rdfs:subClassOf s223:EnumerationKind-Direction . + +s223:Direction-Inlet a s223:Class, + s223:Direction-Inlet, + sh:NodeShape ; + rdfs:label "Direction-Inlet"@en ; + rdfs:comment "One of the set of enumeration values for the hasDirection property used to characterize the direction of flow associated with an instance of a ConnectionPoint. The value Inlet indicates that the direction of flow is into the Equipment." ; + rdfs:subClassOf s223:EnumerationKind-Direction . + +s223:Direction-Outlet a s223:Class, + s223:Direction-Outlet, + sh:NodeShape ; + rdfs:label "Direction-Outlet"@en, + "Direction-Sortie"@fr ; + rdfs:comment "One member of the enumerated valid values to characterize the hasDirection property. It is an instance of the Direction class." ; + rdfs:subClassOf s223:EnumerationKind-Direction . + +s223:Domain-ConveyanceSystems a s223:Class, + s223:Domain-ConveyanceSystems, + sh:NodeShape ; + rdfs:label "Domain-ConveyanceSystems" ; + rdfs:comment "The domain ConveyanceSystems represents equipment used to move people or things from one place in a building to another. Example equipment that might fall within a ConveyanceSystems domain include elevators, escalators, and conveyer belts." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Electrical a s223:Class, + s223:Domain-Electrical, + sh:NodeShape ; + rdfs:label "Domain-Electrical" ; + rdfs:comment "The domain Electrical represents equipment used to provide electrical power within a building. Example equipment that might fall within an Electrical domain include breaker panels, switchgear, photovoltaic panels, and generators. " ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Fire a s223:Class, + s223:Domain-Fire, + sh:NodeShape ; + rdfs:label "Domain-Fire" ; + rdfs:comment "The domain Fire represents equipment used to provide fire detection and protection within a building. Example equipment that might be fall within a Fire domain include smoke detectors, alarm annunciators, and emergency public address systems. " ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-HVAC a s223:Class, + s223:Domain-HVAC, + sh:NodeShape ; + rdfs:label "Domain-HVAC" ; + rdfs:comment "The domain HVAC represents equipment used to provide space conditioning and ventilation within a building. Example equipment that might fall within an HVAC domain include fans, pumps, air-handling units, and variable air volume boxes. " ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Lighting a s223:Class, + s223:Domain-Lighting, + sh:NodeShape ; + rdfs:label "Domain-Lighting" ; + rdfs:comment "The domain Lighting represents equipment used to provide illumination within or outside a building. Example equipment that might fall within a Lighting domain includes luminaires, daylight sensors, and movable sun shades." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Networking a s223:Class, + s223:Domain-Networking, + sh:NodeShape ; + rdfs:label "Domain-Networking" ; + rdfs:comment "The domain Networking represents equipment used to provide information technology communication for a building." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Occupancy a s223:Class, + s223:Domain-Occupancy, + sh:NodeShape ; + rdfs:label "Domain-Occupancy" ; + rdfs:comment "The domain Occupancy represents equipment used to determine if people are present in a space or count the number of people in a space." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-PhysicalSecurity a s223:Class, + s223:Domain-PhysicalSecurity, + sh:NodeShape ; + rdfs:label "Domain-PhysicalSecurity" ; + rdfs:comment "The domain Security represents equipment that provides physical access control within or outside a building. Example equipment that might fall within a PhysicalSecurity domain include cameras, keycard sensors, and biometric scanners." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Plumbing a s223:Class, + s223:Domain-Plumbing, + sh:NodeShape ; + rdfs:label "Domain-Plumbing" ; + rdfs:comment "The domain Plumbing represents equipment used to provide domestic water within or outside a building. Example equipment that might fall within a Plumbing domain includes water meters, domestic hot water tanks, and sinks." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:Domain-Refrigeration a s223:Class, + s223:Domain-Refrigeration, + sh:NodeShape ; + rdfs:label "Domain-Refrigeration" ; + rdfs:comment "The domain Refrigeration represents equipment used to provide cooling for a purpose other than space conditioning in a building." ; + rdfs:subClassOf s223:EnumerationKind-Domain . + +s223:EM-Microwave a s223:Class, + s223:EM-Microwave, + sh:NodeShape ; + rdfs:label "EM-Microwave" ; + rdfs:comment "EM-Microwave" ; + rdfs:subClassOf s223:Medium-EM . + +s223:EM-RF a s223:Class, + s223:EM-RF, + sh:NodeShape ; + rdfs:label "EM-RF" ; + rdfs:comment "EM-RF" ; + rdfs:subClassOf s223:Medium-EM . + +s223:Effectiveness-Active a s223:Class, + s223:Effectiveness-Active, + sh:NodeShape ; + rdfs:label "Active" ; + rdfs:comment "Active" ; + rdfs:subClassOf s223:Aspect-Effectiveness . + +s223:ElectricalPhaseIdentifier-A a s223:Class, + s223:ElectricalPhaseIdentifier-A, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier A" ; + rdfs:comment "The value of the associated Property identifies the electrical phase A of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-AB a s223:Class, + s223:ElectricalPhaseIdentifier-AB, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier AB" ; + rdfs:comment "The value of the associated Property identifies the electrical phase AB of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-ABC a s223:Class, + s223:ElectricalPhaseIdentifier-ABC, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier ABC" ; + rdfs:comment "The value of the associated Property identifies the electrical phase ABC of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-B a s223:Class, + s223:ElectricalPhaseIdentifier-B, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier B" ; + rdfs:comment "The value of the associated Property identifies the electrical phase B of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-BC a s223:Class, + s223:ElectricalPhaseIdentifier-BC, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier BC" ; + rdfs:comment "The value of the associated Property identifies the electrical phase BC of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-C a s223:Class, + s223:ElectricalPhaseIdentifier-C, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier C" ; + rdfs:comment "The value of the associated Property identifies the electrical phase C of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalPhaseIdentifier-CA a s223:Class, + s223:ElectricalPhaseIdentifier-CA, + sh:NodeShape ; + rdfs:label "Electrical Phase Identifier CA" ; + rdfs:comment "The value of the associated Property identifies the electrical phase CA of the Connection." ; + rdfs:subClassOf s223:Aspect-ElectricalPhaseIdentifier . + +s223:ElectricalVoltagePhases-ABLineLineVoltage a s223:Class, + s223:ElectricalVoltagePhases-ABLineLineVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-ABLineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases A and B" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:ElectricalVoltagePhases-ANLineNeutralVoltage a s223:Class, + s223:ElectricalVoltagePhases-ANLineNeutralVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-ANLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases A and N" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:ElectricalVoltagePhases-BCLineLineVoltage a s223:Class, + s223:ElectricalVoltagePhases-BCLineLineVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-BCLineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases B and C" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:ElectricalVoltagePhases-BNLineNeutralVoltage a s223:Class, + s223:ElectricalVoltagePhases-BNLineNeutralVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-BNLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases B and N" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:ElectricalVoltagePhases-CALineLineVoltage a s223:Class, + s223:ElectricalVoltagePhases-CALineLineVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-CALineLineVoltage" ; + rdfs:comment "Identifies the Line-to-line voltage is between phases C and A" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:ElectricalVoltagePhases-CNLineNeutralVoltage a s223:Class, + s223:ElectricalVoltagePhases-CNLineNeutralVoltage, + sh:NodeShape ; + rdfs:label "ElectricalVoltagePhases-CNLineNeutralVoltage" ; + rdfs:comment "Identifies the Line-to-neutral voltage is between phases C and N" ; + rdfs:subClassOf s223:Aspect-ElectricalVoltagePhases . + +s223:Electricity-Earth a s223:Class, + s223:Electricity-Earth, + sh:NodeShape ; + rdfs:label "Electricity-Earth" ; + rdfs:comment "Electricity-Earth" ; + rdfs:subClassOf s223:Medium-Electricity . + +s223:Electricity-Neutral a s223:Class, + s223:Electricity-Neutral, + sh:NodeShape ; + rdfs:label "Electricity-Neutral" ; + rdfs:comment "Electricity-Neutral" ; + rdfs:subClassOf s223:Medium-Electricity . + +s223:Gas-SuperHeated a s223:Class, + s223:Gas-SuperHeated, + sh:NodeShape ; + rdfs:label "Gas-Super heated" ; + rdfs:comment "Gas-Super heated" ; + rdfs:subClassOf s223:Phase-Gas . + +s223:GlycolSolution-15Percent a s223:Class, + s223:GlycolSolution-15Percent, + sh:NodeShape ; + rdfs:label "GlycolSolution-15Percent" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Glycol conc" ; + s223:hasValue 15.0 ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Water conc" ; + s223:hasValue 85.0 ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] ; + rdfs:comment "GlycolSolution-15Percent" ; + rdfs:subClassOf s223:Water-GlycolSolution . + +s223:GlycolSolution-30Percent a s223:Class, + s223:GlycolSolution-30Percent, + sh:NodeShape ; + rdfs:label "GlycolSolution-30Percent" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Glycol conc" ; + s223:hasValue 30.0 ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Water conc" ; + s223:hasValue 70.0 ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] ; + rdfs:comment "GlycolSolution-30Percent" ; + rdfs:subClassOf s223:Water-GlycolSolution . + +s223:HVACOperatingMode-Auto a s223:Class, + s223:HVACOperatingMode-Auto, + sh:NodeShape ; + rdfs:label "Auto" ; + rdfs:comment "Auto" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingMode . + +s223:HVACOperatingMode-CoolOnly a s223:Class, + s223:HVACOperatingMode-CoolOnly, + sh:NodeShape ; + rdfs:label "CoolOnly" ; + rdfs:comment "CoolOnly" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingMode . + +s223:HVACOperatingMode-FanOnly a s223:Class, + s223:HVACOperatingMode-FanOnly, + sh:NodeShape ; + rdfs:label "FanOnly" ; + rdfs:comment "FanOnly" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingMode . + +s223:HVACOperatingMode-HeatOnly a s223:Class, + s223:HVACOperatingMode-HeatOnly, + sh:NodeShape ; + rdfs:label "HeatOnly" ; + rdfs:comment "HeatOnly" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingMode . + +s223:HVACOperatingMode-Off a s223:Class, + s223:HVACOperatingMode-Off, + sh:NodeShape ; + rdfs:label "Off" ; + rdfs:comment "Off" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingMode . + +s223:HVACOperatingStatus-Cooling a s223:Class, + s223:HVACOperatingStatus-Cooling, + sh:NodeShape ; + rdfs:label "Cooling" ; + rdfs:comment "Cooling" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingStatus . + +s223:HVACOperatingStatus-Dehumidifying a s223:Class, + s223:HVACOperatingStatus-Dehumidifying, + sh:NodeShape ; + rdfs:label "Dehumidifying" ; + rdfs:comment "Dehumidifying" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingStatus . + +s223:HVACOperatingStatus-Heating a s223:Class, + s223:HVACOperatingStatus-Heating, + sh:NodeShape ; + rdfs:label "Heating" ; + rdfs:comment "Heating" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingStatus . + +s223:HVACOperatingStatus-Off a s223:Class, + s223:HVACOperatingStatus-Off, + sh:NodeShape ; + rdfs:label "Off" ; + rdfs:comment "Off" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingStatus . + +s223:HVACOperatingStatus-Ventilating a s223:Class, + s223:HVACOperatingStatus-Ventilating, + sh:NodeShape ; + rdfs:label "Ventilating" ; + rdfs:comment "Ventilating" ; + rdfs:subClassOf s223:EnumerationKind-HVACOperatingStatus . + +s223:HeatExchanger a s223:Class, + sh:NodeShape ; + rdfs:label "Heat exchanger" ; + rdfs:comment "A component intended to transfer heat from one medium to another while keeping the two media separate." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A heat exchanger shall have at least 4 connection points." ; + sh:minCount 4 ; + sh:path s223:hasConnectionPoint ], + [ rdfs:comment "If the relation hasRole is present it must associate the HeatExchanger with a EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ], + [ rdfs:comment "Heat Exchangers should have the same number of non-electrical inlet and outlet connection points." ; + sh:path s223:hasConnectionPoint ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Heat Exchangers should have the same number of non-electrical inlet and outlet connection points." ; + sh:message "Number of inlets {?incount} are not equivalent with number of outlets {?outcount}." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?incount ?outcount +WHERE { +{ +SELECT $this (COUNT (?cpin) AS ?incount) +WHERE { +?cpin a/rdfs:subClassOf* s223:InletConnectionPoint . +$this s223:hasConnectionPoint ?cpin . +?cpin s223:hasMedium ?inmedium . +FILTER NOT EXISTS { + ?inmedium a/rdfs:subClassOf* s223:Medium-Electricity . + } +} +GROUP BY $this +} +{ +SELECT $this (COUNT (?cpout) AS ?outcount) +WHERE { +?cpout a/rdfs:subClassOf* s223:OutletConnectionPoint . +$this s223:hasConnectionPoint ?cpout . +?cpout s223:hasMedium ?outmedium . +FILTER NOT EXISTS { + ?outmedium a/rdfs:subClassOf* s223:Medium-Electricity . + } +} +GROUP BY $this +} +FILTER (?incount != ?outcount) +} +""" ] ] . + +s223:Junction a s223:Class, + sh:NodeShape ; + rdfs:label "Junction" ; + rdfs:comment "A Junction is a modeling construct used when a branching point within a Connection (see `s223:Connection`) is of significance, such as specifying the observation location of a Sensor. When a Junction is used, what might have been modeled as a single, branched Connection is separated into three or more separate Connections, all tied together with the Junction and its associated ConnectionPoints." ; + rdfs:subClassOf s223:Connectable ; + sh:or ( [ sh:property [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Junction shall have at least three ConnectionPoints including (a) at least one inlet and one outlet, or (b) at least one bidirectional connection point." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) ; + sh:property [ rdfs:comment "A Junction must be associated with exactly one EnumerationKind-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasMedium ], + [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Junction." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Junction." ; + sh:message "{$this} with Medium {?m2} is incompatible with {?cp} with Medium {?m1}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m2 ?cp ?m1 +WHERE { +$this s223:cnx ?cp . +?cp a/rdfs:subClassOf* s223:ConnectionPoint . +?cp s223:hasMedium ?m1 . +$this s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ], + [ rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:message "{?cp1} with Medium {?m1} is incompatible with {?cp2} with Medium {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cp1 ?m1 ?cp2 ?m2 +WHERE { +$this s223:cnx ?cp1 . +?cp1 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp1 s223:hasMedium ?m1 . +$this s223:cnx ?cp2 . +?cp2 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ] . + +s223:Light-Infrared a s223:Class, + s223:Light-Infrared, + sh:NodeShape ; + rdfs:label "Light-Infrared" ; + rdfs:comment "Light-Infrared" ; + rdfs:subClassOf s223:EM-Light . + +s223:Light-Ultraviolet a s223:Class, + s223:Light-Ultraviolet, + sh:NodeShape ; + rdfs:label "Light-Ultraviolet" ; + rdfs:comment "Light-Ultraviolet" ; + rdfs:subClassOf s223:EM-Light . + +s223:Light-Visible a s223:Class, + s223:Light-Visible, + sh:NodeShape ; + rdfs:label "Light-Visible" ; + rdfs:comment "Light-Visible" ; + rdfs:subClassOf s223:EM-Light . + +s223:Liquid-SubCooled a s223:Class, + s223:Liquid-SubCooled, + sh:NodeShape ; + rdfs:label "Liquid-Sub cooled" ; + rdfs:comment "Liquid-Sub cooled" ; + rdfs:subClassOf s223:Phase-Liquid . + +s223:Modulated-0-10V a s223:Class, + s223:Modulated-0-10V, + sh:NodeShape ; + rdfs:label "Modulated 0-10V" ; + rdfs:comment "Modulated 0-10V" ; + rdfs:subClassOf s223:Signal-Modulated . + +s223:Modulated-4-20mA a s223:Class, + s223:Modulated-4-20mA, + sh:NodeShape ; + rdfs:label "Modulated 4-20mA" ; + rdfs:comment "Modulated 4-20mA" ; + rdfs:subClassOf s223:Signal-Modulated . + +s223:Motion-False a s223:Class, + s223:Motion-False, + sh:NodeShape ; + rdfs:label "Motion-False" ; + rdfs:comment "Motion-False" ; + rdfs:subClassOf s223:Occupancy-Motion . + +s223:Motion-True a s223:Class, + s223:Motion-True, + sh:NodeShape ; + rdfs:label "Motion-True" ; + rdfs:comment "Motion-True" ; + rdfs:subClassOf s223:Occupancy-Motion . + +s223:Occupancy-Occupied a s223:Class, + s223:Occupancy-Occupied, + sh:NodeShape ; + rdfs:label "Occupied" ; + rdfs:comment "Occupied" ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:Occupancy-Unknown a s223:Class, + s223:Occupancy-Unknown, + sh:NodeShape ; + rdfs:label "Unknown" ; + rdfs:comment "Unknown" ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:Occupancy-Unoccupied a s223:Class, + s223:Occupancy-Unoccupied, + sh:NodeShape ; + rdfs:label "Unoccupied" ; + rdfs:comment "Unoccupied" ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:OnOff-Off a s223:Class, + s223:OnOff-Off, + sh:NodeShape ; + rdfs:label "Off" ; + rdfs:comment "Off" ; + rdfs:subClassOf s223:EnumerationKind-OnOff . + +s223:OnOff-On a s223:Class, + s223:OnOff-On, + sh:NodeShape ; + rdfs:label "On" ; + rdfs:comment "On" ; + rdfs:subClassOf s223:EnumerationKind-OnOff . + +s223:OnOff-Unknown a s223:Class, + s223:OnOff-Unknown, + sh:NodeShape ; + rdfs:label "Unknown" ; + rdfs:comment "Unknown" ; + rdfs:subClassOf s223:EnumerationKind-OnOff . + +s223:Particulate-PM1.0 a s223:Class, + s223:Particulate-PM1.0, + sh:NodeShape ; + rdfs:label "Particulate-PM1.0" ; + rdfs:comment "Particulate-PM1.0" ; + rdfs:subClassOf s223:Substance-Particulate . + +s223:Particulate-PM10.0 a s223:Class, + s223:Particulate-PM10.0, + sh:NodeShape ; + rdfs:label "Particulate-PM10.0" ; + rdfs:comment "Particulate-PM10.0" ; + rdfs:subClassOf s223:Substance-Particulate . + +s223:Particulate-PM2.5 a s223:Class, + s223:Particulate-PM2.5, + sh:NodeShape ; + rdfs:label "Particulate-PM2.5" ; + rdfs:comment "Particulate-PM2.5" ; + rdfs:subClassOf s223:Substance-Particulate . + +s223:Phase-Solid a s223:Class, + s223:Phase-Solid, + sh:NodeShape ; + rdfs:label "Phase-Solid" ; + rdfs:comment "Phase-Solid" ; + rdfs:subClassOf s223:EnumerationKind-Phase . + +s223:Phase-Vapor a s223:Class, + s223:Phase-Vapor, + sh:NodeShape ; + rdfs:label "Phase-Vapor" ; + rdfs:comment "Phase-Vapor" ; + rdfs:subClassOf s223:EnumerationKind-Phase . + +s223:Position-Closed a s223:Class, + s223:Position-Closed, + sh:NodeShape ; + rdfs:label "Closed" ; + rdfs:comment "Closed" ; + rdfs:subClassOf s223:EnumerationKind-Position . + +s223:Position-Open a s223:Class, + s223:Position-Open, + sh:NodeShape ; + rdfs:label "Open" ; + rdfs:comment "Open" ; + rdfs:subClassOf s223:EnumerationKind-Position . + +s223:Position-Unknown a s223:Class, + s223:Position-Unknown, + sh:NodeShape ; + rdfs:label "Unknown" ; + rdfs:comment "Unknown" ; + rdfs:subClassOf s223:EnumerationKind-Position . + +s223:Presence-False a s223:Class, + s223:Presence-False, + sh:NodeShape ; + rdfs:label "Presence-False" ; + rdfs:comment "Presence-False" ; + rdfs:subClassOf s223:Occupancy-Presence . + +s223:Presence-True a s223:Class, + s223:Presence-True, + sh:NodeShape ; + rdfs:label "Presence-True" ; + rdfs:comment "Presence-True" ; + rdfs:subClassOf s223:Occupancy-Presence . + +s223:Refrigerant-R-22 a s223:Class, + s223:Refrigerant-R-22, + sh:NodeShape ; + rdfs:label "Refrigerant-R-22" ; + rdfs:comment "Refrigerant-R-22" ; + rdfs:subClassOf s223:Medium-Refrigerant . + +s223:Refrigerant-R-410A a s223:Class, + s223:Refrigerant-R-410A, + sh:NodeShape ; + rdfs:label "Refrigerant-R-410A" ; + rdfs:comment "Refrigerant-R-410A" ; + rdfs:subClassOf s223:Medium-Refrigerant . + +s223:Role-Condenser a s223:Class, + s223:Role-Condenser, + sh:NodeShape ; + rdfs:label "Role-Condenser" ; + rdfs:comment "Role-Condenser" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Discharge a s223:Class, + s223:Role-Discharge, + sh:NodeShape ; + rdfs:label "Role-Discharge" ; + rdfs:comment "Role-Discharge" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Economizer a s223:Class, + s223:Role-Economizer, + sh:NodeShape ; + rdfs:label "Role-Economizer" ; + rdfs:comment "Role-Economizer" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Evaporator a s223:Class, + s223:Role-Evaporator, + sh:NodeShape ; + rdfs:label "Role-Evaporator" ; + rdfs:comment "Role-Evaporator" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Exhaust a s223:Class, + s223:Role-Exhaust, + sh:NodeShape ; + rdfs:label "Role-Exhaust" ; + rdfs:comment "Role-Exhaust" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Expansion a s223:Class, + s223:Role-Expansion, + sh:NodeShape ; + rdfs:label "Role-Expansion" ; + rdfs:comment "Role-Expansion" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Generator a s223:Class, + s223:Role-Generator, + sh:NodeShape ; + rdfs:label "Role-Generator" ; + rdfs:comment "Role-Generator" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-HeatRecovery a s223:Class, + s223:Role-HeatRecovery, + sh:NodeShape ; + rdfs:label "Heat Recovery" ; + rdfs:comment "Heat Recovery" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Load a s223:Class, + s223:Role-Load, + sh:NodeShape ; + rdfs:label "Role-Load" ; + rdfs:comment "Role-Load" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Primary a s223:Class, + s223:Role-Primary, + sh:NodeShape ; + rdfs:label "Role-Primary" ; + rdfs:comment "Role-Primary" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Recirculating a s223:Class, + s223:Role-Recirculating, + sh:NodeShape ; + rdfs:label "Role-Recirculating" ; + rdfs:comment "Role-Recirculating" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Relief a s223:Class, + s223:Role-Relief, + sh:NodeShape ; + rdfs:label "Role-Relief" ; + rdfs:comment "Role-Relief" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Return a s223:Class, + s223:Role-Return, + sh:NodeShape ; + rdfs:label "Role-Return" ; + rdfs:comment "Role-Return" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Secondary a s223:Class, + s223:Role-Secondary, + sh:NodeShape ; + rdfs:label "Role-Secondary" ; + rdfs:comment "Role-Secondary" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Role-Supply a s223:Class, + s223:Role-Supply, + sh:NodeShape ; + rdfs:label "Role-Supply" ; + rdfs:comment "Role-Supply" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:RunStatus-Off a s223:Class, + s223:RunStatus-Off, + sh:NodeShape ; + rdfs:label "Off" ; + rdfs:comment "Off" ; + rdfs:subClassOf s223:EnumerationKind-RunStatus . + +s223:RunStatus-On a s223:Class, + s223:RunStatus-On, + sh:NodeShape ; + rdfs:label "On" ; + rdfs:comment "On" ; + rdfs:subClassOf s223:EnumerationKind-RunStatus . + +s223:RunStatus-Unknown a s223:Class, + s223:RunStatus-Unknown, + sh:NodeShape ; + rdfs:label "Unknown" ; + rdfs:comment "Unknown" ; + rdfs:subClassOf s223:EnumerationKind-RunStatus . + +s223:Signal-EIA485 a s223:Class, + s223:Signal-EIA485, + sh:NodeShape ; + rdfs:label "Signal EIA485" ; + rdfs:comment "Signal EIA485" ; + rdfs:subClassOf s223:Electricity-Signal . + +s223:Signal-Ethernet a s223:Class, + s223:Signal-Ethernet, + sh:NodeShape ; + rdfs:label "Signal Ethernet" ; + rdfs:comment "Signal Ethernet" ; + rdfs:subClassOf s223:Electricity-Signal . + +s223:Signal-IEC14908 a s223:Class, + s223:Signal-IEC14908, + sh:NodeShape ; + rdfs:label "Signal IEC14908" ; + rdfs:comment "Signal IEC14908" ; + rdfs:subClassOf s223:Electricity-Signal . + +s223:Signal-USB a s223:Class, + s223:Signal-USB, + sh:NodeShape ; + rdfs:label "Signal USB" ; + rdfs:comment "Signal USB" ; + rdfs:subClassOf s223:Electricity-Signal . + +s223:Speed-High a s223:Class, + s223:Speed-High, + sh:NodeShape ; + rdfs:label "High" ; + rdfs:comment "High" ; + rdfs:subClassOf s223:EnumerationKind-Speed . + +s223:Speed-Low a s223:Class, + s223:Speed-Low, + sh:NodeShape ; + rdfs:label "Low" ; + rdfs:comment "Low" ; + rdfs:subClassOf s223:EnumerationKind-Speed . + +s223:Speed-Medium a s223:Class, + s223:Speed-Medium, + sh:NodeShape ; + rdfs:label "Medium" ; + rdfs:comment "Medium" ; + rdfs:subClassOf s223:EnumerationKind-Speed . + +s223:Speed-Off a s223:Class, + s223:Speed-Off, + sh:NodeShape ; + rdfs:label "Off" ; + rdfs:comment "Off" ; + rdfs:subClassOf s223:EnumerationKind-Speed . + +s223:Substance-CO a s223:Class, + s223:Substance-CO, + sh:NodeShape ; + rdfs:label "Substance-CO" ; + rdfs:comment "Substance-CO" ; + rdfs:subClassOf s223:EnumerationKind-Substance . + +s223:Substance-CO2 a s223:Class, + s223:Substance-CO2, + sh:NodeShape ; + rdfs:label "Substance-CO2" ; + rdfs:comment "Substance-CO2" ; + rdfs:subClassOf s223:EnumerationKind-Substance . + +s223:Substance-Soot a s223:Class, + s223:Substance-Soot, + sh:NodeShape ; + rdfs:label "Substance-Soot" ; + rdfs:comment "Substance-Soot" ; + rdfs:subClassOf s223:EnumerationKind-Substance . + +s223:System a s223:Class, + sh:NodeShape ; + rdfs:label "System" ; + rdfs:comment "A System is a logical grouping (collection) of Equipment for some functional or system reason, such as a chilled water system, or HVAC system. A System does not participate in Connections." ; + rdfs:subClassOf s223:Concept ; + sh:property [ a sh:PropertyShape ; + rdfs:comment "A System can be associated with at least two instances of Equipment or System using the relation hasMember" ; + sh:minCount 2 ; + sh:or ( [ sh:class s223:Equipment ] [ sh:class s223:System ] ) ; + sh:path s223:hasMember ; + sh:severity sh:Warning ], + [ rdfs:comment "If the relation hasRole is present, it must associate the System with an EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ] . + +s223:Water-ChilledWater a s223:Class, + s223:Water-ChilledWater, + sh:NodeShape ; + rdfs:label "Water-Chilled water" ; + rdfs:comment "Water-Chilled water" ; + rdfs:subClassOf s223:Medium-Water . + +s223:Water-HotWater a s223:Class, + s223:Water-HotWater, + sh:NodeShape ; + rdfs:label "Water-Hot water" ; + rdfs:comment "Water-Hot water" ; + rdfs:subClassOf s223:Medium-Water . + +s223:Water-Steam a s223:Class, + s223:Water-Steam, + sh:NodeShape ; + rdfs:label "Steam" ; + rdfs:comment "Steam" ; + rdfs:subClassOf s223:Medium-Water . + +s223:Weekday-Friday a s223:Class, + s223:Weekday-Friday, + sh:NodeShape ; + rdfs:label "Friday" ; + rdfs:comment "Friday" ; + rdfs:subClassOf s223:DayOfWeek-Weekday . + +s223:Weekday-Monday a s223:Class, + s223:Weekday-Monday, + sh:NodeShape ; + rdfs:label "Monday" ; + rdfs:comment "Monday" ; + rdfs:subClassOf s223:DayOfWeek-Weekday . + +s223:Weekday-Thursday a s223:Class, + s223:Weekday-Thursday, + sh:NodeShape ; + rdfs:label "Thursday" ; + rdfs:comment "Thursday" ; + rdfs:subClassOf s223:DayOfWeek-Weekday . + +s223:Weekday-Tuesday a s223:Class, + s223:Weekday-Tuesday, + sh:NodeShape ; + rdfs:label "Tuesday" ; + rdfs:comment "Tuesday" ; + rdfs:subClassOf s223:DayOfWeek-Weekday . + +s223:Weekday-Wednesday a s223:Class, + s223:Weekday-Wednesday, + sh:NodeShape ; + rdfs:label "Wednesday" ; + rdfs:comment "Wednesday" ; + rdfs:subClassOf s223:DayOfWeek-Weekday . + +s223:Weekend-Saturday a s223:Class, + s223:Weekend-Saturday, + sh:NodeShape ; + rdfs:label "Saturday" ; + rdfs:comment "Saturday" ; + rdfs:subClassOf s223:DayOfWeek-Weekend . + +s223:Weekend-Sunday a s223:Class, + s223:Weekend-Sunday, + sh:NodeShape ; + rdfs:label "Sunday" ; + rdfs:comment "Sunday" ; + rdfs:subClassOf s223:DayOfWeek-Weekend . + +s223:Zone a s223:Class, + sh:NodeShape ; + rdfs:label "Zone" ; + rdfs:comment "A Zone is a logical grouping (collection) of domain spaces for some functional or system reason, to identify a domain of control, such as a Lighting Zone, or a heating zone" ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "A Zone must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ], + [ rdfs:comment "A Zone must be associated with at least one DomainSpace using the relation hasDomainSpace." ; + sh:class s223:DomainSpace ; + sh:minCount 1 ; + sh:path s223:hasDomainSpace ], + [ rdfs:comment "The associated Domain of a Zone and the Domain of the DomainSpaces it contains must be the same." ; + sh:path s223:hasDomain ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "The associated Domain of a Zone and the Domain of the DomainSpaces it contains must be the same." ; + sh:message "Zone {$this} has a Domain of {?domain}, but it contains a DomainSpace {?ds} which has a Domain of {?dsdomain}. These should be the same." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?domain ?ds ?dsdomain +WHERE { +$this a s223:Zone . +$this s223:hasDomain ?domain . +$this s223:contains ?ds . +?ds s223:hasDomain ?dsdomain . +FILTER (?domain != ?dsdomain) +} +""" ] ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosed DomainSpaces to determine the domain." ; + sh:object [ sh:path ( s223:hasDomainSpace s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosing ZoneGroup to determine the domain." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasZone ] s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . + +s223:actuates a rdf:Property ; + rdfs:label "actuates" ; + rdfs:comment "The relation actuates binds an Actuator to the Equipment that it actuates. The Equipment will have the ActuatableProperty that commands the Actuator (see `s223:commandedByProperty`)." . + +s223:connectsFrom a rdf:Property ; + rdfs:label "connects from" ; + rdfs:comment "The relation connectsFrom binds a Connectable thing to a Connection with an implied directionality. B connectsFrom A indicates a flow from A to B." . + +s223:connectsTo a rdf:Property ; + rdfs:label "connects to" ; + rdfs:comment "The relation connectsTo binds a Connection to a Connectable thing to a Connection with an implied directionality. A connectsTo B indicates a flow from A to B." . + +s223:hasAspect a rdf:Property ; + rdfs:label "has aspect" ; + rdfs:comment "hasAspect is used to establish the context of a Property. The value must be an instance of EnumerationKind. For example, if a Property has a Temperature value of 45.3, the hasAspect relation is used to state what that represents, such as a Temperature limit during working hours, etc. A Property can have any number of hasAspect relations, as needed to establish the context." . + +s223:hasExternalReference a rdf:Property ; + rdfs:label "has external reference" ; + rdfs:comment "The relation hasExternalReference is used to relate a Property to an external telemetry source." . + +s223:hasFrequency a rdf:Property ; + rdfs:label "has frequency" ; + rdfs:comment "The relation hasFrequency is used to identify the frequency of an AC electricity enumeration kind. " . + +s223:hasInput a rdf:Property ; + rdfs:label "has function input" ; + rdfs:comment "The relation hasInput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is used as input." . + +s223:hasMeasurementResolution a rdf:Property ; + rdfs:label "has measurement resolution" ; + rdfs:comment "The hasMeasurementResolution relation is used to link to a numerical property whose value indicates the smallest recognizable change in engineering units that the sensor can indicate. " . + +s223:hasMember a rdf:Property ; + rdfs:label "has member" ; + rdfs:comment "The relation hasMember associates a System with its component Equipment and/or Systems." . + +s223:hasNumberOfElectricalPhases a rdf:Property ; + rdfs:label "has number of electrical phases" ; + rdfs:comment "The relation hasNumberOfElectricalPhases is used to identify the number of electrical phases in an AC electricity enumeration kind. " . + +s223:hasPhysicalLocation a rdf:Property ; + rdfs:label "has Physical Location" ; + rdfs:comment "The relation hasPhysicalLocation is used to indicate the PhysicalSpace (see `s223:PhysicalSpace`) where a piece of Equipment (see `s223:Equipment`) is located." . + +s223:hasThermodynamicPhase a rdf:Property ; + rdfs:label "has thermodynamic phase" ; + rdfs:comment "The relation hasThermodynamicPhase is used to indicate the thermodynamic phase of the Medium inside a Connection." . + +s223:ofMedium a rdf:Property ; + rdfs:label "of medium" ; + rdfs:comment "The relation ofMedium is used to associate a Property with a specific Medium." . + +dcterms:isReplacedBy a rdf:Property ; + rdfs:label "is replaced by" . + +qudt:AbstractQuantityKind-broader a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:path skos:broader . + +qudt:AbstractQuantityKind-latexSymbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexSymbol . + +qudt:AbstractQuantityKind-symbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 0 ; + sh:path qudt:symbol . + +qudt:ApplicableUnitsGroup a sh:PropertyGroup ; + rdfs:label "Applicable Units" ; + rdfs:isDefinedBy ; + sh:order 30.0 . + +qudt:Aspect-rdfs_isDefinedBy a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 200.0 ; + sh:path rdfs:isDefinedBy . + +qudt:BaseDimensionMagnitude-hasBaseQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:hasBaseQuantityKind . + +qudt:BaseDimensionMagnitude-vectorMagnitude a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:float ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:vectorMagnitude . + +qudt:BooleanEncoding a qudt:BooleanEncodingType ; + rdfs:label "Boolean Encoding" ; + qudt:bits 1 ; + rdfs:isDefinedBy . + +qudt:CT_COUNTABLY-INFINITE a qudt:CardinalityType ; + rdfs:label "Countably Infinite Cardinality Type" ; + dcterms:description "A set of numbers is called countably infinite if there is a way to enumerate them. Formally this is done with a bijection function that associates each number in the set with exactly one of the positive integers. The set of all fractions is also countably infinite. In other words, any set \\(X\\) that has the same cardinality as the set of the natural numbers, or \\(| X | \\; = \\; | \\mathbb N | \\; = \\; \\aleph0\\), is said to be a countably infinite set."^^qudt:LatexString ; + qudt:informativeReference "http://www.math.vanderbilt.edu/~schectex/courses/infinity.pdf"^^xsd:anyURI ; + qudt:literal "countable" ; + rdfs:isDefinedBy . + +qudt:CT_FINITE a qudt:CardinalityType ; + rdfs:label "Finite Cardinality Type" ; + dcterms:description "Any set \\(X\\) with cardinality less than that of the natural numbers, or \\(| X | \\\\; < \\; | \\\\mathbb N | \\), is said to be a finite set."^^qudt:LatexString ; + qudt:literal "finite" ; + rdfs:isDefinedBy . + +qudt:CT_UNCOUNTABLE a qudt:CardinalityType ; + rdfs:label "Uncountable Cardinality Type" ; + dcterms:description "Any set with cardinality greater than that of the natural numbers, or \\(| X | \\; > \\; | \\mathbb N | \\), for example \\(| R| \\; = \\; c \\; > |\\mathbb N |\\), is said to be uncountable."^^qudt:LatexString ; + qudt:literal "uncountable" ; + rdfs:isDefinedBy . + +qudt:CardinalityType-literal a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:literal . + +qudt:CharEncoding a qudt:BooleanEncodingType, + qudt:CharEncodingType ; + rdfs:label "Char Encoding" ; + dc:description "7 bits of 1 octet" ; + qudt:bytes 1 ; + rdfs:isDefinedBy . + +qudt:Citation-description a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path dcterms:description . + +qudt:Citation-url a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; + sh:path qudt:url . + +qudt:Comment-description a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path dcterms:description . + +qudt:Comment-rationale a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; + sh:minCount 0 ; + sh:path qudt:rationale . + +qudt:Concept-abbreviation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:abbreviation . + +qudt:Concept-code a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:path qudt:code . + +qudt:Concept-deprecated a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; + sh:path qudt:deprecated . + +qudt:Concept-description a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path dcterms:description . + +qudt:Concept-guidance a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; + sh:path qudt:guidance . + +qudt:Concept-hasRule a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Rule ; + sh:path qudt:hasRule . + +qudt:Concept-id a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:id . + +qudt:Concept-isReplacedBy a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path dcterms:isReplacedBy . + +qudt:Concept-plainTextDescription a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:plainTextDescription . + +qudt:Concept-rdf_type a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:minCount 1 ; + sh:name "type" ; + sh:order 10.0 ; + sh:path rdf:type . + +qudt:Concept-rdfs_isDefinedBy a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 200.0 ; + sh:path rdfs:isDefinedBy . + +qudt:Concept-rdfs_label a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:minCount 1 ; + sh:order 10.0 ; + sh:path rdfs:label ; + sh:severity sh:Warning . + +qudt:Concept-rdfs_seeAlso a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 900.0 ; + sh:path rdfs:seeAlso . + +qudt:Concept-skos_altLabel a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; + sh:order 12.0 ; + sh:path skos:altLabel . + +qudt:ConstantValue-exactConstant a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; + sh:path qudt:exactConstant . + +qudt:ConstantValue-informativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:path qudt:informativeReference . + +qudt:CurrencyUnit-currencyCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:currencyCode . + +qudt:CurrencyUnit-currencyExponent a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:path qudt:currencyExponent . + +qudt:CurrencyUnit-currencyNumber a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:path qudt:currencyNumber . + +qudt:DataEncoding-bitOrder a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:EndianType ; + sh:maxCount 1 ; + sh:path qudt:bitOrder . + +qudt:DataEncoding-byteOrder a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:EndianType ; + sh:maxCount 1 ; + sh:path qudt:byteOrder . + +qudt:DataEncoding-encoding a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Encoding ; + sh:maxCount 1 ; + sh:path qudt:encoding . + +qudt:Datatype-ansiSQLName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:ansiSQLName . + +qudt:Datatype-basis a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Datatype ; + sh:maxCount 1 ; + sh:path qudt:basis . + +qudt:Datatype-bounded a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:bounded . + +qudt:Datatype-cName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:cName . + +qudt:Datatype-cardinality a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:CardinalityType ; + sh:maxCount 1 ; + sh:path qudt:cardinality . + +qudt:Datatype-id a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:id . + +qudt:Datatype-javaName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:javaName . + +qudt:Datatype-jsName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:jsName . + +qudt:Datatype-matlabName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:matlabName . + +qudt:Datatype-microsoftSQLServerName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:microsoftSQLServerName . + +qudt:Datatype-mySQLName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:mySQLName . + +qudt:Datatype-odbcName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:odbcName . + +qudt:Datatype-oleDBName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:oleDBName . + +qudt:Datatype-oracleSQLName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:oracleSQLName . + +qudt:Datatype-orderedType a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:OrderedType ; + sh:maxCount 1 ; + sh:path qudt:orderedType . + +qudt:Datatype-protocolBuffersName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:protocolBuffersName . + +qudt:Datatype-pythonName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:pythonName . + +qudt:Datatype-vbName a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:vbName . + +qudt:DateTimeStringEncodingType-allowedPattern a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 1 ; + sh:path qudt:allowedPattern . + +qudt:DoublePrecisionEncoding a qudt:FloatingPointEncodingType ; + rdfs:label "Single Precision Real Encoding" ; + qudt:bytes 64 ; + rdfs:isDefinedBy . + +qudt:Encoding-bits a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:path qudt:bits . + +qudt:Encoding-bytes a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:path qudt:bytes . + +qudt:EnumeratedQuantity-enumeratedValue a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:maxCount 1 ; + sh:path qudt:enumeratedValue . + +qudt:EnumeratedQuantity-enumeration a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Enumeration ; + sh:maxCount 1 ; + sh:path qudt:enumeration . + +qudt:EnumeratedValue-abbreviation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:abbreviation . + +qudt:EnumeratedValue-description a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path dcterms:description . + +qudt:EnumeratedValue-symbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:symbol . + +qudt:Enumeration-abbreviation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:abbreviation . + +qudt:Enumeration-default a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:maxCount 1 ; + sh:path qudt:default . + +qudt:Enumeration-element a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:EnumeratedValue ; + sh:minCount 1 ; + sh:path qudt:element . + +qudt:Figure-figureCaption a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:figureCaption . + +qudt:Figure-figureLabel a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:figureLabel . + +qudt:Figure-height a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:height . + +qudt:Figure-image a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; + sh:path qudt:image . + +qudt:Figure-imageLocation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:imageLocation . + +qudt:Figure-landscape a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:maxCount 1 ; + sh:path qudt:landscape . + +qudt:Figure-width a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:width . + +qudt:IEEE754_1985RealEncoding a qudt:FloatingPointEncodingType ; + rdfs:label "IEEE 754 1985 Real Encoding" ; + qudt:bytes 32 ; + rdfs:isDefinedBy . + +qudt:LongUnsignedIntegerEncoding a qudt:IntegerEncodingType ; + rdfs:label "Long Unsigned Integer Encoding" ; + qudt:bytes 8 ; + rdfs:isDefinedBy . + +qudt:Narratable a qudt:AspectClass, + sh:NodeShape ; + rdfs:label "Narratable" ; + rdfs:comment "

Narratable specifies properties that provide for documentation and references.

"^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Aspect . + +qudt:OctetEncoding a qudt:BooleanEncodingType, + qudt:ByteEncodingType ; + rdfs:label "OCTET Encoding" ; + qudt:bytes 1 ; + rdfs:isDefinedBy . + +qudt:OrderedType-literal a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:literal . + +qudt:OrdinalScale-order a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:nonNegativeInteger ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:order . + +qudt:Organization-url a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:url . + +qudt:PartiallyOrdered a qudt:OrderedType ; + rdfs:label "Partially Ordered" ; + qudt:literal "partial" ; + qudt:plainTextDescription "Partial ordered structure." ; + rdfs:isDefinedBy . + +qudt:PhysicalConstant-applicableSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:applicableSystem . + +qudt:PhysicalConstant-applicableUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:applicableUnit . + +qudt:PhysicalConstant-dbpediaMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:dbpediaMatch . + +qudt:PhysicalConstant-exactConstant a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:path qudt:exactConstant . + +qudt:PhysicalConstant-exactMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:PhysicalConstant ; + sh:path qudt:exactMatch . + +qudt:PhysicalConstant-hasDimensionVector a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:path qudt:hasDimensionVector . + +qudt:PhysicalConstant-informativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:path qudt:informativeReference . + +qudt:PhysicalConstant-isoNormativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:path qudt:isoNormativeReference . + +qudt:PhysicalConstant-latexDefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; + sh:path qudt:latexDefinition . + +qudt:PhysicalConstant-latexSymbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexSymbol . + +qudt:PhysicalConstant-mathMLdefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:mathMLdefinition . + +qudt:PhysicalConstant-normativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:path qudt:normativeReference . + +qudt:PhysicalConstant-symbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:path qudt:symbol . + +qudt:PhysicalConstant-ucumCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:UCUMcs ; + sh:path qudt:ucumCode . + +qudt:Prefix-exactMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; + sh:path qudt:exactMatch . + +qudt:Prefix-latexSymbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexSymbol . + +qudt:Prefix-prefixMultiplier a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; + sh:path qudt:prefixMultiplier . + +qudt:Prefix-symbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 0 ; + sh:path qudt:symbol . + +qudt:Prefix-ucumCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:ucumCode ; + sh:pattern "[\\x21,\\x23-\\x27,\\x2a,\\x2c,\\x30-\\x3c,\\x3e-\\x5a,\\x5c,\\x5e-\\x7a,\\x7c,\\x7e]+" . + +qudt:Quantifiable-dataEncoding a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:DataEncoding ; + sh:maxCount 1 ; + sh:path qudt:dataEncoding . + +qudt:Quantifiable-dataType a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Datatype ; + sh:maxCount 1 ; + sh:path qudt:dataType . + +qudt:Quantifiable-hasUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; + sh:path qudt:hasUnit . + +qudt:Quantifiable-relativeStandardUncertainty a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; + sh:path qudt:relativeStandardUncertainty . + +qudt:Quantifiable-standardUncertainty a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:double ; + sh:maxCount 1 ; + sh:path qudt:standardUncertainty . + +qudt:Quantifiable-unit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; + sh:path qudt:unit . + +qudt:Quantifiable-value a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:value . + +qudt:Quantity-hasQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; + sh:path qudt:hasQuantityKind . + +qudt:Quantity-isDeltaQuantity a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:boolean ; + sh:path qudt:isDeltaQuantity . + +qudt:Quantity-quantityValue a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityValue ; + sh:path qudt:quantityValue . + +qudt:QuantityKind-applicableCGSUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableCGSUnit . + +qudt:QuantityKind-applicableISOUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableISOUnit . + +qudt:QuantityKind-applicableImperialUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableImperialUnit . + +qudt:QuantityKind-applicableSIUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableSIUnit . + +qudt:QuantityKind-applicableUSCustomaryUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableUSCustomaryUnit . + +qudt:QuantityKind-applicableUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:minCount 0 ; + sh:path qudt:applicableUnit . + +qudt:QuantityKind-baseCGSUnitDimensions a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:baseCGSUnitDimensions . + +qudt:QuantityKind-baseISOUnitDimensions a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:baseISOUnitDimensions . + +qudt:QuantityKind-baseImperialUnitDimensions a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:baseImperialUnitDimensions . + +qudt:QuantityKind-baseSIUnitDimensions a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:baseSIUnitDimensions . + +qudt:QuantityKind-baseUSCustomaryUnitDimensions a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:baseUSCustomaryUnitDimensions . + +qudt:QuantityKind-belongsToSystemOfQuantities a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfQuantityKinds ; + sh:path qudt:belongsToSystemOfQuantities . + +qudt:QuantityKind-dimensionVectorForSI a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector_SI ; + sh:maxCount 1 ; + sh:path qudt:dimensionVectorForSI . + +qudt:QuantityKind-exactMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:path qudt:exactMatch . + +qudt:QuantityKind-expression a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 0 ; + sh:path qudt:expression . + +qudt:QuantityKind-generalization a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; + sh:path qudt:generalization . + +qudt:QuantityKind-hasDimensionVector a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:hasDimensionVector ; + sh:severity sh:Info . + +qudt:QuantityKind-latexDefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; + sh:path qudt:latexDefinition . + +qudt:QuantityKind-mathMLdefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:mathMLdefinition . + +qudt:QuantityKind-qkdvDenominator a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:path qudt:qkdvDenominator . + +qudt:QuantityKind-qkdvNumerator a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:path qudt:qkdvNumerator . + +qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForAmountOfSubstance . + +qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:dimensionExponentForElectricCurrent . + +qudt:QuantityKindDimensionVector-dimensionExponentForLength a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForLength . + +qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForLuminousIntensity . + +qudt:QuantityKindDimensionVector-dimensionExponentForMass a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForMass . + +qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForThermodynamicTemperature . + +qudt:QuantityKindDimensionVector-dimensionExponentForTime a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionExponentForTime . + +qudt:QuantityKindDimensionVector-dimensionlessExponent a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:or qudt:NumericUnionList ; + sh:path qudt:dimensionlessExponent . + +qudt:QuantityKindDimensionVector-hasReferenceQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:path qudt:hasReferenceQuantityKind . + +qudt:QuantityKindDimensionVector-latexDefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:maxCount 1 ; + sh:path qudt:latexDefinition . + +qudt:QuantityKindDimensionVector-latexSymbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexSymbol . + +qudt:QuantityType-value a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:path dtype:value . + +qudt:QuantityValue-hasUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; + sh:path qudt:hasUnit . + +qudt:QuantityValue-unit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:maxCount 1 ; + sh:path qudt:unit . + +qudt:Rule-example a sh:PropertyShape ; + rdfs:isDefinedBy , + ; + sh:minCount 0 ; + sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; + sh:path qudt:example . + +qudt:Rule-rationale a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype rdf:HTML ; + sh:minCount 0 ; + sh:path qudt:rationale . + +qudt:Rule-ruleType a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:RuleType ; + sh:path qudt:ruleType . + +qudt:SIGNED a qudt:SignednessType ; + rdfs:label "Signed" ; + dtype:literal "signed" ; + rdfs:isDefinedBy . + +qudt:ScalarDatatype-bits a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:path qudt:bits . + +qudt:ScalarDatatype-bytes a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:path qudt:bytes . + +qudt:ScalarDatatype-length a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:integer ; + sh:maxCount 1 ; + sh:path qudt:length . + +qudt:ScalarDatatype-maxExclusive a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:maxExclusive . + +qudt:ScalarDatatype-maxInclusive a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:maxInclusive . + +qudt:ScalarDatatype-minExclusive a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:minExclusive . + +qudt:ScalarDatatype-minInclusive a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:minInclusive . + +qudt:ScalarDatatype-rdfsDatatype a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class rdfs:Datatype ; + sh:maxCount 1 ; + sh:path qudt:rdfsDatatype . + +qudt:Scale-dataStructure a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:dataStructure . + +qudt:Scale-permissibleMaths a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:MathsFunctionType ; + sh:path qudt:permissibleMaths . + +qudt:Scale-permissibleTransformation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:TransformType ; + sh:path qudt:permissibleTransformation . + +qudt:Scale-scaleType a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:ScaleType ; + sh:maxCount 1 ; + sh:path qudt:scaleType . + +qudt:ScaleType-dataStructure a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:dataStructure . + +qudt:ScaleType-permissibleMaths a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:MathsFunctionType ; + sh:path qudt:permissibleMaths . + +qudt:ScaleType-permissibleTransformation a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:TransformType ; + sh:path qudt:permissibleTransformation . + +qudt:SignedIntegerEncoding a qudt:IntegerEncodingType ; + rdfs:label "Signed Integer Encoding" ; + qudt:bytes 4 ; + rdfs:isDefinedBy . + +qudt:SinglePrecisionRealEncoding a qudt:FloatingPointEncodingType ; + rdfs:label "Single Precision Real Encoding" ; + qudt:bytes 32 ; + rdfs:isDefinedBy . + +qudt:StructuredDatatype-elementType a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:path qudt:elementType . + +qudt:SystemOfQuantityKinds-baseDimensionEnumeration a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Enumeration ; + sh:maxCount 1 ; + sh:path qudt:baseDimensionEnumeration . + +qudt:SystemOfQuantityKinds-hasBaseQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; + sh:path qudt:hasBaseQuantityKind . + +qudt:SystemOfQuantityKinds-hasQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; + sh:path qudt:hasQuantityKind . + +qudt:SystemOfQuantityKinds-hasUnitSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:maxCount 1 ; + sh:path qudt:hasUnitSystem . + +qudt:SystemOfQuantityKinds-systemDerivedQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 0 ; + sh:path qudt:systemDerivedQuantityKind . + +qudt:SystemOfUnits-applicablePhysicalConstant a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:PhysicalConstant ; + sh:path qudt:applicablePhysicalConstant . + +qudt:SystemOfUnits-hasAllowedUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasAllowedUnit . + +qudt:SystemOfUnits-hasBaseUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasBaseUnit . + +qudt:SystemOfUnits-hasCoherentUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasCoherentUnit . + +qudt:SystemOfUnits-hasDefinedUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasDefinedUnit . + +qudt:SystemOfUnits-hasDerivedCoherentUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasDerivedCoherentUnit . + +qudt:SystemOfUnits-hasDerivedUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasDerivedUnit . + +qudt:SystemOfUnits-hasUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:hasUnit . + +qudt:SystemOfUnits-prefix a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; + sh:path qudt:prefix . + +qudt:TotallyOrdered a qudt:OrderedType ; + rdfs:label "Totally Ordered" ; + qudt:literal "total" ; + qudt:plainTextDescription "Totally ordered structure." ; + rdfs:isDefinedBy . + +qudt:UNSIGNED a qudt:SignednessType ; + rdfs:label "Unsigned" ; + dtype:literal "unsigned" ; + rdfs:isDefinedBy . + +qudt:Unit-applicableSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:applicableSystem . + +qudt:Unit-conversionMultiplier a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( [ sh:datatype xsd:decimal ] [ sh:datatype xsd:double ] [ sh:datatype xsd:float ] ) ; + sh:path qudt:conversionMultiplier . + +qudt:Unit-conversionOffset a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:maxCount 1 ; + sh:or ( [ sh:datatype xsd:decimal ] [ sh:datatype xsd:double ] [ sh:datatype xsd:float ] ) ; + sh:path qudt:conversionOffset . + +qudt:Unit-definedUnitOfSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:definedUnitOfSystem . + +qudt:Unit-derivedCoherentUnitOfSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:derivedCoherentUnitOfSystem . + +qudt:Unit-derivedUnitOfSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:derivedUnitOfSystem . + +qudt:Unit-exactMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Unit ; + sh:path qudt:exactMatch . + +qudt:Unit-expression a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 0 ; + sh:path qudt:expression . + +qudt:Unit-hasDimensionVector a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:hasDimensionVector . + +qudt:Unit-hasQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:path qudt:hasQuantityKind ; + sh:severity sh:Info . + +qudt:Unit-iec61360Code a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:iec61360Code . + +qudt:Unit-latexDefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexDefinition . + +qudt:Unit-latexSymbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:LatexString ; + sh:minCount 0 ; + sh:path qudt:latexSymbol . + +qudt:Unit-mathMLdefinition a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:maxCount 1 ; + sh:path qudt:mathMLdefinition . + +qudt:Unit-omUnit a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:path qudt:omUnit . + +qudt:Unit-prefix a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:Prefix ; + sh:maxCount 1 ; + sh:path qudt:prefix . + +qudt:Unit-qkdvDenominator a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:path qudt:qkdvDenominator . + +qudt:Unit-qkdvNumerator a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKindDimensionVector ; + sh:maxCount 1 ; + sh:path qudt:qkdvNumerator . + +qudt:Unit-siUnitsExpression a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:minCount 0 ; + sh:path qudt:siUnitsExpression . + +qudt:Unit-symbol a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:minCount 0 ; + sh:path qudt:symbol . + +qudt:Unit-ucumCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype qudt:UCUMcs ; + sh:path qudt:ucumCode ; + sh:pattern "[\\x21-\\x7e]+" . + +qudt:Unit-udunitsCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:udunitsCode . + +qudt:Unit-uneceCommonCode a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:string ; + sh:path qudt:uneceCommonCode . + +qudt:Unit-unitOfSystem a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:SystemOfUnits ; + sh:path qudt:isUnitOfSystem . + +qudt:Unordered a qudt:OrderedType ; + rdfs:label "Unordered" ; + qudt:literal "unordered" ; + qudt:plainTextDescription "Unordered structure." ; + rdfs:isDefinedBy . + +qudt:UnsignedIntegerEncoding a qudt:IntegerEncodingType ; + rdfs:label "Unsigned Integer Encoding" ; + qudt:bytes 4 ; + rdfs:isDefinedBy . + +qudt:UserQuantityKind-hasQuantityKind a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:class qudt:QuantityKind ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path qudt:hasQuantityKind . + +qudt:Verifiable-dbpediaMatch a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:dbpediaMatch . + +qudt:Verifiable-informativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:informativeReference . + +qudt:Verifiable-isoNormativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:isoNormativeReference . + +qudt:Verifiable-normativeReference a sh:PropertyShape ; + rdfs:isDefinedBy ; + sh:datatype xsd:anyURI ; + sh:minCount 0 ; + sh:path qudt:normativeReference . + +qudt:allowedPattern a rdf:Property ; + rdfs:label "allowed pattern" ; + rdfs:isDefinedBy . + +qudt:ansiSQLName a rdf:Property ; + rdfs:label "ANSI SQL Name" ; + rdfs:isDefinedBy . + +qudt:applicableCGSUnit a rdf:Property ; + rdfs:label "applicable CGS unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . + +qudt:applicableISOUnit a rdf:Property ; + rdfs:label "applicable ISO unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . + +qudt:applicableImperialUnit a rdf:Property ; + rdfs:label "applicable Imperial unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . + +qudt:applicablePhysicalConstant a rdf:Property ; + rdfs:label "applicable physical constant" ; + rdfs:isDefinedBy . + +qudt:applicableSIUnit a rdf:Property ; + rdfs:label "applicable SI unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . + +qudt:applicableUSCustomaryUnit a rdf:Property ; + rdfs:label "applicable US Customary unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:applicableUnit . + +qudt:baseDimensionEnumeration a rdf:Property ; + rdfs:label "base dimension enumeration" ; + dcterms:description "This property associates a system of quantities with an enumeration that enumerates the base dimensions of the system in canonical order."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:basis a rdf:Property ; + rdfs:label "basis" ; + rdfs:isDefinedBy . + +qudt:belongsToSystemOfQuantities a rdf:Property ; + rdfs:label "belongs to system of quantities" ; + rdfs:isDefinedBy . + +qudt:bitOrder a rdf:Property ; + rdfs:label "bit order" ; + rdfs:isDefinedBy . + +qudt:bounded a rdf:Property ; + rdfs:label "bounded" ; + rdfs:isDefinedBy . + +qudt:byteOrder a rdf:Property ; + rdfs:label "byte order" ; + dcterms:description "Byte order is an enumeration of two values: 'Big Endian' and 'Little Endian' and is used to denote whether the most signiticant byte is either first or last, respectively." ; + rdfs:isDefinedBy . + +qudt:cName a rdf:Property ; + rdfs:label "C Language name" ; + rdfs:comment "Datatype name in the C programming language" ; + rdfs:isDefinedBy . + +qudt:cardinality a rdf:Property ; + rdfs:label "cardinality" ; + rdfs:isDefinedBy . + +qudt:code a rdf:Property ; + rdfs:label "code" ; + dcterms:description "A code is a string that uniquely identifies a QUDT concept. The use of this property has been deprecated."^^rdf:HTML ; + qudt:deprecated true ; + rdfs:isDefinedBy . + +qudt:conversionMultiplier a rdf:Property ; + rdfs:label "conversion multiplier" ; + rdfs:isDefinedBy . + +qudt:conversionOffset a rdf:Property ; + rdfs:label "conversion offset" ; + rdfs:isDefinedBy . + +qudt:currencyCode a rdf:Property ; + rdfs:label "currency code" ; + dcterms:description "Alphabetic Currency Code as defined by ISO 4217. For example, the currency code for the US dollar is USD."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:currencyExponent a rdf:Property ; + rdfs:label "currency exponent" ; + dcterms:description "The currency exponent indicates the number of decimal places between a major currency unit and its minor currency unit. For example, the US dollar is the major currency unit of the United States, and the US cent is the minor currency unit. Since one cent is 1/100 of a dollar, the US dollar has a currency exponent of 2. However, the Japanese Yen has no minor currency units, so the yen has a currency exponent of 0."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:currencyNumber a rdf:Property ; + rdfs:label "currency number" ; + dcterms:description "Numeric Currency Code as defined by ISO 4217. For example, the currency number for the US dollar is 840."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:dataEncoding a rdf:Property ; + rdfs:label "data encoding" ; + rdfs:isDefinedBy . + +qudt:dataType a rdf:Property ; + rdfs:label "datatype" ; + rdfs:isDefinedBy . + +qudt:default a rdf:Property ; + rdfs:label "default" ; + dcterms:description "The default element in an enumeration"^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:deprecated a rdf:Property ; + rdfs:label "deprecated" ; + rdfs:isDefinedBy . + +qudt:derivedCoherentUnitOfSystem a rdf:Property ; + rdfs:label "is coherent derived unit of system" ; + dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units with a proportionality constant of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:coherentUnitOfSystem, + qudt:derivedUnitOfSystem . + +qudt:dimensionExponentForAmountOfSubstance a rdf:Property ; + rdfs:label "dimension exponent for amount of substance" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForElectricCurrent a rdf:Property ; + rdfs:label "dimension exponent for electric current" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForLength a rdf:Property ; + rdfs:label "dimension exponent for length" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForLuminousIntensity a rdf:Property ; + rdfs:label "dimension exponent for luminous intensity" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForMass a rdf:Property ; + rdfs:label "dimension exponent for mass" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForThermodynamicTemperature a rdf:Property ; + rdfs:label "dimension exponent for thermodynamic temperature" ; + rdfs:isDefinedBy . + +qudt:dimensionExponentForTime a rdf:Property ; + rdfs:label "dimension exponent for time" ; + rdfs:isDefinedBy . + +qudt:dimensionVectorForSI a rdf:Property ; + rdfs:label "dimension vector for SI" ; + rdfs:isDefinedBy . + +qudt:dimensionlessExponent a rdf:Property ; + rdfs:label "dimensionless exponent" ; + rdfs:isDefinedBy . + +qudt:element a rdf:Property ; + rdfs:label "element" ; + dcterms:description "An element of an enumeration"^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:elementType a rdf:Property ; + rdfs:label "element type" ; + rdfs:isDefinedBy . + +qudt:encoding a rdf:Property ; + rdfs:label "encoding" ; + rdfs:isDefinedBy . + +qudt:example a rdf:Property ; + rdfs:label "example" ; + rdfs:comment "The 'qudt:example' property is used to annotate an instance of a class with a reference to a concept that is an example. The type of this property is 'rdf:Property'. This allows both scalar and object ranges."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:figureCaption a rdf:Property ; + rdfs:label "figure caption" ; + rdfs:isDefinedBy . + +qudt:figureLabel a rdf:Property ; + rdfs:label "figure label" ; + rdfs:isDefinedBy . + +qudt:generalization a rdf:Property ; + rdfs:label "generalization" ; + dcterms:description "This deprecated property was intended to relate a quantity kind to its generalization."^^rdf:HTML ; + dcterms:isReplacedBy skos:broader ; + qudt:deprecated true ; + rdfs:isDefinedBy . + +qudt:guidance a rdf:Property ; + rdfs:label "guidance" ; + rdfs:isDefinedBy . + +qudt:hasAllowedUnit a rdf:Property ; + rdfs:label "allowed unit" ; + dcterms:description "This property relates a unit system with a unit of measure that is not defined by or part of the system, but is allowed for use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasUnit . + +qudt:hasBaseUnit a rdf:Property ; + rdfs:label "base unit" ; + dcterms:description "This property relates a system of units to a base unit defined within the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasCoherentUnit . + +qudt:hasDerivedCoherentUnit a rdf:Property ; + rdfs:label "derived coherent unit" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasCoherentUnit, + qudt:hasDerivedUnit . + +qudt:hasReferenceQuantityKind a rdf:Property ; + rdfs:label "has reference quantity kind" ; + rdfs:isDefinedBy . + +qudt:hasRule a rdf:Property ; + rdfs:label "has rule" ; + rdfs:isDefinedBy . + +qudt:height a rdf:Property ; + rdfs:label "height" ; + rdfs:isDefinedBy . + +qudt:iec61360Code a rdf:Property ; + rdfs:label "iec-61360 code" ; + rdfs:isDefinedBy . + +qudt:image a rdf:Property ; + rdfs:label "image" ; + rdfs:isDefinedBy . + +qudt:imageLocation a rdf:Property ; + rdfs:label "image location" ; + rdfs:isDefinedBy . + +qudt:isDeltaQuantity a rdf:Property ; + rdfs:label "is Delta Quantity" ; + rdfs:comment "This property is used to identify a Quantity instance that is a measure of a change, or interval, of some property, rather than a measure of its absolute value. This is important for measurements such as temperature differences where the conversion among units would be calculated differently because of offsets." ; + rdfs:isDefinedBy . + +qudt:javaName a rdf:Property ; + rdfs:label "java name" ; + rdfs:isDefinedBy . + +qudt:jsName a rdf:Property ; + rdfs:label "Javascript name" ; + rdfs:isDefinedBy . + +qudt:landscape a rdf:Property ; + rdfs:label "landscape" ; + rdfs:isDefinedBy . + +qudt:length a rdf:Property ; + rdfs:label "length" ; + rdfs:isDefinedBy . + +qudt:mathDefinition a rdf:Property ; + rdfs:label "math definition" ; + rdfs:isDefinedBy . + +qudt:matlabName a rdf:Property ; + rdfs:label "matlab name" ; + rdfs:isDefinedBy . + +qudt:maxExclusive a rdf:Property ; + rdfs:label "max exclusive" ; + dcterms:description "maxExclusive is the exclusive upper bound of the value space for a datatype with the ordered property. The value of maxExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:upperBound . + +qudt:maxInclusive a rdf:Property ; + rdfs:label "max inclusive" ; + dcterms:description "maxInclusive is the inclusive upper bound of the value space for a datatype with the ordered property. The value of maxInclusive must be in the value space of the base type." ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:upperBound . + +qudt:microsoftSQLServerName a rdf:Property ; + rdfs:label "Microsoft SQL Server name" ; + rdfs:isDefinedBy . + +qudt:minExclusive a rdf:Property ; + rdfs:label "min exclusive" ; + dcterms:description "minExclusive is the exclusive lower bound of the value space for a datatype with the ordered property. The value of minExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:lowerBound . + +qudt:minInclusive a rdf:Property ; + rdfs:label "min inclusive" ; + dcterms:description "minInclusive is the inclusive lower bound of the value space for a datatype with the ordered property. The value of minInclusive must be in the value space of the base type." ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:lowerBound . + +qudt:mySQLName a rdf:Property ; + rdfs:label "MySQL name" ; + rdfs:isDefinedBy . + +qudt:odbcName a rdf:Property ; + rdfs:label "ODBC name" ; + rdfs:isDefinedBy . + +qudt:oleDBName a rdf:Property ; + rdfs:label "OLE DB name" ; + dcterms:description "OLE DB (Object Linking and Embedding, Database, sometimes written as OLEDB or OLE-DB), an API designed by Microsoft, allows accessing data from a variety of sources in a uniform manner. The API provides a set of interfaces implemented using the Component Object Model (COM); it is otherwise unrelated to OLE. " ; + qudt:informativeReference "http://en.wikipedia.org/wiki/OLE_DB"^^xsd:anyURI, + "http://msdn.microsoft.com/en-us/library/windows/desktop/ms714931(v=vs.85).aspx"^^xsd:anyURI ; + rdfs:isDefinedBy . + +qudt:omUnit a rdf:Property ; + rdfs:label "om unit" ; + rdfs:isDefinedBy . + +qudt:oracleSQLName a rdf:Property ; + rdfs:label "ORACLE SQL name" ; + rdfs:isDefinedBy . + +qudt:order a rdf:Property ; + rdfs:label "order" ; + rdfs:isDefinedBy . + +qudt:orderedType a rdf:Property ; + rdfs:label "ordered type" ; + rdfs:isDefinedBy . + +qudt:plainTextDescription a rdf:Property ; + rdfs:label "description (plain text)" ; + dcterms:description "A plain text description is used to provide a description with only simple ASCII characters for cases where LaTeX , HTML or other markup would not be appropriate."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:prefixMultiplier a rdf:Property ; + rdfs:label "prefix multiplier" ; + rdfs:isDefinedBy . + +qudt:protocolBuffersName a rdf:Property ; + rdfs:label "protocol buffers name" ; + rdfs:isDefinedBy . + +qudt:pythonName a rdf:Property ; + rdfs:label "python name" ; + rdfs:isDefinedBy . + +qudt:quantityValue a rdf:Property ; + rdfs:label "quantity value" ; + rdfs:isDefinedBy . + +qudt:rdfsDatatype a rdf:Property ; + rdfs:label "rdfs datatype" ; + rdfs:isDefinedBy . + +qudt:relativeStandardUncertainty a rdf:Property ; + rdfs:label "relative standard uncertainty" ; + dcterms:description "The relative standard uncertainty of a measurement is the (absolute) standard uncertainty divided by the magnitude of the exact value."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:ruleType a rdf:Property ; + rdfs:label "rule type" ; + rdfs:isDefinedBy . + +qudt:scaleType a rdf:Property ; + rdfs:label "scale type" ; + rdfs:isDefinedBy . + +qudt:siUnitsExpression a rdf:Property ; + rdfs:label "si units expression" ; + rdfs:isDefinedBy . + +qudt:standardUncertainty a rdf:Property ; + rdfs:label "standard uncertainty" ; + dcterms:description "The standard uncertainty of a quantity is the estimated standard deviation of the mean taken from a series of measurements."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:systemDerivedQuantityKind a rdf:Property ; + rdfs:label "system derived quantity kind" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasQuantityKind . + +qudt:udunitsCode a rdf:Property ; + rdfs:label "udunits code" ; + dcterms:description "The UDUNITS package supports units of physical quantities. Its C library provides for arithmetic manipulation of units and for conversion of numeric values between compatible units. The package contains an extensive unit database, which is in XML format and user-extendable. The package also contains a command-line utility for investigating units and converting values."^^rdf:HTML ; + dcterms:source "https://www.unidata.ucar.edu/software/udunits/"^^xsd:anyURI ; + rdfs:isDefinedBy . + +qudt:uneceCommonCode a rdf:Property ; + rdfs:label "unece common code" ; + dcterms:description "The UN/CEFACT Recommendation 20 provides three character alphabetic and alphanumeric codes for representing units of measurement for length, area, volume/capacity, mass (weight), time, and other quantities used in international trade. The codes are intended for use in manual and/or automated systems for the exchange of information between participants in international trade."^^rdf:HTML ; + dcterms:source "https://service.unece.org/trade/uncefact/vocabulary/rec20/"^^xsd:anyURI, + "https://unece.org/trade/documents/2021/06/uncefact-rec20-0"^^xsd:anyURI ; + rdfs:isDefinedBy . + +qudt:vbName a rdf:Property ; + rdfs:label "Vusal Basic name" ; + rdfs:isDefinedBy . + +qudt:vectorMagnitude a rdf:Property ; + rdfs:label "vector magnitude" ; + rdfs:isDefinedBy . + +qudt:width a rdf:Property ; + rdfs:label "width" ; + rdfs:isDefinedBy . + +constant:AtomicUnitOfCharge a qudt:PhysicalConstant ; + rdfs:label "atomic unit of charge"@en ; + qudt:exactMatch constant:ElementaryCharge ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:quantityValue constant:Value_AtomicUnitOfCharge ; + rdfs:isDefinedBy ; + skos:closeMatch . + +constant:ElementaryCharge a qudt:AtomicUnit, + qudt:PhysicalConstant ; + rdfs:label "Elementary Charge"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Elementary_charge"^^xsd:anyURI ; + qudt:exactMatch constant:AtomicUnitOfCharge ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Elementary_charge"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Elementary Charge\" is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron." ; + qudt:quantityValue constant:Value_ElementaryCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:MolarGasConstant a qudt:PhysicalConstant ; + rdfs:label "molar gas constant"@en ; + dcterms:description "The \"Molar Gas Constant\" (also known as the gas constant, universal, or ideal gas constant, denoted by the symbol R) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. It is equivalent to the Boltzmann constant, but expressed in units of energy (i.e. the pressure-volume product) per temperature increment per mole (rather than energy per temperature increment per particle)."^^rdf:HTML ; + qudt:abbreviation "j-mol^{-1}-k^{-1}" ; + qudt:applicableUnit unit:J-PER-MOL-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gas_constant"^^xsd:anyURI ; + qudt:exactMatch constant:UniversalGasConstant ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gas_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(pV_m = RT\\), where \\(p\\) is pressure, \\(V_m\\) is molar volume, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:quantityValue constant:Value_MolarGasConstant ; + rdfs:isDefinedBy . + +constant:PlanckConstant a qudt:PhysicalConstant ; + rdfs:label "Planck Constant"@en ; + dcterms:description "The \"Planck Constant\" is a physical constant that is the quantum of action in quantum mechanics. The Planck constant was first described as the proportionality constant between the energy (\\(E\\)) of a photon and the frequency (\\(\\nu\\)) of its associated electromagnetic wave."^^qudt:LatexString ; + qudt:applicableUnit unit:J-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_constant"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = h\\nu = \\frac{hc}{\\lambda}\\), where \\(E\\) is energy, \\(\\nu\\) is frequency, \\(\\lambda\\) is wavelength, and \\(c\\) is the speed of light."^^qudt:LatexString ; + qudt:latexSymbol "\\(h\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PlanckConstant ; + qudt:ucumCode "[h]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:SpeedOfLight_Vacuum a qudt:PhysicalConstant ; + rdfs:label "Speed of Light (vacuum)"@en ; + dcterms:description "The speed of light in vacuum, commonly is a universal physical constant important in many areas of physics. Its value is 299,792,458 metres per second, a figure that is exact because the length of the metre is defined from this constant and the international standard for time."^^rdf:HTML ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:informativeReference "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Speed_of_light"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_0 = 1 / \\sqrt{\\epsilon_0 \\mu_0}\\), where {\\epsilon_0} is the permittivity of vacuum, and \\(\\mu_0\\) is the magnetic constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(C_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_SpeedOfLight_Vacuum, + constant:Value_SpeedOfLight_Vacuum_Imperial ; + qudt:ucumCode "[c]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:seeAlso constant:MagneticConstant, + constant:PermittivityOfVacuum . + +constant:UniversalGasConstant a qudt:PhysicalConstant ; + rdfs:label "Universal Gas Constant"@en ; + qudt:exactMatch constant:MolarGasConstant ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; + qudt:plainTextDescription """The gas constant (also known as the molar, universal, or ideal gas constant) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. +Physically, the gas constant is the constant of proportionality that happens to relate the energy scale in physics to the temperature scale, when a mole of particles at the stated temperature is being considered.""" ; + qudt:quantityValue constant:Value_MolarGasConstant ; + rdfs:isDefinedBy . + +constant:Value_AlphaParticleElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for alpha particle-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-06 ; + qudt:value 7.2943e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsme#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleMass a qudt:ConstantValue ; + rdfs:label "Value for alpha particle mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:relativeStandardUncertainty 5e-08 ; + qudt:standardUncertainty 3.3e-34 ; + qudt:value 6.644656e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mal#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for alpha particle mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-17 ; + qudt:value 5.971919e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for alpha particle mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.3e-05 ; + qudt:value 3.727379e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2mev#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Value for alpha particle mass in atomic mass unit" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.2e-11 ; + qudt:value 4.001506e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malu#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleMolarMass a qudt:ConstantValue ; + rdfs:label "Value for alpha particle molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.2e-14 ; + qudt:value 4.001506e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmal#mid"^^xsd:anyURI . + +constant:Value_AlphaParticleProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for alpha particle-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.1e-10 ; + qudt:value 3.9726e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsmp#mid"^^xsd:anyURI . + +constant:Value_AngstromStar a qudt:ConstantValue ; + rdfs:label "Value for Angstrom star" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9e-17 ; + qudt:value 1.000015e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?angstar#mid"^^xsd:anyURI . + +constant:Value_AtomicMassConstant a qudt:ConstantValue ; + rdfs:label "Value for atomic mass constant" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.3e-35 ; + qudt:value 1.660539e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?u#mid"^^xsd:anyURI . + +constant:Value_AtomicMassConstantEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for atomic mass constant energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.4e-18 ; + qudt:value 1.492418e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tuj#mid"^^xsd:anyURI . + +constant:Value_AtomicMassConstantEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for atomic mass constant energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-05 ; + qudt:value 9.31494e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muc2mev#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e+01 ; + qudt:value 9.31494e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uev#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.9e-02 ; + qudt:value 3.423178e+07 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhr#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.2e+14 ; + qudt:value 2.252343e+23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhz#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e+06 ; + qudt:value 7.513007e+14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uminv#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.4e-18 ; + qudt:value 1.492418e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uj#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.9e+07 ; + qudt:value 1.080953e+13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uk#mid"^^xsd:anyURI . + +constant:Value_AtomicMassUnitKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for atomic mass unit-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.3e-35 ; + qudt:value 1.660539e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ukg#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOf1stHyperpolarizability a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of 1st hyperpolarizability" ; + qudt:hasUnit unit:C3-M-PER-J2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.1e-61 ; + qudt:value 3.206362e-53 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auhypol#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOf2ndHyperpolarizability a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of 2nd hyperpolarizability" ; + qudt:hasUnit unit:C4-M4-PER-J3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-72 ; + qudt:value 6.235381e-65 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?au2hypol#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfAction a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of action" ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-42 ; + qudt:value 1.054572e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tthbar#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfCharge a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of charge" ; + qudt:hasUnit unit:C ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4e-27 ; + qudt:value 1.602176e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?te#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfChargeDensity a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of charge density" ; + qudt:hasUnit unit:C-PER-M3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e+04 ; + qudt:value 1.081202e+12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucd#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfCurrent a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of current" ; + qudt:hasUnit unit:A ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.7e-10 ; + qudt:value 6.623618e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucur#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricDipoleMoment a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric dipole mom." ; + qudt:hasUnit unit:C-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.1e-37 ; + qudt:value 8.478353e-30 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auedm#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricField a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric field" ; + qudt:hasUnit unit:V-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e+04 ; + qudt:value 5.142206e+11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefld#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricFieldGradient a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric field gradient" ; + qudt:hasUnit unit:V-PER-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e+14 ; + qudt:value 9.717362e+21 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefg#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricPolarizability a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric polarizability" ; + qudt:hasUnit unit:C2-M2-PER-J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.4e-50 ; + qudt:value 1.648777e-41 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auepol#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricPotential a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric potential" ; + qudt:hasUnit unit:V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.8e-07 ; + qudt:value 2.721138e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auep#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfElectricQuadrupoleMoment a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of electric quadrupole moment" ; + qudt:hasUnit unit:C-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-47 ; + qudt:value 4.486551e-40 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aueqm#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfEnergy a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of energy" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-25 ; + qudt:value 4.359744e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thr#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfForce a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of force" ; + qudt:hasUnit unit:N ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.1e-15 ; + qudt:value 8.238722e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auforce#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfLength a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of length" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.6e-20 ; + qudt:value 5.291772e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tbohrrada0#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfMagneticDipoleMoment a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of magnetic dipole moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.6e-31 ; + qudt:value 1.854802e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumdm#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfMagneticFluxDensity a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of magnetic flux density" ; + qudt:hasUnit unit:T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.9e-03 ; + qudt:value 2.350517e+05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumfd#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfMagnetizability a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of magnetizability" ; + qudt:hasUnit unit:J-PER-T2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-37 ; + qudt:value 7.891036e-29 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumag#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfMass a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.5e-38 ; + qudt:value 9.109382e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ttme#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfMomentum a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of momentum" ; + qudt:hasUnit unit:KiloGM-M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.9e-32 ; + qudt:value 1.992852e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumom#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfPermittivity a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of permittivity" ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.11265e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auperm#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfTime a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of time" ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-12 ; + qudt:value 2.418884e-17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aut#mid"^^xsd:anyURI . + +constant:Value_AtomicUnitOfVelocity a qudt:ConstantValue ; + rdfs:label "Value for atomic unit of velocity" ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-03 ; + qudt:value 2.187691e+06 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auvel#mid"^^xsd:anyURI . + +constant:Value_AvogadroConstant a qudt:ConstantValue ; + rdfs:label "Value for Avogadro constant" ; + qudt:hasUnit unit:PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e+16 ; + qudt:value 6.022142e+23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?na#mid"^^xsd:anyURI . + +constant:Value_BohrMagneton a qudt:ConstantValue ; + rdfs:label "Value for Bohr magneton" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-31 ; + qudt:value 9.274009e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mub#mid"^^xsd:anyURI . + +constant:Value_BohrMagnetonInEVPerT a qudt:ConstantValue ; + rdfs:label "Value for Bohr magneton in eV per T" ; + qudt:hasUnit unit:EV-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.9e-14 ; + qudt:value 5.788382e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubev#mid"^^xsd:anyURI . + +constant:Value_BohrMagnetonInHzPerT a qudt:ConstantValue ; + rdfs:label "Value for Bohr magneton in Hz perT" ; + qudt:hasUnit unit:HZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.5e+02 ; + qudt:value 1.399625e+10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshhz#mid"^^xsd:anyURI . + +constant:Value_BohrMagnetonInInverseMetersPerTesla a qudt:ConstantValue ; + rdfs:label "Value for Bohr magneton in inverse meters per tesla" ; + qudt:hasUnit unit:PER-T-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-06 ; + qudt:value 4.668645e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshcminv#mid"^^xsd:anyURI . + +constant:Value_BohrMagnetonInKPerT a qudt:ConstantValue ; + rdfs:label "Value for Bohr magneton in K per T" ; + qudt:hasUnit unit:K-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-06 ; + qudt:value 6.717131e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubskk#mid"^^xsd:anyURI . + +constant:Value_BohrRadius a qudt:ConstantValue ; + rdfs:label "Value for Bohr radius" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.6e-20 ; + qudt:value 5.291772e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bohrrada0#mid"^^xsd:anyURI . + +constant:Value_BoltzmannConstant a qudt:ConstantValue ; + rdfs:label "Value for Boltzmann constant" ; + qudt:hasUnit unit:J-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-29 ; + qudt:value 1.38065e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?k#mid"^^xsd:anyURI . + +constant:Value_BoltzmannConstantInEVPerK a qudt:ConstantValue ; + rdfs:label "Value for Boltzmann constant in eV per K" ; + qudt:hasUnit unit:EV-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-10 ; + qudt:value 8.617343e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tkev#mid"^^xsd:anyURI . + +constant:Value_BoltzmannConstantInHzPerK a qudt:ConstantValue ; + rdfs:label "Value for Boltzmann constant in Hz per K" ; + qudt:hasUnit unit:HZ-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.6e+04 ; + qudt:value 2.083664e+10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshhz#mid"^^xsd:anyURI . + +constant:Value_BoltzmannConstantInInverseMetersPerKelvin a qudt:ConstantValue ; + rdfs:label "Value for Boltzmann constant in inverse meters per kelvin" ; + qudt:hasUnit unit:PER-M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-04 ; + qudt:value 6.950356e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshcminv#mid"^^xsd:anyURI . + +constant:Value_CharacteristicImpedanceOfVacuum a qudt:ConstantValue ; + rdfs:label "Value for characteristic impedance of vacuum" ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 3.767303e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?z0#mid"^^xsd:anyURI . + +constant:Value_ClassicalElectronRadius a qudt:ConstantValue ; + rdfs:label "Value for classical electron radius" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.8e-24 ; + qudt:value 2.81794e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?re#mid"^^xsd:anyURI . + +constant:Value_ComptonWavelength a qudt:ConstantValue ; + rdfs:label "Value for Compton wavelength" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e-21 ; + qudt:value 2.42631e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwl#mid"^^xsd:anyURI . + +constant:Value_ComptonWavelengthOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for Compton wavelength over 2 pi" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-22 ; + qudt:value 3.861593e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwlbar#mid"^^xsd:anyURI . + +constant:Value_ConductanceQuantum a qudt:ConstantValue ; + rdfs:label "Value for conductance quantum" ; + qudt:hasUnit unit:S ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-14 ; + qudt:value 7.748092e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?conqu2e2sh#mid"^^xsd:anyURI . + +constant:Value_ConventionalValueOfJosephsonConstant a qudt:ConstantValue ; + rdfs:label "Value for conventional value of Josephson constant" ; + qudt:hasUnit unit:HZ-PER-V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 4.835979e+14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj90#mid"^^xsd:anyURI . + +constant:Value_ConventionalValueOfVonKlitzingConstant a qudt:ConstantValue ; + rdfs:label "Value for conventional value of von Klitzing constant" ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 2.581281e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk90#mid"^^xsd:anyURI . + +constant:Value_CuXUnit a qudt:ConstantValue ; + rdfs:label "Value for Cu x unit" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.8e-20 ; + qudt:value 1.002077e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xucukalph1#mid"^^xsd:anyURI . + +constant:Value_DeuteronElectronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron-electron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.9e-12 ; + qudt:value -4.664346e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmuem#mid"^^xsd:anyURI . + +constant:Value_DeuteronElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-06 ; + qudt:value 3.670483e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsme#mid"^^xsd:anyURI . + +constant:Value_DeuteronGFactor a qudt:ConstantValue ; + rdfs:label "Value for deuteron g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.2e-09 ; + qudt:value 8.574382e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gdn#mid"^^xsd:anyURI . + +constant:Value_DeuteronMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for deuteron magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-34 ; + qudt:value 4.330735e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mud#mid"^^xsd:anyURI . + +constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.9e-12 ; + qudt:value 4.669755e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmub#mid"^^xsd:anyURI . + +constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.2e-09 ; + qudt:value 8.574382e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmun#mid"^^xsd:anyURI . + +constant:Value_DeuteronMass a qudt:ConstantValue ; + rdfs:label "Value for deuteron mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.7e-34 ; + qudt:value 3.343583e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?md#mid"^^xsd:anyURI . + +constant:Value_DeuteronMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for deuteron mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-17 ; + qudt:value 3.005063e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2#mid"^^xsd:anyURI . + +constant:Value_DeuteronMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for deuteron mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.7e-05 ; + qudt:value 1.875613e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2mev#mid"^^xsd:anyURI . + +constant:Value_DeuteronMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Deuteron Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.8e-11 ; + qudt:value 2.013553e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdu#mid"^^xsd:anyURI . + +constant:Value_DeuteronMolarMass a qudt:ConstantValue ; + rdfs:label "Value for deuteron molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.8e-14 ; + qudt:value 2.013553e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmd#mid"^^xsd:anyURI . + +constant:Value_DeuteronNeutronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron-neutron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-07 ; + qudt:value -4.482065e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmunn#mid"^^xsd:anyURI . + +constant:Value_DeuteronProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron-proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-09 ; + qudt:value 3.070122e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmup#mid"^^xsd:anyURI . + +constant:Value_DeuteronProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for deuteron-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-10 ; + qudt:value 1.999008e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsmp#mid"^^xsd:anyURI . + +constant:Value_DeuteronRmsChargeRadius a qudt:ConstantValue ; + rdfs:label "Value for deuteron rms charge radius" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.8e-18 ; + qudt:value 2.1402e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rd#mid"^^xsd:anyURI . + +constant:Value_ElectricConstant a qudt:ConstantValue ; + rdfs:label "Value for electric constant" ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 8.854188e-12 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ep0#mid"^^xsd:anyURI . + +constant:Value_ElectronChargeToMassQuotient a qudt:ConstantValue ; + rdfs:label "Value for electron charge to mass quotient" ; + qudt:hasUnit unit:C-PER-KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e+03 ; + qudt:value -1.75882e+11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esme#mid"^^xsd:anyURI . + +constant:Value_ElectronDeuteronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-deuteron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.8e-05 ; + qudt:value -2.143923e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmud#mid"^^xsd:anyURI . + +constant:Value_ElectronDeuteronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-deuteron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-13 ; + qudt:value 2.724437e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmd#mid"^^xsd:anyURI . + +constant:Value_ElectronGFactor a qudt:ConstantValue ; + rdfs:label "Value for electron g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.5e-13 ; + qudt:value -2.002319e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gem#mid"^^xsd:anyURI . + +constant:Value_ElectronGyromagneticRatio a qudt:ConstantValue ; + rdfs:label "Value for electron gyromagnetic ratio" ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e+03 ; + qudt:value 1.76086e+11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammae#mid"^^xsd:anyURI . + +constant:Value_ElectronGyromagneticRatioOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for electron gyromagnetic ratio over 2 pi" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7e-04 ; + qudt:value 2.802495e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammaebar#mid"^^xsd:anyURI . + +constant:Value_ElectronMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for electron magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-31 ; + qudt:value -9.284764e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muem#mid"^^xsd:anyURI . + +constant:Value_ElectronMagneticMomentAnomaly a qudt:ConstantValue ; + rdfs:label "Value for electron magnetic moment anomaly" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.4e-13 ; + qudt:value 1.159652e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ae#mid"^^xsd:anyURI . + +constant:Value_ElectronMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for electron magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.4e-13 ; + qudt:value -1.00116e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmub#mid"^^xsd:anyURI . + +constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for electron magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8e-07 ; + qudt:value -1.838282e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmun#mid"^^xsd:anyURI . + +constant:Value_ElectronMass a qudt:ConstantValue ; + rdfs:label "Value for electron mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.5e-38 ; + qudt:value 9.109382e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?me#mid"^^xsd:anyURI . + +constant:Value_ElectronMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for electron mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.1e-21 ; + qudt:value 8.187104e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2#mid"^^xsd:anyURI . + +constant:Value_ElectronMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for electron mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e-08 ; + qudt:value 5.109989e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2mev#mid"^^xsd:anyURI . + +constant:Value_ElectronMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Electron Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-13 ; + qudt:value 5.485799e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?meu#mid"^^xsd:anyURI . + +constant:Value_ElectronMolarMass a qudt:ConstantValue ; + rdfs:label "Value for electron molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-16 ; + qudt:value 5.485799e-07 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mme#mid"^^xsd:anyURI . + +constant:Value_ElectronMuonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-muon magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.2e-06 ; + qudt:value 2.06767e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmumum#mid"^^xsd:anyURI . + +constant:Value_ElectronMuonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-muon mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-10 ; + qudt:value 4.836332e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmmu#mid"^^xsd:anyURI . + +constant:Value_ElectronNeutronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-neutron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-04 ; + qudt:value 9.609205e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmunn#mid"^^xsd:anyURI . + +constant:Value_ElectronNeutronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-neutron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e-13 ; + qudt:value 5.438673e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmn#mid"^^xsd:anyURI . + +constant:Value_ElectronProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.4e-06 ; + qudt:value -6.582107e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmup#mid"^^xsd:anyURI . + +constant:Value_ElectronProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-13 ; + qudt:value 5.44617e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmp#mid"^^xsd:anyURI . + +constant:Value_ElectronTauMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron-tau mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.7e-08 ; + qudt:value 2.87564e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmtau#mid"^^xsd:anyURI . + +constant:Value_ElectronToAlphaParticleMassRatio a qudt:ConstantValue ; + rdfs:label "Value for electron to alpha particle mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.8e-14 ; + qudt:value 1.370934e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmalpha#mid"^^xsd:anyURI . + +constant:Value_ElectronToShieldedHelionMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron to shielded helion magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-05 ; + qudt:value 8.640583e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmuhp#mid"^^xsd:anyURI . + +constant:Value_ElectronToShieldedProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for electron to shielded proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.2e-06 ; + qudt:value -6.582276e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmupp#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-17 ; + qudt:value 1.073544e-09 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evu#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.2e-10 ; + qudt:value 3.674933e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhr#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6e+06 ; + qudt:value 2.417989e+14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhz#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2e-02 ; + qudt:value 8.065545e+05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evminv#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4e-27 ; + qudt:value 1.602176e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evj#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2e-02 ; + qudt:value 1.16045e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evk#mid"^^xsd:anyURI . + +constant:Value_ElectronVoltKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for electron volt-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e-44 ; + qudt:value 1.782662e-36 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evkg#mid"^^xsd:anyURI . + +constant:Value_ElementaryCharge a qudt:ConstantValue ; + rdfs:label "Value for elementary charge" ; + qudt:hasUnit unit:C ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4e-27 ; + qudt:value 1.602176e-19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?e#mid"^^xsd:anyURI . + +constant:Value_ElementaryChargeOverH a qudt:ConstantValue ; + rdfs:label "Value for elementary charge over h" ; + qudt:hasUnit unit:A-PER-J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6e+06 ; + qudt:value 2.417989e+14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esh#mid"^^xsd:anyURI . + +constant:Value_FaradayConstant a qudt:ConstantValue ; + rdfs:label "Value for Faraday constant" ; + qudt:hasUnit unit:C-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-03 ; + qudt:value 9.648534e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f#mid"^^xsd:anyURI . + +constant:Value_FermiCouplingConstant a qudt:ConstantValue ; + rdfs:label "Value for Fermi coupling constant" ; + qudt:hasUnit unit:PER-GigaEV2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-10 ; + qudt:value 1.16637e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gf#mid"^^xsd:anyURI . + +constant:Value_FineStructureConstant a qudt:ConstantValue ; + rdfs:label "Value for fine-structure constant" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5e-12 ; + qudt:value 7.297353e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alph#mid"^^xsd:anyURI . + +constant:Value_FirstRadiationConstant a qudt:ConstantValue ; + rdfs:label "Value for first radiation constant" ; + qudt:hasUnit unit:W-M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.9e-23 ; + qudt:value 3.741771e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c11strc#mid"^^xsd:anyURI . + +constant:Value_FirstRadiationConstantForSpectralRadiance a qudt:ConstantValue ; + rdfs:label "Value for first radiation constant for spectral radiance" ; + qudt:hasUnit unit:W-M2-PER-SR ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.9e-24 ; + qudt:value 1.191043e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c1l#mid"^^xsd:anyURI . + +constant:Value_GravitationalConstant a qudt:ConstantValue ; + rdfs:label "Value for gravitational constant" ; + qudt:hasUnit unit:N-M2-PER-KiloGM2 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; + qudt:value 6.674e-11 . + +constant:Value_HartreeAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.2e-17 ; + qudt:value 2.921262e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hru#mid"^^xsd:anyURI . + +constant:Value_HartreeElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.8e-07 ; + qudt:value 2.721138e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrev#mid"^^xsd:anyURI . + +constant:Value_HartreeEnergy a qudt:ConstantValue ; + rdfs:label "Value for Hartree energy" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-25 ; + qudt:value 4.359744e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hr#mid"^^xsd:anyURI . + +constant:Value_HartreeEnergyInEV a qudt:ConstantValue ; + rdfs:label "Value for Hartree energy in eV" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.8e-07 ; + qudt:value 2.721138e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?threv#mid"^^xsd:anyURI . + +constant:Value_HartreeHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e+04 ; + qudt:value 6.579684e+15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrhz#mid"^^xsd:anyURI . + +constant:Value_HartreeInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-04 ; + qudt:value 2.194746e+07 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrminv#mid"^^xsd:anyURI . + +constant:Value_HartreeJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-25 ; + qudt:value 4.359744e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrj#mid"^^xsd:anyURI . + +constant:Value_HartreeKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.5e-01 ; + qudt:value 3.157747e+05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrk#mid"^^xsd:anyURI . + +constant:Value_HartreeKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for hartree-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-42 ; + qudt:value 4.850869e-35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrkg#mid"^^xsd:anyURI . + +constant:Value_HelionElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for helion-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.2e-06 ; + qudt:value 5.495885e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsme#mid"^^xsd:anyURI . + +constant:Value_HelionMass a qudt:ConstantValue ; + rdfs:label "Value for helion mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-34 ; + qudt:value 5.006412e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mh#mid"^^xsd:anyURI . + +constant:Value_HelionMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for helion mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-17 ; + qudt:value 4.499539e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2#mid"^^xsd:anyURI . + +constant:Value_HelionMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for helion mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7e-05 ; + qudt:value 2.808391e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2mev#mid"^^xsd:anyURI . + +constant:Value_HelionMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Helion Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.6e-09 ; + qudt:value 3.014932e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhu#mid"^^xsd:anyURI . + +constant:Value_HelionMolarMass a qudt:ConstantValue ; + rdfs:label "Value for helion molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.6e-12 ; + qudt:value 3.014932e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmh#mid"^^xsd:anyURI . + +constant:Value_HelionProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for helion-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.6e-09 ; + qudt:value 2.993153e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsmp#mid"^^xsd:anyURI . + +constant:Value_HertzAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.4e-33 ; + qudt:value 4.439822e-24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzu#mid"^^xsd:anyURI . + +constant:Value_HertzElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-22 ; + qudt:value 4.135667e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzev#mid"^^xsd:anyURI . + +constant:Value_HertzHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-12 ; + qudt:value 1.51983e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzhr#mid"^^xsd:anyURI . + +constant:Value_HertzInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 3.335641e-09 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzminv#mid"^^xsd:anyURI . + +constant:Value_HertzJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e-41 ; + qudt:value 6.626069e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzj#mid"^^xsd:anyURI . + +constant:Value_HertzKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.4e-17 ; + qudt:value 4.799237e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzk#mid"^^xsd:anyURI . + +constant:Value_HertzKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for hertz-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.7e-58 ; + qudt:value 7.372496e-51 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzkg#mid"^^xsd:anyURI . + +constant:Value_InverseFineStructureConstant a qudt:ConstantValue ; + rdfs:label "Value for inverse fine-structure constant" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.4e-08 ; + qudt:value 1.37036e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alphinv#mid"^^xsd:anyURI . + +constant:Value_InverseMeterAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.9e-24 ; + qudt:value 1.331025e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvu#mid"^^xsd:anyURI . + +constant:Value_InverseMeterElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-14 ; + qudt:value 1.239842e-06 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvev#mid"^^xsd:anyURI . + +constant:Value_InverseMeterHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-19 ; + qudt:value 4.556335e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhr#mid"^^xsd:anyURI . + +constant:Value_InverseMeterHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 2.997925e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhz#mid"^^xsd:anyURI . + +constant:Value_InverseMeterJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.9e-33 ; + qudt:value 1.986446e-25 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvj#mid"^^xsd:anyURI . + +constant:Value_InverseMeterKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-08 ; + qudt:value 1.438775e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvk#mid"^^xsd:anyURI . + +constant:Value_InverseMeterKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for inverse meter-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-49 ; + qudt:value 2.210219e-42 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvkg#mid"^^xsd:anyURI . + +constant:Value_InverseOfConductanceQuantum a qudt:ConstantValue ; + rdfs:label "Value for inverse of conductance quantum" ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.8e-06 ; + qudt:value 1.29064e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?invconqu#mid"^^xsd:anyURI . + +constant:Value_JosephsonConstant a qudt:ConstantValue ; + rdfs:label "Value for Josephson constant" ; + qudt:hasUnit unit:HZ-PER-V ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e+07 ; + qudt:value 4.835979e+14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kjos#mid"^^xsd:anyURI . + +constant:Value_JouleAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e+02 ; + qudt:value 6.700536e+09 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ju#mid"^^xsd:anyURI . + +constant:Value_JouleElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e+11 ; + qudt:value 6.24151e+18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jev#mid"^^xsd:anyURI . + +constant:Value_JouleHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e+10 ; + qudt:value 2.293713e+17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhr#mid"^^xsd:anyURI . + +constant:Value_JouleHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.5e+25 ; + qudt:value 1.50919e+33 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhz#mid"^^xsd:anyURI . + +constant:Value_JouleInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e+17 ; + qudt:value 5.034117e+24 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jminv#mid"^^xsd:anyURI . + +constant:Value_JouleKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e+17 ; + qudt:value 7.242963e+22 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jk#mid"^^xsd:anyURI . + +constant:Value_JouleKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for joule-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.11265e-17 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jkg#mid"^^xsd:anyURI . + +constant:Value_KelvinAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-19 ; + qudt:value 9.251098e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ku#mid"^^xsd:anyURI . + +constant:Value_KelvinElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-10 ; + qudt:value 8.617343e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kev#mid"^^xsd:anyURI . + +constant:Value_KelvinHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.5e-12 ; + qudt:value 3.166815e-06 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khr#mid"^^xsd:anyURI . + +constant:Value_KelvinHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.6e+04 ; + qudt:value 2.083664e+10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khz#mid"^^xsd:anyURI . + +constant:Value_KelvinInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-04 ; + qudt:value 6.950356e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kminv#mid"^^xsd:anyURI . + +constant:Value_KelvinJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e-29 ; + qudt:value 1.38065e-23 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj#mid"^^xsd:anyURI . + +constant:Value_KelvinKilogramRelationship a qudt:ConstantValue ; + rdfs:label "Value for kelvin-kilogram relationship" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-46 ; + qudt:value 1.536181e-40 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kkg#mid"^^xsd:anyURI . + +constant:Value_KilogramAtomicMassUnitRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-atomic mass unit relationship" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e+19 ; + qudt:value 6.022142e+26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgu#mid"^^xsd:anyURI . + +constant:Value_KilogramElectronVoltRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-electron volt relationship" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.4e+28 ; + qudt:value 5.609589e+35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgev#mid"^^xsd:anyURI . + +constant:Value_KilogramHartreeRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-hartree relationship" ; + qudt:hasUnit unit:E_h ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e+27 ; + qudt:value 2.061486e+34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghr#mid"^^xsd:anyURI . + +constant:Value_KilogramHertzRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-hertz relationship" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.8e+42 ; + qudt:value 1.356393e+50 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghz#mid"^^xsd:anyURI . + +constant:Value_KilogramInverseMeterRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-inverse meter relationship" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e+34 ; + qudt:value 4.524439e+41 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgminv#mid"^^xsd:anyURI . + +constant:Value_KilogramJouleRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-joule relationship" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 8.987552e+16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgj#mid"^^xsd:anyURI . + +constant:Value_KilogramKelvinRelationship a qudt:ConstantValue ; + rdfs:label "Value for kilogram-kelvin relationship" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e+34 ; + qudt:value 6.509651e+39 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgk#mid"^^xsd:anyURI . + +constant:Value_LatticeParameterOfSilicon a qudt:ConstantValue ; + rdfs:label "Value for lattice parameter of silicon" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.4e-17 ; + qudt:value 5.431021e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?asil#mid"^^xsd:anyURI . + +constant:Value_LatticeSpacingOfSilicon a qudt:ConstantValue ; + rdfs:label "Value for lattice spacing of silicon" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5e-18 ; + qudt:value 1.920156e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?d220sil#mid"^^xsd:anyURI . + +constant:Value_LoschmidtConstant a qudt:ConstantValue ; + rdfs:label "Value for Loschmidt constant 273.15 K 101.325 kPa" ; + qudt:hasUnit unit:PER-M3 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.7e+19 ; + qudt:value 2.686777e+25 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?n0#mid"^^xsd:anyURI . + +constant:Value_MagneticFluxQuantum a qudt:ConstantValue ; + rdfs:label "Value for magnetic flux quantum" ; + qudt:hasUnit unit:WB ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.2e-23 ; + qudt:value 2.067834e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?flxquhs2e#mid"^^xsd:anyURI . + +constant:Value_MoXUnit a qudt:ConstantValue ; + rdfs:label "Value for Mo x unit" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-20 ; + qudt:value 1.0021e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xumokalph1#mid"^^xsd:anyURI . + +constant:Value_MolarMassConstant a qudt:ConstantValue ; + rdfs:label "Value for molar mass constant" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu#mid"^^xsd:anyURI . + +constant:Value_MolarMassOfCarbon12 a qudt:ConstantValue ; + rdfs:label "Value for molar mass of carbon-12" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.2e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mm12c#mid"^^xsd:anyURI . + +constant:Value_MolarPlanckConstant a qudt:ConstantValue ; + rdfs:label "Value for molar Planck constant" ; + qudt:hasUnit unit:J-SEC-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.7e-19 ; + qudt:value 3.990313e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nah#mid"^^xsd:anyURI . + +constant:Value_MolarPlanckConstantTimesC a qudt:ConstantValue ; + rdfs:label "Value for molar Planck constant times c" ; + qudt:hasUnit unit:J-M-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.7e-10 ; + qudt:value 1.196266e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nahc#mid"^^xsd:anyURI . + +constant:Value_MolarVolumeOfSilicon a qudt:ConstantValue ; + rdfs:label "Value for molar volume of silicon" ; + qudt:hasUnit unit:M3-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-12 ; + qudt:value 1.205883e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvolsil#mid"^^xsd:anyURI . + +constant:Value_MuonComptonWavelength a qudt:ConstantValue ; + rdfs:label "Value for muon Compton wavelength" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-22 ; + qudt:value 1.173444e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwl#mid"^^xsd:anyURI . + +constant:Value_MuonComptonWavelengthOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for muon Compton wavelength over 2 pi" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.7e-23 ; + qudt:value 1.867594e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwlbar#mid"^^xsd:anyURI . + +constant:Value_MuonElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for muon-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.2e-06 ; + qudt:value 2.067683e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusme#mid"^^xsd:anyURI . + +constant:Value_MuonGFactor a qudt:ConstantValue ; + rdfs:label "Value for muon g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-09 ; + qudt:value -2.002332e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gmum#mid"^^xsd:anyURI . + +constant:Value_MuonMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for muon magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-33 ; + qudt:value -4.490448e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumum#mid"^^xsd:anyURI . + +constant:Value_MuonMagneticMomentAnomaly a qudt:ConstantValue ; + rdfs:label "Value for muon magnetic moment anomaly" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6e-10 ; + qudt:value 1.165921e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?amu#mid"^^xsd:anyURI . + +constant:Value_MuonMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for muon magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-10 ; + qudt:value -4.84197e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmub#mid"^^xsd:anyURI . + +constant:Value_MuonMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for muon magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-07 ; + qudt:value -8.890597e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmun#mid"^^xsd:anyURI . + +constant:Value_MuonMass a qudt:ConstantValue ; + rdfs:label "Value for muon mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-35 ; + qudt:value 1.883531e-28 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmu#mid"^^xsd:anyURI . + +constant:Value_MuonMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for muon mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.5e-19 ; + qudt:value 1.692834e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2#mid"^^xsd:anyURI . + +constant:Value_MuonMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for muon mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.8e-06 ; + qudt:value 1.056584e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2mev#mid"^^xsd:anyURI . + +constant:Value_MuonMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Muon Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.9e-09 ; + qudt:value 1.134289e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuu#mid"^^xsd:anyURI . + +constant:Value_MuonMolarMass a qudt:ConstantValue ; + rdfs:label "Value for muon molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.9e-12 ; + qudt:value 1.134289e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmmu#mid"^^xsd:anyURI . + +constant:Value_MuonNeutronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for muon-neutron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.9e-09 ; + qudt:value 1.124545e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmn#mid"^^xsd:anyURI . + +constant:Value_MuonProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for muon-proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.5e-08 ; + qudt:value -3.183345e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmup#mid"^^xsd:anyURI . + +constant:Value_MuonProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for muon-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.9e-09 ; + qudt:value 1.126095e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmp#mid"^^xsd:anyURI . + +constant:Value_MuonTauMassRatio a qudt:ConstantValue ; + rdfs:label "Value for muon-tau mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9.7e-06 ; + qudt:value 5.94592e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmtau#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfAction a qudt:ConstantValue ; + rdfs:label "Value for natural unit of action" ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-42 ; + qudt:value 1.054572e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbar#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfActionInEVS a qudt:ConstantValue ; + rdfs:label "Value for natural unit of action in eV s" ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-23 ; + qudt:value 6.582119e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbarev#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfEnergy a qudt:ConstantValue ; + rdfs:label "Value for natural unit of energy" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.1e-21 ; + qudt:value 8.187104e-14 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfEnergyInMeV a qudt:ConstantValue ; + rdfs:label "Value for natural unit of energy in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e-08 ; + qudt:value 5.109989e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2mev#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfLength a qudt:ConstantValue ; + rdfs:label "Value for natural unit of length" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-22 ; + qudt:value 3.861593e-13 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tecomwlbar#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfMass a qudt:ConstantValue ; + rdfs:label "Value for natural unit of mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.5e-38 ; + qudt:value 9.109382e-31 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tme#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfMomentum a qudt:ConstantValue ; + rdfs:label "Value for natural unit of momentum" ; + qudt:hasUnit unit:KiloGM-M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.4e-29 ; + qudt:value 2.730924e-22 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfMomentumInMeVPerC a qudt:ConstantValue ; + rdfs:label "Value for natural unit of momentum in MeV c^-1" ; + qudt:hasUnit unit:MegaEV-PER-SpeedOfLight ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e-08 ; + qudt:value 5.109989e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mecmevsc#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfTime a qudt:ConstantValue ; + rdfs:label "Value for natural unit of time" ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.8e-30 ; + qudt:value 1.288089e-21 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nut#mid"^^xsd:anyURI . + +constant:Value_NaturalUnitOfVelocity a qudt:ConstantValue ; + rdfs:label "Value for natural unit of velocity" ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 2.997925e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tc#mid"^^xsd:anyURI . + +constant:Value_NeutronComptonWavelength a qudt:ConstantValue ; + rdfs:label "Value for neutron Compton wavelength" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2e-24 ; + qudt:value 1.319591e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwl#mid"^^xsd:anyURI . + +constant:Value_NeutronComptonWavelengthOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for neutron Compton wavelength over 2 pi" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-25 ; + qudt:value 2.100194e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwlbar#mid"^^xsd:anyURI . + +constant:Value_NeutronElectronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-electron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-10 ; + qudt:value 1.040669e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmue#mid"^^xsd:anyURI . + +constant:Value_NeutronElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-06 ; + qudt:value 1.838684e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsme#mid"^^xsd:anyURI . + +constant:Value_NeutronGFactor a qudt:ConstantValue ; + rdfs:label "Value for neutron g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9e-07 ; + qudt:value -3.826085e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gnn#mid"^^xsd:anyURI . + +constant:Value_NeutronGyromagneticRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron gyromagnetic ratio" ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.3e+01 ; + qudt:value 1.832472e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gamman#mid"^^xsd:anyURI . + +constant:Value_NeutronGyromagneticRatioOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for neutron gyromagnetic ratio over 2 pi" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.9e-06 ; + qudt:value 2.91647e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammanbar#mid"^^xsd:anyURI . + +constant:Value_NeutronMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for neutron magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-33 ; + qudt:value -9.662364e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munn#mid"^^xsd:anyURI . + +constant:Value_NeutronMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-10 ; + qudt:value -1.041876e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmub#mid"^^xsd:anyURI . + +constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.5e-07 ; + qudt:value -1.913043e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmun#mid"^^xsd:anyURI . + +constant:Value_NeutronMass a qudt:ConstantValue ; + rdfs:label "Value for neutron mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.4e-35 ; + qudt:value 1.674927e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mn#mid"^^xsd:anyURI . + +constant:Value_NeutronMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for neutron mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.5e-18 ; + qudt:value 1.50535e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2#mid"^^xsd:anyURI . + +constant:Value_NeutronMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for neutron mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-05 ; + qudt:value 9.395653e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2mev#mid"^^xsd:anyURI . + +constant:Value_NeutronMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Neutron Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.3e-10 ; + qudt:value 1.008665e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnu#mid"^^xsd:anyURI . + +constant:Value_NeutronMolarMass a qudt:ConstantValue ; + rdfs:label "Value for neutron molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.3e-13 ; + qudt:value 1.008665e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmn#mid"^^xsd:anyURI . + +constant:Value_NeutronMuonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-muon mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-07 ; + qudt:value 8.892484e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmmu#mid"^^xsd:anyURI . + +constant:Value_NeutronProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-07 ; + qudt:value -6.849793e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmup#mid"^^xsd:anyURI . + +constant:Value_NeutronProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.6e-10 ; + qudt:value 1.001378e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmp#mid"^^xsd:anyURI . + +constant:Value_NeutronTauMassRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron-tau mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.6e-05 ; + qudt:value 5.2874e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmtau#mid"^^xsd:anyURI . + +constant:Value_NeutronToShieldedProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for neutron to shielded proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-07 ; + qudt:value -6.849969e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmupp#mid"^^xsd:anyURI . + +constant:Value_NewtonianConstantOfGravitation a qudt:ConstantValue ; + rdfs:label "Value for Newtonian constant of gravitation" ; + qudt:hasUnit unit:M3-PER-KiloGM-SEC2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:relativeStandardUncertainty 2.2e-05 ; + qudt:standardUncertainty 1.5e-15 ; + qudt:value 6.6743e-11 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bg#mid"^^xsd:anyURI . + +constant:Value_NuclearMagneton a qudt:ConstantValue ; + rdfs:label "Value for nuclear magneton" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.3e-34 ; + qudt:value 5.050783e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mun#mid"^^xsd:anyURI . + +constant:Value_NuclearMagnetonInEVPerT a qudt:ConstantValue ; + rdfs:label "Value for nuclear magneton in eV per T" ; + qudt:hasUnit unit:EV-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.5e-17 ; + qudt:value 3.152451e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munev#mid"^^xsd:anyURI . + +constant:Value_NuclearMagnetonInInverseMetersPerTesla a qudt:ConstantValue ; + rdfs:label "Value for nuclear magneton in inverse meters per tesla" ; + qudt:hasUnit unit:PER-T-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.4e-10 ; + qudt:value 2.542624e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshcminv#mid"^^xsd:anyURI . + +constant:Value_NuclearMagnetonInKPerT a qudt:ConstantValue ; + rdfs:label "Value for nuclear magneton in K per T" ; + qudt:hasUnit unit:K-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.4e-10 ; + qudt:value 3.658264e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munskk#mid"^^xsd:anyURI . + +constant:Value_NuclearMagnetonInMHzPerT a qudt:ConstantValue ; + rdfs:label "Value for nuclear magneton in MHz per T" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.9e-07 ; + qudt:value 7.622594e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshhz#mid"^^xsd:anyURI . + +constant:Value_PermittivityOfVacuum a qudt:ConstantValue ; + rdfs:label "Value for permittivity of vacuum" ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:relativeStandardUncertainty 1.5e-10 ; + qudt:value 6.854188e-12 . + +constant:Value_Pi a qudt:ConstantValue ; + rdfs:label "Value for Pi" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; + qudt:standardUncertainty 0e+00 ; + qudt:value 3.141592653589793238462643383279502884197 . + +constant:Value_PlanckConstant a qudt:ConstantValue ; + rdfs:label "Value for Planck constant" ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e-41 ; + qudt:value 6.626069e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?h#mid"^^xsd:anyURI . + +constant:Value_PlanckConstantInEVS a qudt:ConstantValue ; + rdfs:label "Value for Planck constant in eV s" ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-22 ; + qudt:value 4.135667e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hev#mid"^^xsd:anyURI . + +constant:Value_PlanckConstantOver2PiInEVS a qudt:ConstantValue ; + rdfs:label "Value for Planck constant over 2 pi in eV s" ; + qudt:hasUnit unit:EV-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.6e-23 ; + qudt:value 6.582119e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbarev#mid"^^xsd:anyURI . + +constant:Value_PlanckConstantOver2PiTimesCInMeVFm a qudt:ConstantValue ; + rdfs:label "Value for Planck constant over 2 pi times c in MeV fm" ; + qudt:hasUnit unit:MegaEV-FemtoM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.9e-06 ; + qudt:value 1.97327e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbcmevf#mid"^^xsd:anyURI . + +constant:Value_PlanckLength a qudt:ConstantValue ; + rdfs:label "Value for Planck length" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.1e-40 ; + qudt:value 1.616252e-35 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkl#mid"^^xsd:anyURI . + +constant:Value_PlanckMass a qudt:ConstantValue ; + rdfs:label "Value for Planck mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-12 ; + qudt:value 2.17644e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkm#mid"^^xsd:anyURI . + +constant:Value_PlanckMassEnergyEquivalentInGeV a qudt:ConstantValue ; + rdfs:label "Value for Planck mass energy equivalent in GeV" ; + qudt:hasUnit unit:GigaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.1e+14 ; + qudt:value 1.220892e+19 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkmc2gev#mid"^^xsd:anyURI . + +constant:Value_PlanckTemperature a qudt:ConstantValue ; + rdfs:label "Value for Planck temperature" ; + qudt:hasUnit unit:K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.1e+27 ; + qudt:value 1.416785e+32 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plktmp#mid"^^xsd:anyURI . + +constant:Value_PlanckTime a qudt:ConstantValue ; + rdfs:label "Value for Planck time" ; + qudt:hasUnit unit:SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-48 ; + qudt:value 5.39124e-44 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkt#mid"^^xsd:anyURI . + +constant:Value_ProtonChargeToMassQuotient a qudt:ConstantValue ; + rdfs:label "Value for proton charge to mass quotient" ; + qudt:hasUnit unit:C-PER-KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.4e+00 ; + qudt:value 9.578834e+07 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esmp#mid"^^xsd:anyURI . + +constant:Value_ProtonComptonWavelength a qudt:ConstantValue ; + rdfs:label "Value for proton Compton wavelength" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.9e-24 ; + qudt:value 1.32141e-15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwl#mid"^^xsd:anyURI . + +constant:Value_ProtonComptonWavelengthOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for proton Compton wavelength over 2 pi" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-25 ; + qudt:value 2.103089e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwlbar#mid"^^xsd:anyURI . + +constant:Value_ProtonElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for proton-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8e-07 ; + qudt:value 1.836153e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsme#mid"^^xsd:anyURI . + +constant:Value_ProtonGFactor a qudt:ConstantValue ; + rdfs:label "Value for proton g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.6e-08 ; + qudt:value 5.585695e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gp#mid"^^xsd:anyURI . + +constant:Value_ProtonGyromagneticRatio a qudt:ConstantValue ; + rdfs:label "Value for proton gyromagnetic ratio" ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7e+00 ; + qudt:value 2.675222e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammap#mid"^^xsd:anyURI . + +constant:Value_ProtonGyromagneticRatioOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for proton gyromagnetic ratio over 2 pi" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-06 ; + qudt:value 4.257748e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapbar#mid"^^xsd:anyURI . + +constant:Value_ProtonMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for proton magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.7e-34 ; + qudt:value 1.410607e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mup#mid"^^xsd:anyURI . + +constant:Value_ProtonMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for proton magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-11 ; + qudt:value 1.521032e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmub#mid"^^xsd:anyURI . + +constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for proton magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-08 ; + qudt:value 2.792847e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmun#mid"^^xsd:anyURI . + +constant:Value_ProtonMagneticShieldingCorrection a qudt:ConstantValue ; + rdfs:label "Value for proton magnetic shielding correction" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.4e-08 ; + qudt:value 2.5694e-05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmapp#mid"^^xsd:anyURI . + +constant:Value_ProtonMass a qudt:ConstantValue ; + rdfs:label "Value for proton mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.3e-35 ; + qudt:value 1.672622e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mp#mid"^^xsd:anyURI . + +constant:Value_ProtonMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for proton mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.5e-18 ; + qudt:value 1.503277e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2#mid"^^xsd:anyURI . + +constant:Value_ProtonMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for proton mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-05 ; + qudt:value 9.38272e+02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2mev#mid"^^xsd:anyURI . + +constant:Value_ProtonMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Proton Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-10 ; + qudt:value 1.007276e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpu#mid"^^xsd:anyURI . + +constant:Value_ProtonMolarMass a qudt:ConstantValue ; + rdfs:label "Value for proton molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-13 ; + qudt:value 1.007276e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmp#mid"^^xsd:anyURI . + +constant:Value_ProtonMuonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for proton-muon mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.3e-07 ; + qudt:value 8.880243e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmmu#mid"^^xsd:anyURI . + +constant:Value_ProtonNeutronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for proton-neutron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.4e-07 ; + qudt:value -1.459898e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmunn#mid"^^xsd:anyURI . + +constant:Value_ProtonNeutronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for proton-neutron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.6e-10 ; + qudt:value 9.986235e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmn#mid"^^xsd:anyURI . + +constant:Value_ProtonRmsChargeRadius a qudt:ConstantValue ; + rdfs:label "Value for proton rms charge radius" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 6.9e-18 ; + qudt:value 8.768e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rp#mid"^^xsd:anyURI . + +constant:Value_ProtonTauMassRatio a qudt:ConstantValue ; + rdfs:label "Value for proton-tau mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.6e-05 ; + qudt:value 5.28012e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmtau#mid"^^xsd:anyURI . + +constant:Value_QuantumOfCirculation a qudt:ConstantValue ; + rdfs:label "Value for quantum of circulation" ; + qudt:hasUnit unit:M2-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5e-13 ; + qudt:value 3.636948e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?qucirchs2me#mid"^^xsd:anyURI . + +constant:Value_QuantumOfCirculationTimes2 a qudt:ConstantValue ; + rdfs:label "Value for quantum of circulation times 2" ; + qudt:hasUnit unit:M2-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-12 ; + qudt:value 7.273895e-04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hsme#mid"^^xsd:anyURI . + +constant:Value_RydbergConstant a qudt:ConstantValue ; + rdfs:label "Value for Rydberg constant" ; + qudt:hasUnit unit:PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.3e-05 ; + qudt:value 1.097373e+07 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ryd#mid"^^xsd:anyURI . + +constant:Value_RydbergConstantTimesCInHz a qudt:ConstantValue ; + rdfs:label "Value for Rydberg constant times c in Hz" ; + qudt:hasUnit unit:HZ ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e+04 ; + qudt:value 3.289842e+15 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydchz#mid"^^xsd:anyURI . + +constant:Value_RydbergConstantTimesHcInEV a qudt:ConstantValue ; + rdfs:label "Value for Rydberg constant times hc in eV" ; + qudt:hasUnit unit:EV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.4e-07 ; + qudt:value 1.360569e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcev#mid"^^xsd:anyURI . + +constant:Value_RydbergConstantTimesHcInJ a qudt:ConstantValue ; + rdfs:label "Value for Rydberg constant times hc in J" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-25 ; + qudt:value 2.179872e-18 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcj#mid"^^xsd:anyURI . + +constant:Value_SackurTetrodeConstant1K100KPa a qudt:ConstantValue ; + rdfs:label "Value for Sackur-Tetrode constant 1 K 100 kPa" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e-06 ; + qudt:value -1.151705e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0sr#mid"^^xsd:anyURI . + +constant:Value_SackurTetrodeConstant1K101.325K a qudt:ConstantValue ; + rdfs:label "Value for Sackur-Tetrode constant 1 K 101.325 kPa" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.4e-06 ; + qudt:value -1.164868e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0srstd#mid"^^xsd:anyURI . + +constant:Value_SecondRadiationConstant a qudt:ConstantValue ; + rdfs:label "Value for second radiation constant" ; + qudt:hasUnit unit:M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-08 ; + qudt:value 1.438775e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c22ndrc#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionGyromagneticRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded helion gyromagnetic ratio" ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.6e+00 ; + qudt:value 2.037895e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahp#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionGyromagneticRatioOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for shielded helion gyromagnetic ratio over 2 pi" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 9e-07 ; + qudt:value 3.24341e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahpbar#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for shielded helion magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-34 ; + qudt:value -1.074553e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhp#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded helion magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.4e-11 ; + qudt:value -1.158671e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmub#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded helion magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-08 ; + qudt:value -2.127498e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmun#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionToProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded helion to proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-08 ; + qudt:value -7.617666e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmup#mid"^^xsd:anyURI . + +constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded helion to shielded proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.3e-09 ; + qudt:value -7.617861e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmupp#mid"^^xsd:anyURI . + +constant:Value_ShieldedProtonGyromagneticRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded proton gyromagnetic ratio" ; + qudt:hasUnit unit:PER-T-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.3e+00 ; + qudt:value 2.675153e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapp#mid"^^xsd:anyURI . + +constant:Value_ShieldedProtonGyromagneticRatioOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for shielded proton gyromagnetic ratio over 2 pi" ; + qudt:hasUnit unit:MegaHZ-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.2e-06 ; + qudt:value 4.257639e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammappbar#mid"^^xsd:anyURI . + +constant:Value_ShieldedProtonMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for shielded proton magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.8e-34 ; + qudt:value 1.41057e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupp#mid"^^xsd:anyURI . + +constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded proton magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.7e-11 ; + qudt:value 1.520993e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmub#mid"^^xsd:anyURI . + +constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for shielded proton magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3e-08 ; + qudt:value 2.792776e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmun#mid"^^xsd:anyURI . + +constant:Value_SpeedOfLight_Vacuum a qudt:ConstantValue ; + rdfs:label "Value for speed of light in a vacuum" ; + qudt:hasUnit unit:M-PER-SEC ; + qudt:informativeReference "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 0e+00 ; + qudt:value 2.997925e+08 . + +constant:Value_SpeedOfLight_Vacuum_Imperial a qudt:ConstantValue ; + rdfs:label "Value for speed of light in vacuum (Imperial units)" ; + qudt:hasUnit unit:MI-PER-HR ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 6.706166e+08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI . + +constant:Value_StandardAccelerationOfGravity a qudt:ConstantValue ; + rdfs:label "Value for standard acceleration of gravity" ; + qudt:hasUnit unit:M-PER-SEC2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 9.80665e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gn#mid"^^xsd:anyURI . + +constant:Value_StandardAtmosphere a qudt:ConstantValue ; + rdfs:label "Value for standard atmosphere" ; + qudt:hasUnit unit:PA ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.01325e+05 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?stdatm#mid"^^xsd:anyURI . + +constant:Value_StefanBoltzmannConstant a qudt:ConstantValue ; + rdfs:label "Value for Stefan-Boltzmann Constant" ; + qudt:hasUnit unit:W-PER-M2-K4 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4e-13 ; + qudt:value 5.6704e-08 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigma#mid"^^xsd:anyURI . + +constant:Value_TauComptonWavelength a qudt:ConstantValue ; + rdfs:label "Value for tau Compton wavelength" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.1e-19 ; + qudt:value 6.9772e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwl#mid"^^xsd:anyURI . + +constant:Value_TauComptonWavelengthOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for tau Compton wavelength over 2 pi" ; + qudt:hasUnit unit:M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.8e-20 ; + qudt:value 1.11046e-16 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwlbar#mid"^^xsd:anyURI . + +constant:Value_TauElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for tau-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.7e-01 ; + qudt:value 3.47748e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausme#mid"^^xsd:anyURI . + +constant:Value_TauMass a qudt:ConstantValue ; + rdfs:label "Value for tau mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.2e-31 ; + qudt:value 3.16777e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtau#mid"^^xsd:anyURI . + +constant:Value_TauMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for tau mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.6e-14 ; + qudt:value 2.84705e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2#mid"^^xsd:anyURI . + +constant:Value_TauMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for tau mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.9e-01 ; + qudt:value 1.77699e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2mev#mid"^^xsd:anyURI . + +constant:Value_TauMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Tau Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-04 ; + qudt:value 1.90768e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauu#mid"^^xsd:anyURI . + +constant:Value_TauMolarMass a qudt:ConstantValue ; + rdfs:label "Value for tau molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-07 ; + qudt:value 1.90768e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmtau#mid"^^xsd:anyURI . + +constant:Value_TauMuonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for tau-muon mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-03 ; + qudt:value 1.68183e+01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmmu#mid"^^xsd:anyURI . + +constant:Value_TauNeutronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for tau-neutron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-04 ; + qudt:value 1.89129e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmn#mid"^^xsd:anyURI . + +constant:Value_TauProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for tau-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.1e-04 ; + qudt:value 1.8939e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmp#mid"^^xsd:anyURI . + +constant:Value_ThomsonCrossSection a qudt:ConstantValue ; + rdfs:label "Value for Thomson cross section" ; + qudt:hasUnit unit:M2 ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.7e-37 ; + qudt:value 6.652459e-29 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmae#mid"^^xsd:anyURI . + +constant:Value_TritonElectronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for triton-electron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.1e-11 ; + qudt:value -1.620514e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmuem#mid"^^xsd:anyURI . + +constant:Value_TritonElectronMassRatio a qudt:ConstantValue ; + rdfs:label "Value for triton-electron mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.1e-06 ; + qudt:value 5.496922e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsme#mid"^^xsd:anyURI . + +constant:Value_TritonGFactor a qudt:ConstantValue ; + rdfs:label "Value for triton g factor" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7.6e-08 ; + qudt:value 5.957925e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gtn#mid"^^xsd:anyURI . + +constant:Value_TritonMagneticMoment a qudt:ConstantValue ; + rdfs:label "Value for triton magnetic moment" ; + qudt:hasUnit unit:J-PER-T ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 4.2e-34 ; + qudt:value 1.504609e-26 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mut#mid"^^xsd:anyURI . + +constant:Value_TritonMagneticMomentToBohrMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for triton magnetic moment to Bohr magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.1e-11 ; + qudt:value 1.622394e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmub#mid"^^xsd:anyURI . + +constant:Value_TritonMagneticMomentToNuclearMagnetonRatio a qudt:ConstantValue ; + rdfs:label "Value for triton magnetic moment to nuclear magneton ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.8e-08 ; + qudt:value 2.978962e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmun#mid"^^xsd:anyURI . + +constant:Value_TritonMass a qudt:ConstantValue ; + rdfs:label "Value for triton mass" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-34 ; + qudt:value 5.007356e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mt#mid"^^xsd:anyURI . + +constant:Value_TritonMassEnergyEquivalent a qudt:ConstantValue ; + rdfs:label "Value for triton mass energy equivalent" ; + qudt:hasUnit unit:J ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.2e-17 ; + qudt:value 4.500387e-10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2#mid"^^xsd:anyURI . + +constant:Value_TritonMassEnergyEquivalentInMeV a qudt:ConstantValue ; + rdfs:label "Value for triton mass energy equivalent in MeV" ; + qudt:hasUnit unit:MegaEV ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 7e-05 ; + qudt:value 2.808921e+03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2mev#mid"^^xsd:anyURI . + +constant:Value_TritonMassInAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Triton Mass (amu)" ; + qudt:hasUnit unit:U ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-09 ; + qudt:value 3.015501e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtu#mid"^^xsd:anyURI . + +constant:Value_TritonMolarMass a qudt:ConstantValue ; + rdfs:label "Value for triton molar mass" ; + qudt:hasUnit unit:KiloGM-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-12 ; + qudt:value 3.015501e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmt#mid"^^xsd:anyURI . + +constant:Value_TritonNeutronMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for triton-neutron magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.7e-07 ; + qudt:value -1.557186e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmunn#mid"^^xsd:anyURI . + +constant:Value_TritonProtonMagneticMomentRatio a qudt:ConstantValue ; + rdfs:label "Value for triton-proton magnetic moment ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e-08 ; + qudt:value 1.06664e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmup#mid"^^xsd:anyURI . + +constant:Value_TritonProtonMassRatio a qudt:ConstantValue ; + rdfs:label "Value for triton-proton mass ratio" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 2.5e-09 ; + qudt:value 2.993717e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsmp#mid"^^xsd:anyURI . + +constant:Value_UnifiedAtomicMassUnit a qudt:ConstantValue ; + rdfs:label "Value for unified atomic mass unit" ; + qudt:hasUnit unit:KiloGM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 8.3e-35 ; + qudt:value 1.660539e-27 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tukg#mid"^^xsd:anyURI . + +constant:Value_VonKlitzingConstant a qudt:ConstantValue ; + rdfs:label "Value for von Klitzing constant" ; + qudt:hasUnit unit:OHM ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.8e-05 ; + qudt:value 2.581281e+04 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk#mid"^^xsd:anyURI . + +constant:Value_WeakMixingAngle a qudt:ConstantValue ; + rdfs:label "Value for weak mixing angle" ; + qudt:hasUnit unit:UNITLESS ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.6e-04 ; + qudt:value 2.2255e-01 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sin2th#mid"^^xsd:anyURI . + +constant:Value_WienFrequencyDisplacementLawConstant a qudt:ConstantValue ; + rdfs:label "Value for Wien frequency displacement law constant" ; + qudt:hasUnit unit:HZ-PER-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1e+05 ; + qudt:value 5.878933e+10 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bpwien#mid"^^xsd:anyURI . + +constant:Value_WienWavelengthDisplacementLawConstant a qudt:ConstantValue ; + rdfs:label "Value for Wien wavelength displacement law constant" ; + qudt:hasUnit unit:M-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.1e-09 ; + qudt:value 2.897768e-03 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bwien#mid"^^xsd:anyURI . + +cur:AED a qudt:CurrencyUnit ; + rdfs:label "United Arab Emirates dirham"@en ; + qudt:currencyCode "AED" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 784 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/United_Arab_Emirates_dirham"^^xsd:anyURI ; + qudt:expression "\\(AED\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/United_Arab_Emirates_dirham?oldid=491806142"^^xsd:anyURI ; + qudt:symbol "د.إ" ; + rdfs:isDefinedBy . + +cur:AFN a qudt:CurrencyUnit ; + rdfs:label "Afghani"@en ; + qudt:currencyCode "AFN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 971 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Afghani"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Afghani?oldid=485904590"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ALL a qudt:CurrencyUnit ; + rdfs:label "Lek"@en ; + qudt:currencyCode "ALL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 8 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lek"^^xsd:anyURI ; + qudt:expression "\\(ALL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lek?oldid=495195665"^^xsd:anyURI ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +cur:AMD a qudt:CurrencyUnit ; + rdfs:label "Armenian Dram"@en ; + qudt:currencyCode "AMD" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 51 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Armenian_dram"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Armenian_dram?oldid=492709723"^^xsd:anyURI ; + qudt:symbol "֏" ; + rdfs:isDefinedBy . + +cur:ANG a qudt:CurrencyUnit ; + rdfs:label "Netherlands Antillian Guilder"@en ; + qudt:currencyCode "ANG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 532 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Netherlands_Antillean_guilder"^^xsd:anyURI ; + qudt:expression "\\(ANG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Netherlands_Antillean_guilder?oldid=490030382"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:AOA a qudt:CurrencyUnit ; + rdfs:label "Kwanza"@en ; + qudt:currencyCode "AOA" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 973 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angolan_kwanza"^^xsd:anyURI ; + qudt:expression "\\(AOA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angolan_kwanza?oldid=491748749"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ARS a qudt:CurrencyUnit ; + rdfs:label "Argentine Peso"@en ; + qudt:currencyCode "ARS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 32 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Argentine_peso"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Argentine_peso?oldid=491431588"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:AUD a qudt:CurrencyUnit ; + rdfs:label "Australian Dollar"@en ; + qudt:currencyCode "AUD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 36 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Australian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Australian_dollar?oldid=495046408"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:AWG a qudt:CurrencyUnit ; + rdfs:label "Aruban Guilder"@en ; + qudt:currencyCode "AWG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 533 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Aruban_florin"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Aruban_florin?oldid=492925638"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:AZN a qudt:CurrencyUnit ; + rdfs:label "Azerbaijanian Manat"@en ; + qudt:currencyCode "AZN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 944 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Azerbaijani_manat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Azerbaijani_manat?oldid=495479090"^^xsd:anyURI ; + qudt:symbol "₼" ; + rdfs:isDefinedBy . + +cur:BAM a qudt:CurrencyUnit ; + rdfs:label "Convertible Marks"@en ; + qudt:currencyCode "BAM" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 977 ; + qudt:expression "\\(BAM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "KM" ; + rdfs:isDefinedBy . + +cur:BBD a qudt:CurrencyUnit ; + rdfs:label "Barbados Dollar"@en ; + qudt:currencyCode "BBD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 52 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barbadian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barbadian_dollar?oldid=494388633"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BDT a qudt:CurrencyUnit ; + rdfs:label "Bangladeshi Taka"@en ; + qudt:currencyCode "BDT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 50 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bangladeshi_taka"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bangladeshi_taka?oldid=492673895"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BGN a qudt:CurrencyUnit ; + rdfs:label "Bulgarian Lev"@en ; + qudt:currencyCode "BGN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 975 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bulgarian_lev"^^xsd:anyURI ; + qudt:expression "\\(BGN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bulgarian_lev?oldid=494947467"^^xsd:anyURI ; + qudt:symbol "лв." ; + rdfs:isDefinedBy . + +cur:BHD a qudt:CurrencyUnit ; + rdfs:label "Bahraini Dinar"@en ; + qudt:currencyCode "BHD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 48 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bahraini_dinar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bahraini_dinar?oldid=493086643"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BIF a qudt:CurrencyUnit ; + rdfs:label "Burundian Franc"@en ; + qudt:currencyCode "BIF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 108 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Burundian_franc"^^xsd:anyURI ; + qudt:expression "\\(BIF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Burundian_franc?oldid=489383699"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BMD a qudt:CurrencyUnit ; + rdfs:label "Bermuda Dollar"@en ; + qudt:currencyCode "BMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 60 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bermudian_dollar"^^xsd:anyURI ; + qudt:expression "\\(BMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bermudian_dollar?oldid=492670344"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BND a qudt:CurrencyUnit ; + rdfs:label "Brunei Dollar"@en ; + qudt:currencyCode "BND" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 96 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Brunei_dollar"^^xsd:anyURI ; + qudt:expression "\\(BND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Brunei_dollar?oldid=495134546"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BOB a qudt:CurrencyUnit ; + rdfs:label "Boliviano"@en ; + qudt:currencyCode "BOB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 68 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bolivian_boliviano"^^xsd:anyURI ; + qudt:expression "\\(BOB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bolivian_boliviano?oldid=494873944"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BOV a qudt:CurrencyUnit ; + rdfs:label "Bolivian Mvdol (Funds code)"@en ; + qudt:currencyCode "BOV" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 984 ; + qudt:expression "\\(BOV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:BRL a qudt:CurrencyUnit ; + rdfs:label "Brazilian Real"@en ; + qudt:currencyCode "BRL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 986 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Brazilian_real"^^xsd:anyURI ; + qudt:expression "\\(BRL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Brazilian_real?oldid=495278259"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:BSD a qudt:CurrencyUnit ; + rdfs:label "Bahamian Dollar"@en ; + qudt:currencyCode "BSD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 44 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bahamian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bahamian_dollar?oldid=492776024"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BTN a qudt:CurrencyUnit ; + rdfs:label "Ngultrum"@en ; + qudt:currencyCode "BTN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 64 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bhutanese_ngultrum"^^xsd:anyURI ; + qudt:expression "\\(BTN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bhutanese_ngultrum?oldid=491579260"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BWP a qudt:CurrencyUnit ; + rdfs:label "Pula"@en ; + qudt:currencyCode "BWP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 72 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pula"^^xsd:anyURI ; + qudt:expression "\\(BWP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pula?oldid=495207177"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:BYN a qudt:CurrencyUnit ; + rdfs:label "Belarussian Ruble"@en ; + qudt:currencyCode "BYN" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 933 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Belarusian_ruble"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Belarusian_ruble?oldid=494143246"^^xsd:anyURI ; + qudt:symbol "Rbl" ; + rdfs:isDefinedBy . + +cur:BZD a qudt:CurrencyUnit ; + rdfs:label "Belize Dollar"@en ; + qudt:currencyCode "BZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 84 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Belize_dollar"^^xsd:anyURI ; + qudt:expression "\\(BZD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Belize_dollar?oldid=462662376"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CAD a qudt:CurrencyUnit ; + rdfs:label "Canadian Dollar"@en ; + qudt:currencyCode "CAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 124 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Canadian_dollar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Canadian_dollar?oldid=494738466"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:CDF a qudt:CurrencyUnit ; + rdfs:label "Franc Congolais"@en ; + qudt:currencyCode "CDF" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 976 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Congolese_franc"^^xsd:anyURI ; + qudt:expression "\\(CDF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Congolese_franc?oldid=490314640"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CHE a qudt:CurrencyUnit ; + rdfs:label "WIR Euro (complementary currency)"@en ; + qudt:currencyCode "CHE" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 947 ; + qudt:expression "\\(CHE\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:CHF a qudt:CurrencyUnit ; + rdfs:label "Swiss Franc"@en ; + qudt:currencyCode "CHF" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 756 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swiss_franc"^^xsd:anyURI ; + qudt:expression "\\(CHF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swiss_franc?oldid=492548706"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "CHF" ; + rdfs:isDefinedBy . + +cur:CHW a qudt:CurrencyUnit ; + rdfs:label "WIR Franc (complementary currency)"@en ; + qudt:currencyCode "CHW" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 948 ; + qudt:expression "\\(CHW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:CLF a qudt:CurrencyUnit ; + rdfs:label "Unidades de formento (Funds code)"@en ; + qudt:currencyCode "CLF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 990 ; + qudt:expression "\\(CLF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:CLP a qudt:CurrencyUnit ; + rdfs:label "Chilean Peso"@en ; + qudt:currencyCode "CLP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 152 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Chilean_peso"^^xsd:anyURI ; + qudt:expression "\\(CLP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chilean_peso?oldid=495455481"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:CNY a qudt:CurrencyUnit ; + rdfs:label "Yuan Renminbi"@en ; + qudt:currencyCode "CNY" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 156 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Renminbi"^^xsd:anyURI ; + qudt:expression "\\(CNY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Renminbi?oldid=494799454"^^xsd:anyURI ; + qudt:symbol "¥" ; + rdfs:isDefinedBy . + +cur:COP a qudt:CurrencyUnit ; + rdfs:label "Colombian Peso"@en ; + qudt:currencyCode "COP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 170 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Colombian_peso"^^xsd:anyURI ; + qudt:expression "\\(COP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Colombian_peso?oldid=490834575"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:COU a qudt:CurrencyUnit ; + rdfs:label "Unidad de Valor Real"@en ; + qudt:currencyCode "COU" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 970 ; + qudt:expression "\\(COU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:CRC a qudt:CurrencyUnit ; + rdfs:label "Costa Rican Colon"@en ; + qudt:currencyCode "CRC" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 188 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Costa_Rican_col%C3%B3n"^^xsd:anyURI ; + qudt:expression "\\(CRC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Costa_Rican_colón?oldid=491007608"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CUP a qudt:CurrencyUnit ; + rdfs:label "Cuban Peso"@en ; + qudt:currencyCode "CUP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 192 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cuban_peso"^^xsd:anyURI ; + qudt:expression "\\(CUP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cuban_peso?oldid=486492974"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CVE a qudt:CurrencyUnit ; + rdfs:label "Cape Verde Escudo"@en ; + qudt:currencyCode "CVE" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 132 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cape_Verdean_escudo"^^xsd:anyURI ; + qudt:expression "\\(CVE\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cape_Verdean_escudo?oldid=491416749"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CYP a qudt:CurrencyUnit ; + rdfs:label "Cyprus Pound"@en ; + qudt:currencyCode "CYP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 196 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cypriot_pound"^^xsd:anyURI ; + qudt:expression "\\(CYP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cypriot_pound?oldid=492644935"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:CZK a qudt:CurrencyUnit ; + rdfs:label "Czech Koruna"@en ; + qudt:currencyCode "CZK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 203 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Czech_koruna"^^xsd:anyURI ; + qudt:expression "\\(CZK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Czech_koruna?oldid=493991393"^^xsd:anyURI ; + qudt:symbol "Kč" ; + rdfs:isDefinedBy . + +cur:DJF a qudt:CurrencyUnit ; + rdfs:label "Djibouti Franc"@en ; + qudt:currencyCode "DJF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 262 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Djiboutian_franc"^^xsd:anyURI ; + qudt:expression "\\(DJF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Djiboutian_franc?oldid=486807423"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:DKK a qudt:CurrencyUnit ; + rdfs:label "Danish Krone"@en ; + qudt:currencyCode "DKK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 208 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Danish_krone"^^xsd:anyURI ; + qudt:expression "\\(DKK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Danish_krone?oldid=491168880"^^xsd:anyURI ; + qudt:symbol "kr" ; + rdfs:isDefinedBy . + +cur:DOP a qudt:CurrencyUnit ; + rdfs:label "Dominican Peso"@en ; + qudt:currencyCode "DOP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 214 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dominican_peso"^^xsd:anyURI ; + qudt:expression "\\(DOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dominican_peso?oldid=493950199"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:DZD a qudt:CurrencyUnit ; + rdfs:label "Algerian Dinar"@en ; + qudt:currencyCode "DZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Algerian_dinar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Algerian_dinar?oldid=492845503"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:EEK a qudt:CurrencyUnit ; + rdfs:label "Kroon"@en ; + qudt:currencyCode "EEK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 233 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Estonian_kroon"^^xsd:anyURI ; + qudt:expression "\\(EEK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Estonian_kroon?oldid=492626188"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:EGP a qudt:CurrencyUnit ; + rdfs:label "Egyptian Pound"@en ; + qudt:currencyCode "EGP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 818 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Egyptian_pound"^^xsd:anyURI ; + qudt:expression "\\(EGP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Egyptian_pound?oldid=494670285"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ERN a qudt:CurrencyUnit ; + rdfs:label "Nakfa"@en ; + qudt:currencyCode "ERN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 232 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nakfa"^^xsd:anyURI ; + qudt:expression "\\(ERN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nakfa?oldid=415286274"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ETB a qudt:CurrencyUnit ; + rdfs:label "Ethiopian Birr"@en ; + qudt:currencyCode "ETB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 230 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ethiopian_birr"^^xsd:anyURI ; + qudt:expression "\\(ETB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ethiopian_birr?oldid=493373507"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:EUR a qudt:CurrencyUnit ; + rdfs:label "Euro"@en ; + qudt:currencyCode "EUR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 978 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Euro"^^xsd:anyURI ; + qudt:expression "\\(EUR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Euro?oldid=495293446"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "€" ; + rdfs:isDefinedBy . + +cur:FJD a qudt:CurrencyUnit ; + rdfs:label "Fiji Dollar"@en ; + qudt:currencyCode "FJD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 242 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fijian_dollar"^^xsd:anyURI ; + qudt:expression "\\(FJD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fijian_dollar?oldid=494373740"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:FKP a qudt:CurrencyUnit ; + rdfs:label "Falkland Islands Pound"@en ; + qudt:currencyCode "FKP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 238 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Falkland_Islands_pound"^^xsd:anyURI ; + qudt:expression "\\(FKP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Falkland_Islands_pound?oldid=489513616"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GBP a qudt:CurrencyUnit ; + rdfs:label "Pound Sterling"@en ; + qudt:currencyCode "GBP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 826 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_sterling"^^xsd:anyURI ; + qudt:expression "\\(GBP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_sterling?oldid=495524329"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "£" ; + rdfs:isDefinedBy . + +cur:GEL a qudt:CurrencyUnit ; + rdfs:label "Lari"@en ; + qudt:currencyCode "GEL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 981 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lari"^^xsd:anyURI ; + qudt:expression "\\(GEL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lari?oldid=486808394"^^xsd:anyURI ; + qudt:symbol "₾" ; + rdfs:isDefinedBy . + +cur:GHS a qudt:CurrencyUnit ; + rdfs:label "Cedi"@en ; + qudt:currencyCode "GHS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 936 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ghanaian_cedi"^^xsd:anyURI ; + qudt:expression "\\(GHS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ghanaian_cedi?oldid=415914569"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GIP a qudt:CurrencyUnit ; + rdfs:label "Gibraltar pound"@en ; + qudt:currencyCode "GIP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 292 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gibraltar_pound"^^xsd:anyURI ; + qudt:expression "\\(GIP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gibraltar_pound?oldid=494842600"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GMD a qudt:CurrencyUnit ; + rdfs:label "Dalasi"@en ; + qudt:currencyCode "GMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 270 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gambian_dalasi"^^xsd:anyURI ; + qudt:expression "\\(GMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gambian_dalasi?oldid=489522429"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GNF a qudt:CurrencyUnit ; + rdfs:label "Guinea Franc"@en ; + qudt:currencyCode "GNF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 324 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guinean_franc"^^xsd:anyURI ; + qudt:expression "\\(GNF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guinean_franc?oldid=489527042"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GTQ a qudt:CurrencyUnit ; + rdfs:label "Quetzal"@en ; + qudt:currencyCode "GTQ" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 320 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quetzal"^^xsd:anyURI ; + qudt:expression "\\(GTQ\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quetzal?oldid=489813522"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:GYD a qudt:CurrencyUnit ; + rdfs:label "Guyana Dollar"@en ; + qudt:currencyCode "GYD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 328 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guyanese_dollar"^^xsd:anyURI ; + qudt:expression "\\(GYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guyanese_dollar?oldid=495070062"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:HKD a qudt:CurrencyUnit ; + rdfs:label "Hong Kong Dollar"@en ; + qudt:currencyCode "HKD" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 344 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hong_Kong_dollar"^^xsd:anyURI ; + qudt:expression "\\(HKD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hong_Kong_dollar?oldid=495133277"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:HNL a qudt:CurrencyUnit ; + rdfs:label "Lempira"@en ; + qudt:currencyCode "HNL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 340 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lempira"^^xsd:anyURI ; + qudt:expression "\\(HNL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lempira?oldid=389955747"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:HRK a qudt:CurrencyUnit ; + rdfs:label "Croatian Kuna"@en ; + qudt:currencyCode "HRK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 191 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Croatian_kuna"^^xsd:anyURI ; + qudt:expression "\\(HRK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Croatian_kuna?oldid=490959527"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:HTG a qudt:CurrencyUnit ; + rdfs:label "Haiti Gourde"@en ; + qudt:currencyCode "HTG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 332 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Haitian_gourde"^^xsd:anyURI ; + qudt:expression "\\(HTG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Haitian_gourde?oldid=486090975"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:HUF a qudt:CurrencyUnit ; + rdfs:label "Forint"@en ; + qudt:currencyCode "HUF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 348 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hungarian_forint"^^xsd:anyURI ; + qudt:expression "\\(HUF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hungarian_forint?oldid=492818607"^^xsd:anyURI ; + qudt:symbol "Ft" ; + rdfs:isDefinedBy . + +cur:IDR a qudt:CurrencyUnit ; + rdfs:label "Rupiah"@en ; + qudt:currencyCode "IDR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 360 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Indonesian_rupiah"^^xsd:anyURI ; + qudt:expression "\\(IDR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Indonesian_rupiah?oldid=489729458"^^xsd:anyURI ; + qudt:symbol "Rp" ; + rdfs:isDefinedBy . + +cur:ILS a qudt:CurrencyUnit ; + rdfs:label "New Israeli Shekel"@en ; + qudt:currencyCode "ILS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 376 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Israeli_new_sheqel"^^xsd:anyURI ; + qudt:expression "\\(ILS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Israeli_new_sheqel?oldid=316213924"^^xsd:anyURI ; + qudt:symbol "₪" ; + rdfs:isDefinedBy . + +cur:INR a qudt:CurrencyUnit ; + rdfs:label "Indian Rupee"@en ; + qudt:currencyCode "INR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 356 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Indian_rupee"^^xsd:anyURI ; + qudt:expression "\\(INR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Indian_rupee?oldid=495120167"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "₹" ; + rdfs:isDefinedBy . + +cur:IQD a qudt:CurrencyUnit ; + rdfs:label "Iraqi Dinar"@en ; + qudt:currencyCode "IQD" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 368 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Iraqi_dinar"^^xsd:anyURI ; + qudt:expression "\\(IQD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Iraqi_dinar?oldid=494793908"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:IRR a qudt:CurrencyUnit ; + rdfs:label "Iranian Rial"@en ; + qudt:currencyCode "IRR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 364 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Iranian_rial"^^xsd:anyURI ; + qudt:expression "\\(IRR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Iranian_rial?oldid=495299431"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ISK a qudt:CurrencyUnit ; + rdfs:label "Iceland Krona"@en ; + qudt:currencyCode "ISK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 352 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Icelandic_kr%C3%B3na"^^xsd:anyURI ; + qudt:expression "\\(ISK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Icelandic_króna?oldid=495457496"^^xsd:anyURI ; + qudt:symbol "kr" ; + rdfs:isDefinedBy . + +cur:JMD a qudt:CurrencyUnit ; + rdfs:label "Jamaican Dollar"@en ; + qudt:currencyCode "JMD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 388 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Jamaican_dollar"^^xsd:anyURI ; + qudt:expression "\\(JMD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Jamaican_dollar?oldid=494039981"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:JOD a qudt:CurrencyUnit ; + rdfs:label "Jordanian Dinar"@en ; + qudt:currencyCode "JOD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 400 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Jordanian_dinar"^^xsd:anyURI ; + qudt:expression "\\(JOD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Jordanian_dinar?oldid=495270728"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:JPY a qudt:CurrencyUnit ; + rdfs:label "Japanese yen"@en ; + qudt:currencyCode "JPY" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 392 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Japanese_yen"^^xsd:anyURI ; + qudt:expression "\\(JPY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Japanese_yen?oldid=493771966"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "¥" ; + rdfs:isDefinedBy . + +cur:KES a qudt:CurrencyUnit ; + rdfs:label "Kenyan Shilling"@en ; + qudt:currencyCode "KES" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 404 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kenyan_shilling"^^xsd:anyURI ; + qudt:expression "\\(KES\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kenyan_shilling?oldid=489547027"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KGS a qudt:CurrencyUnit ; + rdfs:label "Som"@en ; + qudt:currencyCode "KGS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 417 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Som"^^xsd:anyURI ; + qudt:expression "\\(KGS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Som?oldid=495411674"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KHR a qudt:CurrencyUnit ; + rdfs:label "Riel"@en ; + qudt:currencyCode "KHR" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 116 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Riel"^^xsd:anyURI ; + qudt:expression "\\(KHR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Riel?oldid=473309240"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KMF a qudt:CurrencyUnit ; + rdfs:label "Comoro Franc"@en ; + qudt:currencyCode "KMF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 174 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Comorian_franc"^^xsd:anyURI ; + qudt:expression "\\(KMF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Comorian_franc?oldid=489502162"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KPW a qudt:CurrencyUnit ; + rdfs:label "North Korean Won"@en ; + qudt:currencyCode "KPW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 408 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/North_Korean_won"^^xsd:anyURI ; + qudt:expression "\\(KPW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/North_Korean_won?oldid=495081686"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KRW a qudt:CurrencyUnit ; + rdfs:label "South Korean Won"@en ; + qudt:currencyCode "KRW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 410 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/South_Korean_won"^^xsd:anyURI ; + qudt:expression "\\(KRW\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/South_Korean_won?oldid=494404062"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "₩" ; + rdfs:isDefinedBy . + +cur:KWD a qudt:CurrencyUnit ; + rdfs:label "Kuwaiti Dinar"@en ; + qudt:currencyCode "KWD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 414 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kuwaiti_dinar"^^xsd:anyURI ; + qudt:expression "\\(KWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kuwaiti_dinar?oldid=489547428"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KYD a qudt:CurrencyUnit ; + rdfs:label "Cayman Islands Dollar"@en ; + qudt:currencyCode "KYD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 136 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cayman_Islands_dollar"^^xsd:anyURI ; + qudt:expression "\\(KYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cayman_Islands_dollar?oldid=494206112"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:KZT a qudt:CurrencyUnit ; + rdfs:label "Tenge"@en ; + qudt:currencyCode "KZT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 398 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kazakhstani_tenge"^^xsd:anyURI ; + qudt:expression "\\(KZT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kazakhstani_tenge?oldid=490523058"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LAK a qudt:CurrencyUnit ; + rdfs:label "Lao kip"@en ; + qudt:currencyCode "LAK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 418 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol " ₭" ; + rdfs:isDefinedBy . + +cur:LBP a qudt:CurrencyUnit ; + rdfs:label "Lebanese Pound"@en ; + qudt:currencyCode "LBP" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 422 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lebanese_pound"^^xsd:anyURI ; + qudt:expression "\\(LBP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lebanese_pound?oldid=495528740"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LKR a qudt:CurrencyUnit ; + rdfs:label "Sri Lanka Rupee"@en ; + qudt:currencyCode "LKR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 144 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sri_Lankan_rupee"^^xsd:anyURI ; + qudt:expression "\\(LKR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sri_Lankan_rupee?oldid=495359963"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LRD a qudt:CurrencyUnit ; + rdfs:label "Liberian Dollar"@en ; + qudt:currencyCode "LRD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 430 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Liberian_dollar"^^xsd:anyURI ; + qudt:expression "\\(LRD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Liberian_dollar?oldid=489549110"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LSL a qudt:CurrencyUnit ; + rdfs:label "Loti"@en ; + qudt:currencyCode "LSL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 426 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Loti"^^xsd:anyURI ; + qudt:expression "\\(LSL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Loti?oldid=384534708"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LTL a qudt:CurrencyUnit ; + rdfs:label "Lithuanian Litas"@en ; + qudt:currencyCode "LTL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 440 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lithuanian_litas"^^xsd:anyURI ; + qudt:expression "\\(LTL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lithuanian_litas?oldid=493046592"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LVL a qudt:CurrencyUnit ; + rdfs:label "Latvian Lats"@en ; + qudt:currencyCode "LVL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 428 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Latvian_lats"^^xsd:anyURI ; + qudt:expression "\\(LVL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Latvian_lats?oldid=492800402"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:LYD a qudt:CurrencyUnit ; + rdfs:label "Libyan Dinar"@en ; + qudt:currencyCode "LYD" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 434 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Libyan_dinar"^^xsd:anyURI ; + qudt:expression "\\(LYD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Libyan_dinar?oldid=491421981"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MAD a qudt:CurrencyUnit ; + rdfs:label "Moroccan Dirham"@en ; + qudt:currencyCode "MAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 504 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moroccan_dirham"^^xsd:anyURI ; + qudt:expression "\\(MAD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moroccan_dirham?oldid=490560557"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MDL a qudt:CurrencyUnit ; + rdfs:label "Moldovan Leu"@en ; + qudt:currencyCode "MDL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 498 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moldovan_leu"^^xsd:anyURI ; + qudt:expression "\\(MDL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moldovan_leu?oldid=490027766"^^xsd:anyURI ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +cur:MGA a qudt:CurrencyUnit ; + rdfs:label "Malagasy Ariary"@en ; + qudt:currencyCode "MGA" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 969 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Malagasy_ariary"^^xsd:anyURI ; + qudt:expression "\\(MGA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Malagasy_ariary?oldid=489551279"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MKD a qudt:CurrencyUnit ; + rdfs:label "Denar"@en ; + qudt:currencyCode "MKD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 807 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Macedonian_denar"^^xsd:anyURI ; + qudt:expression "\\(MKD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Macedonian_denar?oldid=489550202"^^xsd:anyURI ; + qudt:symbol "ден" ; + rdfs:isDefinedBy . + +cur:MMK a qudt:CurrencyUnit ; + rdfs:label "Kyat"@en ; + qudt:currencyCode "MMK" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 104 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Myanma_kyat"^^xsd:anyURI ; + qudt:expression "\\(MMK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Myanma_kyat?oldid=441109905"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MNT a qudt:CurrencyUnit ; + rdfs:label "Mongolian Tugrik"@en ; + qudt:currencyExponent 2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mongolian_t%C3%B6gr%C3%B6g"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mongolian_tögrög?oldid=495408271"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MOP a qudt:CurrencyUnit ; + rdfs:label "Pataca"@en ; + qudt:currencyCode "MOP" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 446 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pataca"^^xsd:anyURI ; + qudt:expression "\\(MOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pataca?oldid=482490442"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MRU a qudt:CurrencyUnit ; + rdfs:label "Ouguiya"@en ; + qudt:currencyCode "MRU" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 929 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritanian_ouguiya"^^xsd:anyURI ; + qudt:expression "\\(MRO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritanian_ouguiya?oldid=490027072"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MTL a qudt:CurrencyUnit ; + rdfs:label "Maltese Lira"@en ; + qudt:currencyCode "MTL" ; + qudt:currencyNumber 470 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maltese_lira"^^xsd:anyURI ; + qudt:expression "\\(MTL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maltese_lira?oldid=493810797"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MUR a qudt:CurrencyUnit ; + rdfs:label "Mauritius Rupee"@en ; + qudt:currencyCode "MUR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 480 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritian_rupee"^^xsd:anyURI ; + qudt:expression "\\(MUR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritian_rupee?oldid=487629200"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MVR a qudt:CurrencyUnit ; + rdfs:label "Rufiyaa"@en ; + qudt:currencyCode "MVR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 462 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maldivian_rufiyaa"^^xsd:anyURI ; + qudt:expression "\\(MVR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maldivian_rufiyaa?oldid=491578728"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MWK a qudt:CurrencyUnit ; + rdfs:label "Malawi Kwacha"@en ; + qudt:currencyCode "MWK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 454 ; + qudt:expression "\\(MWK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:MXN a qudt:CurrencyUnit ; + rdfs:label "Mexican Peso"@en ; + qudt:currencyCode "MXN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 484 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mexican_peso"^^xsd:anyURI ; + qudt:expression "\\(MXN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mexican_peso?oldid=494829813"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:MXV a qudt:CurrencyUnit ; + rdfs:label "Mexican Unidad de Inversion (UDI) (Funds code)"@en ; + qudt:currencyCode "MXV" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 979 ; + qudt:expression "\\(MXV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:MYR a qudt:CurrencyUnit ; + rdfs:label "Malaysian Ringgit"@en ; + qudt:currencyCode "MYR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 458 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Malaysian_ringgit"^^xsd:anyURI ; + qudt:expression "\\(MYR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Malaysian_ringgit?oldid=494417091"^^xsd:anyURI ; + qudt:symbol "RM" ; + rdfs:isDefinedBy . + +cur:MZN a qudt:CurrencyUnit ; + rdfs:label "Metical"@en ; + qudt:currencyCode "MZN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 943 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mozambican_metical"^^xsd:anyURI ; + qudt:expression "\\(MZN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mozambican_metical?oldid=488225670"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:MegaUSD a qudt:CurrencyUnit, + qudt:DerivedUnit ; + rdfs:label "Million US Dollars"@en ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:NAD a qudt:CurrencyUnit ; + rdfs:label "Namibian Dollar"@en ; + qudt:currencyCode "NAD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 516 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Namibian_dollar"^^xsd:anyURI ; + qudt:expression "\\(NAD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Namibian_dollar?oldid=495250023"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:NGN a qudt:CurrencyUnit ; + rdfs:label "Naira"@en ; + qudt:currencyCode "NGN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 566 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nigerian_naira"^^xsd:anyURI ; + qudt:expression "\\(NGN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nigerian_naira?oldid=493462003"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:NIO a qudt:CurrencyUnit ; + rdfs:label "Cordoba Oro"@en ; + qudt:currencyCode "NIO" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 558 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nicaraguan_c%C3%B3rdoba"^^xsd:anyURI ; + qudt:expression "\\(NIO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nicaraguan_córdoba?oldid=486140595"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:NOK a qudt:CurrencyUnit ; + rdfs:label "Norwegian Krone"@en ; + qudt:currencyCode "NOK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 578 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Norwegian_krone"^^xsd:anyURI ; + qudt:expression "\\(NOK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Norwegian_krone?oldid=495283934"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kr" ; + rdfs:isDefinedBy . + +cur:NPR a qudt:CurrencyUnit ; + rdfs:label "Nepalese Rupee"@en ; + qudt:currencyCode "NPR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 524 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nepalese_rupee"^^xsd:anyURI ; + qudt:expression "\\(NPR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nepalese_rupee?oldid=476894226"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:NZD a qudt:CurrencyUnit ; + rdfs:label "New Zealand Dollar"@en ; + qudt:currencyCode "NZD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 554 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/New_Zealand_dollar"^^xsd:anyURI ; + qudt:expression "\\(NZD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/New_Zealand_dollar?oldid=495487722"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:OMR a qudt:CurrencyUnit ; + rdfs:label "Rial Omani"@en ; + qudt:currencyCode "OMR" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 512 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Omani_rial"^^xsd:anyURI ; + qudt:expression "\\(OMR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Omani_rial?oldid=491748879"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:PAB a qudt:CurrencyUnit ; + rdfs:label "Balboa"@en ; + qudt:currencyCode "PAB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 590 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Balboa"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Balboa?oldid=482550791"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:PEN a qudt:CurrencyUnit ; + rdfs:label "Nuevo Sol"@en ; + qudt:currencyCode "PEN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 604 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Peruvian_nuevo_sol"^^xsd:anyURI ; + qudt:expression "\\(PEN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Peruvian_nuevo_sol?oldid=494237249"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:PGK a qudt:CurrencyUnit ; + rdfs:label "Kina"@en ; + qudt:currencyCode "PGK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 598 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kina"^^xsd:anyURI ; + qudt:expression "\\(PGK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kina?oldid=477155361"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:PHP a qudt:CurrencyUnit ; + rdfs:label "Philippine Peso"@en ; + qudt:currencyCode "PHP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 608 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Philippine_peso"^^xsd:anyURI ; + qudt:expression "\\(PHP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Philippine_peso?oldid=495411811"^^xsd:anyURI ; + qudt:symbol "₱" ; + rdfs:isDefinedBy . + +cur:PKR a qudt:CurrencyUnit ; + rdfs:label "Pakistan Rupee"@en ; + qudt:currencyCode "PKR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 586 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pakistani_rupee"^^xsd:anyURI ; + qudt:expression "\\(PKR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pakistani_rupee?oldid=494937873"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:PLN a qudt:CurrencyUnit ; + rdfs:label "Zloty"@en ; + qudt:currencyCode "PLN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 985 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Polish_z%C5%82oty"^^xsd:anyURI ; + qudt:expression "\\(PLN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Polish_złoty?oldid=492697733"^^xsd:anyURI ; + qudt:symbol "zł" ; + rdfs:isDefinedBy . + +cur:PYG a qudt:CurrencyUnit ; + rdfs:label "Guarani"@en ; + qudt:currencyCode "PYG" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 600 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Guaran%C3%AD"^^xsd:anyURI ; + qudt:expression "\\(PYG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Guaraní?oldid=412592698"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:QAR a qudt:CurrencyUnit ; + rdfs:label "Qatari Rial"@en ; + qudt:currencyCode "QAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 634 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Qatari_riyal"^^xsd:anyURI ; + qudt:expression "\\(QAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Qatari_riyal?oldid=491747452"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:RON a qudt:CurrencyUnit ; + rdfs:label "Romanian New Leu"@en ; + qudt:currencyCode "RON" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 946 ; + qudt:expression "\\(RON\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +cur:RSD a qudt:CurrencyUnit ; + rdfs:label "Serbian Dinar"@en ; + qudt:currencyCode "RSD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 941 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Serbian_dinar"^^xsd:anyURI ; + qudt:expression "\\(RSD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Serbian_dinar?oldid=495146650"^^xsd:anyURI ; + qudt:symbol "дин" ; + rdfs:isDefinedBy . + +cur:RUB a qudt:CurrencyUnit ; + rdfs:label "Russian Ruble"@en ; + qudt:currencyCode "RUB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 643 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Russian_ruble"^^xsd:anyURI ; + qudt:expression "\\(RUB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Russian_ruble?oldid=494336467"^^xsd:anyURI ; + qudt:symbol "₽" ; + rdfs:isDefinedBy . + +cur:RWF a qudt:CurrencyUnit ; + rdfs:label "Rwanda Franc"@en ; + qudt:currencyCode "RWF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 646 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rwandan_franc"^^xsd:anyURI ; + qudt:expression "\\(RWF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rwandan_franc?oldid=489727903"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SAR a qudt:CurrencyUnit ; + rdfs:label "Saudi Riyal"@en ; + qudt:currencyCode "SAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 682 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Saudi_riyal"^^xsd:anyURI ; + qudt:expression "\\(SAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Saudi_riyal?oldid=491092981"^^xsd:anyURI ; + qudt:symbol "﷼" ; + rdfs:isDefinedBy . + +cur:SBD a qudt:CurrencyUnit ; + rdfs:label "Solomon Islands Dollar"@en ; + qudt:currencyCode "SBD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 90 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solomon_Islands_dollar"^^xsd:anyURI ; + qudt:expression "\\(SBD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Solomon_Islands_dollar?oldid=490313285"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SCR a qudt:CurrencyUnit ; + rdfs:label "Seychelles Rupee"@en ; + qudt:currencyCode "SCR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 690 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Seychellois_rupee"^^xsd:anyURI ; + qudt:expression "\\(SCR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Seychellois_rupee?oldid=492242185"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SDG a qudt:CurrencyUnit ; + rdfs:label "Sudanese Pound"@en ; + qudt:currencyCode "SDG" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 938 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sudanese_pound"^^xsd:anyURI ; + qudt:expression "\\(SDG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sudanese_pound?oldid=495263707"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SEK a qudt:CurrencyUnit ; + rdfs:label "Swedish Krona"@en ; + qudt:currencyCode "SEK" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 752 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swedish_krona"^^xsd:anyURI ; + qudt:expression "\\(SEK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swedish_krona?oldid=492703602"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kr" ; + rdfs:isDefinedBy . + +cur:SGD a qudt:CurrencyUnit ; + rdfs:label "Singapore Dollar"@en ; + qudt:currencyCode "SGD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 702 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Singapore_dollar"^^xsd:anyURI ; + qudt:expression "\\(SGD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Singapore_dollar?oldid=492228311"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:SHP a qudt:CurrencyUnit ; + rdfs:label "Saint Helena Pound"@en ; + qudt:currencyCode "SHP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 654 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Saint_Helena_pound"^^xsd:anyURI ; + qudt:expression "\\(SHP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Saint_Helena_pound?oldid=490152057"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SKK a qudt:CurrencyUnit ; + rdfs:label "Slovak Koruna"@en ; + qudt:currencyCode "SKK" ; + qudt:currencyNumber 703 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Slovak_koruna"^^xsd:anyURI ; + qudt:expression "\\(SKK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Slovak_koruna?oldid=492625951"^^xsd:anyURI ; + qudt:symbol "Sk" ; + rdfs:isDefinedBy . + +cur:SLE a qudt:CurrencyUnit ; + rdfs:label "Leone"@en ; + qudt:currencyCode "SLE" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 925 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sierra_Leonean_leone"^^xsd:anyURI ; + qudt:expression "\\(SLL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sierra_Leonean_leone?oldid=493517965"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SOS a qudt:CurrencyUnit ; + rdfs:label "Somali Shilling"@en ; + qudt:currencyCode "SOS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 706 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Somali_shilling"^^xsd:anyURI ; + qudt:expression "\\(SOS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Somali_shilling?oldid=494434126"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SRD a qudt:CurrencyUnit ; + rdfs:label "Surinam Dollar"@en ; + qudt:currencyCode "SRD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 968 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Surinamese_dollar"^^xsd:anyURI ; + qudt:expression "\\(SRD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Surinamese_dollar?oldid=490316270"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:STN a qudt:CurrencyUnit ; + rdfs:label "Dobra"@en ; + qudt:currencyCode "STN" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 930 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dobra"^^xsd:anyURI ; + qudt:expression "\\(STD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dobra?oldid=475725328"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SYP a qudt:CurrencyUnit ; + rdfs:label "Syrian Pound"@en ; + qudt:currencyCode "SYP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 760 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Syrian_pound"^^xsd:anyURI ; + qudt:expression "\\(SYP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Syrian_pound?oldid=484294722"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:SZL a qudt:CurrencyUnit ; + rdfs:label "Lilangeni"@en ; + qudt:currencyCode "SZL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 748 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Swazi_lilangeni"^^xsd:anyURI ; + qudt:expression "\\(SZL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Swazi_lilangeni?oldid=490323340"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:THB a qudt:CurrencyUnit ; + rdfs:label "Baht"@en ; + qudt:currencyCode "THB" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 764 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thai_baht"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thai_baht?oldid=493286022"^^xsd:anyURI ; + qudt:symbol "฿" ; + rdfs:isDefinedBy . + +cur:TJS a qudt:CurrencyUnit ; + rdfs:label "Somoni"@en ; + qudt:currencyCode "TJS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 972 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tajikistani_somoni"^^xsd:anyURI ; + qudt:expression "\\(TJS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tajikistani_somoni?oldid=492500781"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:TMT a qudt:CurrencyUnit ; + rdfs:label "Manat"@en ; + qudt:currencyCode "TMT" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 934 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Manat"^^xsd:anyURI ; + qudt:expression "\\(TMM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Manat?oldid=486967490"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:TND a qudt:CurrencyUnit ; + rdfs:label "Tunisian Dinar"@en ; + qudt:currencyCode "TND" ; + qudt:currencyExponent 3 ; + qudt:currencyNumber 788 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tunisian_dinar"^^xsd:anyURI ; + qudt:expression "\\(TND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tunisian_dinar?oldid=491218035"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:TOP a qudt:CurrencyUnit ; + rdfs:label "Pa'anga"@en ; + qudt:currencyCode "TOP" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 776 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tongan_pa%CA%BBanga"^^xsd:anyURI ; + qudt:expression "\\(TOP\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tongan_paʻanga?oldid=482738012"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:TRY a qudt:CurrencyUnit ; + rdfs:label "New Turkish Lira"@en ; + qudt:currencyCode "TRY" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 949 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Turkish_lira"^^xsd:anyURI ; + qudt:expression "\\(TRY\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Turkish_lira?oldid=494097764"^^xsd:anyURI ; + qudt:symbol "₺" ; + rdfs:isDefinedBy . + +cur:TTD a qudt:CurrencyUnit ; + rdfs:label "Trinidad and Tobago Dollar"@en ; + qudt:currencyCode "TTD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 780 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Trinidad_and_Tobago_dollar"^^xsd:anyURI ; + qudt:expression "\\(TTD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Trinidad_and_Tobago_dollar?oldid=490325306"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:TWD a qudt:CurrencyUnit ; + rdfs:label "New Taiwan Dollar"@en ; + qudt:currencyCode "TWD" ; + qudt:currencyExponent 1 ; + qudt:currencyNumber 901 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/New_Taiwan_dollar"^^xsd:anyURI ; + qudt:expression "\\(TWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/New_Taiwan_dollar?oldid=493996933"^^xsd:anyURI ; + qudt:symbol "$" ; + rdfs:isDefinedBy . + +cur:TZS a qudt:CurrencyUnit ; + rdfs:label "Tanzanian Shilling"@en ; + qudt:currencyCode "TZS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 834 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tanzanian_shilling"^^xsd:anyURI ; + qudt:expression "\\(TZS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tanzanian_shilling?oldid=492257527"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:UAH a qudt:CurrencyUnit ; + rdfs:label "Hryvnia"@en ; + qudt:currencyCode "UAH" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 980 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ukrainian_hryvnia"^^xsd:anyURI ; + qudt:expression "\\(UAH\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ukrainian_hryvnia?oldid=493064633"^^xsd:anyURI ; + qudt:symbol "₴" ; + rdfs:isDefinedBy . + +cur:UGX a qudt:CurrencyUnit ; + rdfs:label "Uganda Shilling"@en ; + qudt:currencyCode "UGX" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 800 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ugandan_shilling"^^xsd:anyURI ; + qudt:expression "\\(UGX\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ugandan_shilling?oldid=495383966"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:USD a qudt:CurrencyUnit ; + rdfs:label "US Dollar"@en ; + qudt:currencyCode "USD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 840 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:symbol "$", + "US$" ; + rdfs:isDefinedBy . + +cur:USN a qudt:CurrencyUnit ; + rdfs:label "United States Dollar (next day) (funds code)"@en ; + qudt:currencyCode "USN" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 997 ; + qudt:expression "\\(USN\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:USS a qudt:CurrencyUnit ; + rdfs:label "United States Dollar (same day) (funds code)"@en ; + qudt:currencyCode "USS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 998 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:UYU a qudt:CurrencyUnit ; + rdfs:label "Peso Uruguayo"@en ; + qudt:currencyCode "UYU" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 858 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Uruguayan_peso"^^xsd:anyURI ; + qudt:expression "\\(UYU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Uruguayan_peso?oldid=487528781"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:UZS a qudt:CurrencyUnit ; + rdfs:label "Uzbekistan Som"@en ; + qudt:currencyCode "UZS" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 860 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Uzbekistani_som"^^xsd:anyURI ; + qudt:expression "\\(UZS\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Uzbekistani_som?oldid=490522228"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:VES a qudt:CurrencyUnit ; + rdfs:label "Venezuelan bolvar"@en ; + qudt:currencyCode "VES" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 928 ; + qudt:expression "\\(VEB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:VND a qudt:CurrencyUnit ; + rdfs:label "Vietnamese ??ng"@en ; + qudt:currencyCode "VND" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 704 ; + qudt:expression "\\(VND\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:VUV a qudt:CurrencyUnit ; + rdfs:label "Vatu"@en ; + qudt:currencyCode "VUV" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 548 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vanuatu_vatu"^^xsd:anyURI ; + qudt:expression "\\(VUV\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Vanuatu_vatu?oldid=494667103"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:WST a qudt:CurrencyUnit ; + rdfs:label "Samoan Tala"@en ; + qudt:currencyCode "WST" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 882 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Samoan_tala"^^xsd:anyURI ; + qudt:expression "\\(WST\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Samoan_tala?oldid=423898531"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:XAF a qudt:CurrencyUnit ; + rdfs:label "CFA Franc BEAC"@en ; + qudt:currencyCode "XAF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 950 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XAG a qudt:CurrencyUnit ; + rdfs:label "Silver (one Troy ounce)"@en ; + qudt:currencyCode "XAG" ; + qudt:currencyNumber 961 ; + qudt:expression "\\(XAG\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Ag}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +cur:XAU a qudt:CurrencyUnit ; + rdfs:label "Gold (one Troy ounce)"@en ; + qudt:currencyCode "XAU" ; + qudt:currencyNumber 959 ; + qudt:expression "\\(XAU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Au}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +cur:XBA a qudt:CurrencyUnit ; + rdfs:label "European Composite Unit (EURCO) (Bonds market unit)"@en ; + qudt:currencyCode "XBA" ; + qudt:currencyNumber 955 ; + qudt:expression "\\(XBA\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XBB a qudt:CurrencyUnit ; + rdfs:label "European Monetary Unit (E.M.U.-6) (Bonds market unit)"@en ; + qudt:currencyCode "XBB" ; + qudt:currencyNumber 956 ; + qudt:expression "\\(XBB\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XBC a qudt:CurrencyUnit ; + rdfs:label "European Unit of Account 9 (E.U.A.-9) (Bonds market unit)"@en ; + qudt:currencyCode "XBC" ; + qudt:currencyNumber 957 ; + qudt:expression "\\(XBC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XBD a qudt:CurrencyUnit ; + rdfs:label "European Unit of Account 17 (E.U.A.-17) (Bonds market unit)"@en ; + qudt:currencyCode "XBD" ; + qudt:currencyNumber 958 ; + qudt:expression "\\(XBD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XCD a qudt:CurrencyUnit ; + rdfs:label "East Caribbean Dollar"@en ; + qudt:currencyCode "XCD" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 951 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/East_Caribbean_dollar"^^xsd:anyURI ; + qudt:expression "\\(XCD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/East_Caribbean_dollar?oldid=493020176"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:XDR a qudt:CurrencyUnit ; + rdfs:label "Special Drawing Rights"@en ; + qudt:currencyCode "XDR" ; + qudt:currencyNumber 960 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Special_Drawing_Rights"^^xsd:anyURI ; + qudt:expression "\\(XDR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Special_Drawing_Rights?oldid=467224374"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:XFO a qudt:CurrencyUnit ; + rdfs:label "Gold franc (special settlement currency)"@en ; + qudt:currencyCode "XFO" ; + qudt:expression "\\(XFO\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XFU a qudt:CurrencyUnit ; + rdfs:label "UIC franc (special settlement currency)"@en ; + qudt:currencyCode "XFU" ; + qudt:expression "\\(XFU\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XOF a qudt:CurrencyUnit ; + rdfs:label "CFA Franc BCEAO"@en ; + qudt:currencyCode "XOF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 952 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XPD a qudt:CurrencyUnit ; + rdfs:label "Palladium (one Troy ounce)"@en ; + qudt:currencyCode "XPD" ; + qudt:currencyNumber 964 ; + qudt:expression "\\(XPD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Pd}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +cur:XPF a qudt:CurrencyUnit ; + rdfs:label "CFP franc"@en ; + qudt:currencyCode "XPF" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 953 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + rdfs:isDefinedBy . + +cur:XPT a qudt:CurrencyUnit ; + rdfs:label "Platinum (one Troy ounce)"@en ; + qudt:currencyCode "XPT" ; + qudt:currencyNumber 962 ; + qudt:expression "\\(XPT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:ucumCode "[oz_tr]{Pt}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +cur:YER a qudt:CurrencyUnit ; + rdfs:label "Yemeni Rial"@en ; + qudt:currencyCode "YER" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 886 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yemeni_rial"^^xsd:anyURI ; + qudt:expression "\\(YER\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yemeni_rial?oldid=494507603"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ZAR a qudt:CurrencyUnit ; + rdfs:label "South African Rand"@en ; + qudt:currencyCode "ZAR" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 710 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/South_African_rand"^^xsd:anyURI ; + qudt:expression "\\(ZAR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/South_African_rand?oldid=493780395"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "R" ; + rdfs:isDefinedBy . + +cur:ZMW a qudt:CurrencyUnit ; + rdfs:label "Zambian Kwacha"@en ; + qudt:currencyCode "ZMW" ; + qudt:currencyExponent 0 ; + qudt:currencyNumber 967 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zambian_kwacha"^^xsd:anyURI ; + qudt:expression "\\(ZMK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zambian_kwacha?oldid=490328608"^^xsd:anyURI ; + rdfs:isDefinedBy . + +cur:ZWL a qudt:CurrencyUnit ; + rdfs:label "Zimbabwe Dollar"@en ; + qudt:currencyCode "ZWL" ; + qudt:currencyExponent 2 ; + qudt:currencyNumber 932 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zimbabwean_dollar"^^xsd:anyURI ; + qudt:expression "\\(ZWD\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Currency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zimbabwean_dollar?oldid=491532675"^^xsd:anyURI ; + rdfs:isDefinedBy . + +qkdv:A-1E0L-3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L-3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A-1E1L-3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E1L-3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E-1L1I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L1I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthPerUnitElectricCurrent ; + qudt:latexDefinition "\\(L I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M1H1T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M1H1T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M1H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M2H0T-6D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M2H0T-6D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -6 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-4I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-4I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H2T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H2T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 2 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H2T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H2T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 2 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H0T-4D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T-4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(M T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M2H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M2H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M-1H0T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M-1H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H1T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H1T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M-1H1T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M-1H1T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T-4D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T-4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M0H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A1E0L-3I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L-3I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +prefix1:Exbi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Exbi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{6}\\), or \\(2^{60}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.529215e+17 ; + qudt:symbol "Ei" ; + rdfs:isDefinedBy . + +prefix1:Gibi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Gibi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{3}\\), or \\(2^{30}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.073742e+09 ; + qudt:symbol "Gi" ; + rdfs:isDefinedBy . + +prefix1:Mebi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Mebi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{2}\\), or \\(2^{20}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.048576e+06 ; + qudt:symbol "Mi" ; + rdfs:isDefinedBy . + +prefix1:Pebi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Pebi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{5}\\), or \\(2^{50}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.258999e+14 ; + qudt:symbol "Pi" ; + rdfs:isDefinedBy . + +prefix1:Quecto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Quecto"@en ; + dcterms:description "'quecto' is a decimal prefix for expressing a value with a scaling of \\(10^{-30}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quecto"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-30 ; + qudt:symbol "q" ; + qudt:ucumCode "q" ; + rdfs:isDefinedBy . + +prefix1:Quetta a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Quetta"@en ; + dcterms:description "'quetta' is a decimal prefix for expressing a value with a scaling of \\(10^{30}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quetta"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+30 ; + qudt:symbol "Q" ; + qudt:ucumCode "Q" ; + rdfs:isDefinedBy . + +prefix1:Ronna a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Ronna"@en ; + dcterms:description "'ronna' is a decimal prefix for expressing a value with a scaling of \\(10^{27}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ronna"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+27 ; + qudt:symbol "R" ; + qudt:ucumCode "R" ; + rdfs:isDefinedBy . + +prefix1:Ronto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Ronto"@en ; + dcterms:description "'ronto' is a decimal prefix for expressing a value with a scaling of \\(10^{-27}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ronto"^^xsd:anyURI ; + qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-27 ; + qudt:symbol "r" ; + qudt:ucumCode "r" ; + rdfs:isDefinedBy . + +prefix1:Tebi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Tebi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^4}\\), or \\(2^{40}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.099512e+12 ; + qudt:symbol "Ti" ; + rdfs:isDefinedBy . + +quantitykind:AbsoluteActivity a qudt:QuantityKind ; + rdfs:label "Absolute Activity"@en ; + dcterms:description "The \"Absolute Activity\" is the exponential of the ratio of the chemical potential to \\(RT\\) where \\(R\\) is the gas constant and \\(T\\) the thermodynamic temperature."^^qudt:LatexString ; + qudt:applicableUnit unit:BQ-SEC-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/A00019.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_B = e^{\\frac{\\mu_B}{RT}}\\), where \\(\\mu_B\\) is the chemical potential of substance \\(B\\), \\(R\\) is the molar gas constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_B\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseVolume . + +quantitykind:AbsoluteHumidity a qudt:QuantityKind ; + rdfs:label "Absolute Humidity"@en ; + dcterms:description "\"Absolute Humidity\" is an amount of water vapor, usually discussed per unit volume. Absolute humidity in air ranges from zero to roughly 30 grams per cubic meter when the air is saturated at \\(30 ^\\circ C\\). The absolute humidity changes as air temperature or pressure changes. This is very inconvenient for chemical engineering calculations, e.g. for clothes dryers, where temperature can vary considerably. As a result, absolute humidity is generally defined in chemical engineering as mass of water vapor per unit mass of dry air, also known as the mass mixing ratio, which is much more rigorous for heat and mass balance calculations. Mass of water per unit volume as in the equation above would then be defined as volumetric humidity. Because of the potential confusion."^^qudt:LatexString ; + qudt:applicableUnit unit:DEGREE_BALLING, + unit:DEGREE_BAUME, + unit:DEGREE_BAUME_US_HEAVY, + unit:DEGREE_BAUME_US_LIGHT, + unit:DEGREE_BRIX, + unit:DEGREE_OECHSLE, + unit:DEGREE_PLATO, + unit:DEGREE_TWADDELL, + unit:FemtoGM-PER-L, + unit:GM-PER-CentiM3, + unit:GM-PER-DeciL, + unit:GM-PER-DeciM3, + unit:GM-PER-L, + unit:GM-PER-M3, + unit:GM-PER-MilliL, + unit:GRAIN-PER-GAL, + unit:GRAIN-PER-GAL_US, + unit:GRAIN-PER-M3, + unit:KiloGM-PER-CentiM3, + unit:KiloGM-PER-DeciM3, + unit:KiloGM-PER-L, + unit:KiloGM-PER-M3, + unit:LB-PER-FT3, + unit:LB-PER-GAL, + unit:LB-PER-GAL_UK, + unit:LB-PER-GAL_US, + unit:LB-PER-IN3, + unit:LB-PER-M3, + unit:LB-PER-YD3, + unit:MegaGM-PER-M3, + unit:MicroGM-PER-DeciL, + unit:MicroGM-PER-L, + unit:MicroGM-PER-M3, + unit:MicroGM-PER-MilliL, + unit:MilliGM-PER-DeciL, + unit:MilliGM-PER-L, + unit:MilliGM-PER-M3, + unit:MilliGM-PER-MilliL, + unit:NanoGM-PER-DeciL, + unit:NanoGM-PER-L, + unit:NanoGM-PER-M3, + unit:NanoGM-PER-MicroL, + unit:NanoGM-PER-MilliL, + unit:OZ-PER-GAL, + unit:OZ-PER-GAL_UK, + unit:OZ-PER-GAL_US, + unit:OZ-PER-IN3, + unit:OZ-PER-YD3, + unit:PicoGM-PER-L, + unit:PicoGM-PER-MilliL, + unit:PlanckDensity, + unit:SLUG-PER-FT3, + unit:TONNE-PER-M3, + unit:TON_LONG-PER-YD3, + unit:TON_Metric-PER-M3, + unit:TON_SHORT-PER-YD3, + unit:TON_UK-PER-YD3, + unit:TON_US-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Humidity"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Humidity#Absolute_humidity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """\\(AH = \\frac{\\mathcal{M}_\\omega}{\\vee_{net}}\\), +where \\(\\mathcal{M}_\\omega\\) is the mass of water vapor per unit volume of total air and \\(\\vee_{net}\\) is water vapor mixture."""^^qudt:LatexString ; + qudt:symbol "AH" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:RelativeHumidity ; + skos:broader quantitykind:Density . + +quantitykind:Absorptance a qudt:QuantityKind ; + rdfs:label "Absorptance"@en ; + dcterms:description "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbance"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Absorptance"^^xsd:anyURI, + "https://www.researchgate.net/post/Absorptance_or_absorbance"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha = \\frac{\\Phi_a}{\\Phi_m}\\), where \\(\\Phi_a\\) is the absorbed radiant flux or the absorbed luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:AcceptorIonizationEnergy a qudt:QuantityKind ; + rdfs:label "Acceptor Ionization Energy"@en ; + dcterms:description "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor." ; + qudt:symbol "E_a" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:IonizationEnergy ; + skos:closeMatch quantitykind:DonorIonizationEnergy . + +quantitykind:Acidity a qudt:QuantityKind ; + rdfs:label "Acidity"@en ; + dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PH . + +quantitykind:ActivityCoefficient a qudt:QuantityKind ; + rdfs:label "Activity Coefficient"@en ; + dcterms:description "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. "^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(f_B = \\frac{\\lambda_B}{(\\lambda_B^*x_B)}\\), where \\(\\lambda_B\\) the absolute activity of substance \\(B\\), \\(\\lambda_B^*\\) is the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. " ; + qudt:symbol "f_B" ; + rdfs:isDefinedBy . + +quantitykind:AngularMomentumPerAngle a qudt:QuantityKind ; + rdfs:label "Angular Momentum per Angle"@en ; + qudt:applicableUnit unit:N-M-SEC-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:AreaAngle a qudt:QuantityKind ; + rdfs:label "Area Angle"@en ; + qudt:applicableUnit unit:M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:Asset a qudt:QuantityKind ; + rdfs:label "Asset"@en ; + dcterms:description "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)." ; + rdfs:isDefinedBy . + +quantitykind:AtomScatteringFactor a qudt:QuantityKind ; + rdfs:label "Atom Scattering Factor"@en ; + dcterms:description "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://reference.iucr.org/dictionary/Atomic_scattering_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(f = \\frac{E_a}{E_e}\\), where \\(E_a\\) is the radiation amplitude scattered by the atom and \\(E_e\\) is the radiation ampliture scattered by a single electron."^^qudt:LatexString ; + qudt:plainTextDescription "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom." ; + qudt:symbol "f" ; + rdfs:isDefinedBy . + +quantitykind:AtomicNumber a qudt:QuantityKind ; + rdfs:label "Atomic Number"@en ; + dcterms:description "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge."^^rdf:HTML ; + qudt:applicableUnit unit:Z ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Count . + +quantitykind:AverageLogarithmicEnergyDecrement a qudt:QuantityKind ; + rdfs:label "Average Logarithmic Energy Decrement"@en ; + dcterms:description "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://everything2.com/title/Average+logarithmic+energy+decrement+per+collision"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons." ; + rdfs:isDefinedBy . + +quantitykind:Basicity a qudt:QuantityKind ; + rdfs:label "Acidity"@en ; + dcterms:description "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Base_(chemistry)"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PH . + +quantitykind:BindingFraction a qudt:QuantityKind ; + rdfs:label "Binding Fraction"@en ; + dcterms:description "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/binding+fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(b = \\frac{B_r}{A}\\), where \\(B_r\\) is the relative mass defect and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number." ; + qudt:symbol "b" ; + rdfs:isDefinedBy . + +quantitykind:BioconcentrationFactor a qudt:QuantityKind ; + rdfs:label "Bioconcentration Factor"@en ; + dcterms:description "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:BiodegredationHalfLife a qudt:QuantityKind ; + rdfs:label "Biodegredation Half Life"@en ; + dcterms:description "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism."^^rdf:HTML ; + qudt:applicableUnit unit:DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:BodyMassIndex a qudt:QuantityKind ; + rdfs:label "Body Mass Index"@en ; + dcterms:description "\\(\\textit{Body Mass Index}\\), BMI, is an index of weight for height, calculated as: \\(BMI = \\frac{M_{body}}{H^2}\\), where \\(M_{body}\\) is body mass in kg, and \\(H\\) is height in metres. The BMI has been used as a guideline for defining whether a person is overweight because it minimizes the effect of height, but it does not take into consideration other important factors, such as age and body build. The BMI has also been used as an indicator of obesity on the assumption that the higher the index, the greater the level of body fat."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001.0001/acref-9780198631477-e-254"^^xsd:anyURI ; + qudt:symbol "BMI" ; + rdfs:isDefinedBy ; + skos:altLabel "BMI" . + +quantitykind:BurnRate a qudt:QuantityKind ; + rdfs:label "Burn Rate"@en ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:CenterOfGravity_X a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the X axis"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CenterOfGravity_Y a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the Y axis"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:CenterOfGravity_Z a qudt:QuantityKind ; + rdfs:label "Center of Gravity in the Z axis"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; + qudt:symbol "cg" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:ChargeNumber a qudt:QuantityKind ; + rdfs:label "Charge Number"@en ; + dcterms:description "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge." ; + qudt:symbol "z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:ChemicalAffinity a qudt:QuantityKind ; + rdfs:label "Chemical Affinity"@en ; + dcterms:description "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_affinity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = -\\sum \\nu_b\\mu_B\\), where \\(\\nu_b\\) is the stoichiometric number of substance \\(B\\) and \\(\\mu_B\\) is the chemical potential of substance \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition." ; + qudt:symbol "A" ; + rdfs:isDefinedBy . + +quantitykind:ChemicalPotential a qudt:QuantityKind ; + rdfs:label "جهد كيميائي"@ar, + "Chemický potenciál"@cs, + "chemisches Potential des Stoffs B"@de, + "chemical potential"@en, + "potencial químico"@es, + "پتانسیل شیمیایی"@fa, + "potential chimique"@fr, + "potenziale chimico"@it, + "化学ポテンシャル"@ja, + "Keupayaan kimia"@ms, + "Potencjał chemiczny"@pl, + "potencial químico"@pt, + "Potențial chimic"@ro, + "Химический потенциал"@ru, + "kimyasal potansiyel"@tr, + "化学势"@zh ; + dcterms:description "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL, + unit:KiloCAL-PER-MOL, + unit:KiloJ-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_B = (\\frac{\\partial G}{\\partial n_B})_{T,p,n_i}\\), where \\(G\\) is Gibbs energy, and \\(n_B\\) is the amount of substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MolarEnergy . + +quantitykind:Chromaticity a qudt:QuantityKind ; + rdfs:label "Chromaticity"@en ; + dcterms:description "Chromaticity is an objective specification of the quality of a color regardless of its luminance"^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Chromaticity"^^xsd:anyURI ; + qudt:plainTextDescription "Chromaticity is an objective specification of the quality of a color regardless of its luminance" ; + rdfs:isDefinedBy . + +quantitykind:Coercivity a qudt:QuantityKind ; + rdfs:label "Coercivity"@en ; + dcterms:description "\\(\\textit{Coercivity}\\), also referred to as \\(\\textit{Coercive Field Strength}\\), is the magnetic field strength to be applied to bring the magnetic flux density in a substance from its remaining magnetic flux density to zero. This is defined as the coercive field strength in a substance when either the magnetic flux density or the magnetic polarization and magnetization is brought from its value at magnetic saturation to zero by monotonic reduction of the applied magnetic field strength. The quantity which is brought to zero should be stated, and the appropriate symbol used: \\(H_{cB}\\), \\(H_{cJ}\\) or \\(H_{cM}\\) for the coercivity relating to the magnetic flux density, the magnetic polarization or the magnetization respectively, where \\(H_{cJ} = H_{cM}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-69"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:symbol "H_{c,B}" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H . + +quantitykind:CombinedNonEvaporativeHeatTransferCoefficient a qudt:QuantityKind ; + rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; + dcterms:description "\"Combined Non Evaporative Heat Transfer Coefficient\" is the "^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(h = h_r + h_c + h_k\\), where \\(h_r\\) is the linear radiative heat transfer coefficient, \\(h_c\\) is the convective heat transfer coefficient, and \\(h_k\\) is the conductive heat transfer coefficient."^^qudt:LatexString ; + qudt:plainTextDescription "\"Combined Non Evaporative Heat Transfer Coefficient\" is the " ; + qudt:symbol "h" ; + rdfs:isDefinedBy . + +quantitykind:Constringence a qudt:QuantityKind ; + rdfs:label "Constringence"@en ; + dcterms:description "In optics and lens design, constringence of a transparent material, also known as the Abbe number or the V-number, is an approximate measure of the material's dispersion (change of refractive index versus wavelength), with high values of V indicating low dispersion."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Abbe_number"^^xsd:anyURI ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + skos:altLabel "Abbe Number"@en, + "V-number"@en ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:CouplingFactor a qudt:QuantityKind ; + rdfs:label "coupling factor"@en, + "constante de acoplamiento"@es, + "constante de couplage"@fr, + "fattore di accoppiamento"@it, + "結合定数"@ja, + "stała sprzężenia"@pl, + "Constantă de cuplaj"@ro, + "Константа взаимодействия"@ru, + "Çiftlenim sabiti"@tr, + "耦合常數"@zh ; + dcterms:description "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=161-03-18"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "For inductive coupling between two inductive elements, \\(k = \\frac{\\left | L_{mn} \\right |}{\\sqrt{L_m L_n}}\\), where \\(L_m\\) and \\(L_n\\) are their self inductances, and \\(L_{mn}\\) is their mutual inductance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling." ; + qudt:symbol "k" ; + rdfs:isDefinedBy . + +quantitykind:CurrentLinkage a qudt:QuantityKind ; + rdfs:label "Current Linkage"@en ; + dcterms:description "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:expression "\\(current-linkage\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop." ; + rdfs:isDefinedBy . + +quantitykind:Debye-WallerFactor a qudt:QuantityKind ; + rdfs:label "Debye-Waller Factor"@en ; + dcterms:description "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye–Waller_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; + qudt:plainTextDescription "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations." ; + qudt:symbol "D, B" ; + rdfs:isDefinedBy . + +quantitykind:DebyeAngularWavenumber a qudt:QuantityKind ; + rdfs:label "Debye Angular Wavenumber"@en ; + dcterms:description "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid." ; + qudt:symbol "q_D" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseLength . + +quantitykind:DecayConstant a qudt:QuantityKind ; + rdfs:label "Decay Constant"@en ; + dcterms:description "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay."^^rdf:HTML ; + qudt:applicableUnit unit:KiloCi ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI, + "http://www.britannica.com/EBchecked/topic/154945/decay-constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "Relative variation \\(\\frac{dN}{N}\\) of the number \\(N\\) of atoms or nuclei in a system, due to spontaneous emission from these atoms or nuclei during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(\\lambda = -\\frac{1}{N}\\frac{dN}{dt}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseTime . + +quantitykind:DegreeOfDissociation a qudt:QuantityKind ; + rdfs:label "Degree of Dissociation"@en ; + dcterms:description "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dissociation_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated." ; + rdfs:isDefinedBy . + +quantitykind:DensityOfStates a qudt:QuantityKind ; + rdfs:label "Density of states"@en ; + dcterms:description "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume."^^rdf:HTML ; + qudt:applicableUnit unit:SEC-PER-RAD-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume." ; + qudt:symbol "g" ; + rdfs:isDefinedBy . + +quantitykind:DiastolicBloodPressure a qudt:QuantityKind ; + rdfs:label "Diastolic Blood Pressure"@en ; + dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; + qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SystolicBloodPressure ; + skos:broader quantitykind:Pressure . + +quantitykind:DiffusionCoefficient a qudt:QuantityKind ; + rdfs:label "Diffusionskoeffizient"@de, + "diffusion coefficient"@en, + "coeficiente de difusión"@es, + "coefficient de diffusion"@fr, + "coefficiente di diffusione"@it, + "coeficiente de difusão"@pt, + "difuzijski koeficient"@sl ; + dcterms:description "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B \\left \\langle \\nu_B \\right \\rangle = -D grad C_B\\), where \\(C_B\\) the local molecular concentration of substance \\(B\\) in the mixture and \\(\\left \\langle \\nu_B \\right \\rangle\\) is the local average velocity of the molecules of \\(B\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry." ; + qudt:symbol "D" ; + rdfs:isDefinedBy . + +quantitykind:Dissipance a qudt:QuantityKind ; + rdfs:label "Dissipance"@en ; + dcterms:description "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dissipation_factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta = \\frac{P_d}{P_i}\\), where \\(P_d\\) is the dissipated sound power, and \\(P_i\\) is the incident sound power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:DonorIonizationEnergy a qudt:QuantityKind ; + rdfs:label "Donor Ionization Energy"@en ; + dcterms:description "\"Donor Ionization Energy\" is the ionization energy of a donor."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Donor Ionization Energy\" is the ionization energy of a donor." ; + qudt:symbol "E_d" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:IonizationEnergy ; + skos:closeMatch quantitykind:AcceptorIonizationEnergy . + +quantitykind:DoseEquivalentQualityFactor a qudt:QuantityKind ; + rdfs:label "Dose Equivalent Quality Factor"@en ; + dcterms:description "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy . + +quantitykind:EffectiveMultiplicationFactor a qudt:QuantityKind ; + rdfs:label "Effective Multiplication Factor"@en ; + dcterms:description "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction#Effective_neutron_multiplication_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium." ; + qudt:symbol "k_{eff}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MultiplicationFactor ; + skos:closeMatch quantitykind:InfiniteMultiplicationFactor . + +quantitykind:EinsteinTransitionProbability a qudt:QuantityKind ; + rdfs:label "Einstein Transition Probability"@en ; + dcterms:description "Given two atomic states of energy \\(E_j\\) and \\(E_k\\). Let \\(E_j > E_k\\). Assume the atom is bathed in radiation of energy density \\(u(w)\\). Transitions between these states can take place in three different ways. Spontaneous, induced/stimulated emission, and induced absorption. \\(A_jk\\) represents the Einstein transition probability for spontaneous emission."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://electron6.phys.utk.edu/qm2/modules/m10/einstein.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\frac{-dN_j}{dt} = A_jkN_j\\), where \\(-dN_j\\) is the number of molecules spontaneously leaving the state j for the state k during a time interval of duration \\(dt\\), \\(N_j\\) is the number of molecules in the state j, and \\(E_j > E_k\\)."^^qudt:LatexString ; + qudt:symbol "A_jkN_j" ; + rdfs:isDefinedBy . + +quantitykind:ElectricChargeLinearDensity a qudt:QuantityKind ; + rdfs:label "Electric Charge Linear Density"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M ; + qudt:expression "\\(linear-charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_l = \\frac{dQ}{dl}\\), where \\(Q\\) is electric charge and \\(l\\) is length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString, + "\\(\\tau\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricChargeDensity . + +quantitykind:ElectricCurrentPerAngle a qudt:QuantityKind ; + rdfs:label "Electric Current per Angle"@en ; + qudt:applicableUnit unit:A-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricDisplacement a qudt:QuantityKind ; + rdfs:label "Electric Displacement"@en ; + dcterms:description "In a dielectric material the presence of an electric field E causes the bound charges in the material (atomic nuclei and their electrons) to slightly separate, inducing a local electric dipole moment. The Electric Displacement Field, \\(D\\), is a vector field that accounts for the effects of free charges within such dielectric materials. This describes also the charge density on an extended surface that could be causing the field."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2, + unit:C-PER-M2, + unit:C-PER-MilliM2, + unit:C_Ab-PER-CentiM2, + unit:C_Stat-PER-CentiM2, + unit:KiloC-PER-M2, + unit:MegaC-PER-M2, + unit:MicroC-PER-M2, + unit:MilliC-PER-M2 ; + qudt:exactMatch quantitykind:ElectricFluxDensity ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(E\\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; + qudt:symbol "D" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricChargePerArea . + +quantitykind:ElectricPolarizability a qudt:QuantityKind ; + rdfs:label "قابلية استقطاب"@ar, + "Polarizovatelnost"@cs, + "elektrische Polarisierbarkeit"@de, + "electric polarizability"@en, + "Polarizabilidad"@es, + "قطبیت پذیری الکتریکی"@fa, + "Polarisabilité"@fr, + "polarizzabilità elettrica"@it, + "分極率"@ja, + "Kepengkutuban elektrik"@ms, + "Polaryzowalność"@pl, + "polarizabilidade"@pt, + "Поляризуемость"@ru, + "Kutuplanabilirlik"@tr, + "極化性"@zh ; + dcterms:description "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Polarizability"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_{i,j} = \\frac{\\partial p_i}{\\partial E_j}\\), where \\(p_i\\) is the cartesian component along the \\(i-axis\\) of the electric dipole moment induced by the applied electric field strength acting on the molecule, and \\(E_j\\) is the component along the \\(j-axis\\) of this electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole." ; + rdfs:isDefinedBy . + +quantitykind:ElectricSusceptibility a qudt:QuantityKind ; + rdfs:label "المتأثرية الكهربائية، سرعة التأثر الكهربائية"@ar, + "elektrische Suszeptibilität"@de, + "electric susceptibility"@en, + "susceptibilidad eléctrica"@es, + "susceptibilité électrique"@fr, + "suscettività elettrica"@it, + "電気感受率"@ja, + "podatność elektryczna"@pl, + "susceptywność elektryczna"@pl, + "susceptibilidade eléctrica"@pt, + "диэлектрическая восприимчивость"@ru, + "электрическая восприимчивость"@ru ; + dcterms:description "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:expression "\\(e-susceptibility\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\chi = \\frac{P}{(\\epsilon_0 E)}\\), where \\(P\\) is electric polorization, \\(\\epsilon_0\\) is the electric constant, and \\(E\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFieldStrength, + quantitykind:ElectricPolarization . + +quantitykind:ElectrolyticConductivity a qudt:QuantityKind ; + rdfs:label "Electrolytic Conductivity"@en ; + dcterms:description "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity."^^rdf:HTML ; + qudt:applicableUnit unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Conductivity_(electrolytic)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = \\frac{J}{E}\\), where \\(J\\) is the electrolytic current density and \\(E\\) is the electric field strength."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity." ; + qudt:symbol "x" ; + rdfs:isDefinedBy . + +quantitykind:ElectromagneticPermeabilityRatio a qudt:QuantityKind ; + rdfs:label "Electromagnetic Permeability Ratio"@en ; + dcterms:description "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space."^^rdf:HTML ; + qudt:applicableUnit unit:PERMEABILITY_EM_REL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:plainTextDescription "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space." ; + qudt:qkdvDenominator qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E-2L1I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectromagneticWavePhaseSpeed a qudt:QuantityKind ; + rdfs:label "Electromagnetic Wave Phase Speed"@en ; + dcterms:description "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber."^^rdf:HTML ; + qudt:applicableUnit unit:M-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = w/k\\) where \\(w\\) is angular velocity and \\(k\\) is angular wavenumber."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber." ; + qudt:symbol "c" ; + rdfs:isDefinedBy . + +quantitykind:Emissivity a qudt:QuantityKind ; + rdfs:label "Emissivity"@en ; + dcterms:description "Emissivity of a material (usually written \\(\\varepsilon\\) or e) is the relative ability of its surface to emit energy by radiation."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Emissivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varepsilon = \\frac{M}{M_b}\\), where \\(M\\) is the radiant exitance of a thermal radiator and \\(M_b\\) is the radiant exitance of a blackbody at the same temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:EnergyDensityOfStates a qudt:QuantityKind ; + rdfs:label "Energy Density of States"@en ; + dcterms:description "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume."^^rdf:HTML ; + qudt:applicableUnit unit:PER-J-M3 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho(E) = n_E(E) = \\frac{dN(E)}{dE}\\frac{1}{V}\\), where \\(N(E)\\) is the total number of states with energy less than \\(E\\), and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume." ; + qudt:symbol "n_E" ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerMassAmountOfSubstance a qudt:QuantityKind ; + rdfs:label "Energy and work per mass amount of substance"@en ; + qudt:applicableUnit unit:BTU_IT-PER-LB-MOL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:Energy_Squared a qudt:QuantityKind ; + rdfs:label "Square Energy"@en ; + qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; + rdfs:isDefinedBy . + +quantitykind:EquilibriumConstantOnConcentrationBasis a qudt:QuantityKind ; + rdfs:label "Equilibrium Constant on Concentration Basis"@en ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_c = \\Pi_B(c_B)^{-\\nu_B}\\), for solutions"^^qudt:LatexString ; + qudt:latexSymbol "\\(K_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + rdfs:comment "The unit is unit:MOL-PER-M3 raised to the N where N is the summation of stoichiometric numbers. I don't know what to do with this." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EquilibriumConstant . + +quantitykind:EquilibriumConstantOnPressureBasis a qudt:QuantityKind ; + rdfs:label "Equilibrium Constant on Pressure Basis"@en ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K_p = \\Pi_B(p_B)^{-\\nu_B}\\), for gases"^^qudt:LatexString ; + qudt:latexSymbol "\\(K_p\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + qudt:qkdvDenominator qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L-2I0M1H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EquilibriumConstant . + +quantitykind:EvaporativeHeatTransferCoefficient a qudt:QuantityKind ; + rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; + dcterms:description "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area." ; + qudt:symbol "h_e" ; + rdfs:isDefinedBy . + +quantitykind:ExchangeIntegral a qudt:QuantityKind ; + rdfs:label "Exchange Integral"@en ; + dcterms:description "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exchange_interaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions." ; + qudt:symbol "K" ; + rdfs:isDefinedBy . + +quantitykind:FastFissionFactor a qudt:QuantityKind ; + rdfs:label "Fast Fission Factor"@en ; + dcterms:description "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only." ; + rdfs:isDefinedBy . + +quantitykind:FermiAngularWavenumber a qudt:QuantityKind ; + rdfs:label "Fermi Angular Wavenumber"@en ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heavy_fermion"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "k_F" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseLength . + +quantitykind:FishBiotransformationHalfLife a qudt:QuantityKind ; + rdfs:label "Fish Biotransformation Half Life"@en ; + dcterms:description "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions."^^rdf:HTML ; + qudt:applicableUnit unit:DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Time . + +quantitykind:ForceMagnitude a qudt:QuantityKind ; + rdfs:label "Force Magnitude"@en ; + dcterms:description "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://wiki.answers.com/Q/What_is_magnitude_of_force"^^xsd:anyURI ; + qudt:plainTextDescription "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts." ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:ForcePerElectricCharge a qudt:QuantityKind ; + rdfs:label "Force per Electric Charge"@en ; + dcterms:description "The electric field depicts the force exerted on other electrically charged objects by the electrically charged particle the field is surrounding. The electric field is a vector field with SI units of newtons per coulomb (\\(N C^{-1}\\)) or, equivalently, volts per metre (\\(V m^{-1}\\) ). The SI base units of the electric field are \\(kg m s^{-3} A^{-1}\\). The strength or magnitude of the field at a given point is defined as the force that would be exerted on a positive test charge of 1 coulomb placed at that point"^^qudt:LatexString ; + qudt:applicableUnit unit:N-PER-C ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:GFactorOfNucleus a qudt:QuantityKind ; + rdfs:label "g-Factor of Nucleus"@en ; + dcterms:description "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = \\frac{\\mu}{I\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(I\\) is the nuclear angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; + qudt:plainTextDescription "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei." ; + qudt:symbol "g" ; + rdfs:isDefinedBy . + +quantitykind:GapEnergy a qudt:QuantityKind ; + rdfs:label "Gap Energy"@en ; + dcterms:description "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Band_gap"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist." ; + qudt:symbol "E_g" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:GeneFamilyAbundance a qudt:QuantityKind ; + rdfs:label "Gene Family Abundance"@en ; + dcterms:description "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length."^^rdf:HTML ; + qudt:applicableUnit unit:RPK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://learn.gencore.bio.nyu.edu/"^^xsd:anyURI ; + qudt:plainTextDescription "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:GeneralizedCoordinate a qudt:QuantityKind ; + rdfs:label "Generalized Coordinate"@en ; + dcterms:description "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_i\\), where \\(q_i\\) is one of the coordinates that is used to describe the position of the system under consideration, and \\(N\\) is the lowest number of coordinates necessary to fully define the position of the system."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration." ; + qudt:symbol "q_i" ; + rdfs:isDefinedBy . + +quantitykind:GeneralizedForce a qudt:QuantityKind ; + rdfs:label "Generalized Force"@en ; + dcterms:description "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_forces"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\delta A = \\sum Q_i\\delta q_i\\), where \\(A\\) is work and \\(q_i\\) is a generalized coordinate."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates." ; + qudt:symbol "Q_i" ; + rdfs:isDefinedBy . + +quantitykind:GeneralizedMomentum a qudt:QuantityKind ; + rdfs:label "Generalized Force"@en ; + dcterms:description "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(p_i = \\frac{\\partial L}{\\partial \\dot{q_i}}\\), where \\(L\\) is the Langrange function and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum." ; + qudt:symbol "p_i" ; + rdfs:isDefinedBy . + +quantitykind:GeneralizedVelocity a qudt:QuantityKind ; + rdfs:label "Generalized Velocity"@en ; + dcterms:description "Generalized Velocities are the time derivatives of the generalized coordinates of the system."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{q_i} = \\frac{dq_i}{dt}\\), where \\(q_i\\) is the generalized coordinate and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{q_i}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Generalized Velocities are the time derivatives of the generalized coordinates of the system." ; + rdfs:isDefinedBy . + +quantitykind:Gravity_API a qudt:QuantityKind ; + rdfs:label "API Gravity"@en ; + dcterms:description """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. + +API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; + qudt:applicableUnit unit:DEGREE_API ; + qudt:baseSIUnitDimensions "\\(qkdv:A0E0L0I0M0H0T0D1\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/API_gravity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. + +API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; + qudt:qkdvDenominator qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L-3I0M1H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:GrowingDegreeDay_Cereal a qudt:QuantityKind ; + rdfs:label "Growing Degree Days (Cereals)" ; + dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C_GROWING_CEREAL-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:TimeTemperature . + +quantitykind:GruneisenParameter a qudt:QuantityKind ; + rdfs:label "Gruneisen Parameter"@en ; + dcterms:description "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grüneisen_parameter"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\frac{\\alpha_V}{x_T c_V\\rho}\\), where \\(\\alpha_V\\) is the cubic expansion coefficient, \\(x_T\\) is isothermal compressibility, \\(c_V\\) is specific heat capacity at constant volume, and \\(\\rho\\) is mass density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice." ; + rdfs:isDefinedBy . + +quantitykind:HallCoefficient a qudt:QuantityKind ; + rdfs:label "Hall Coefficient"@en ; + dcterms:description "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field."^^rdf:HTML ; + qudt:applicableUnit unit:M3-PER-C ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hall_effect"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "In an isotropic conductor, the relation between electric field strength, \\(E\\), and electric current density, \\(J\\) is \\(E = \\rho J + R_H(B X J)\\), where \\(\\rho\\) is resistivity, and \\(B\\) is magnetic flux density."^^qudt:LatexString ; + qudt:plainTextDescription "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field." ; + qudt:symbol "R_H, A_H" ; + rdfs:isDefinedBy . + +quantitykind:HamiltonFunction a qudt:QuantityKind ; + rdfs:label "Hamilton Function"@en ; + dcterms:description "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hamilton–Jacobi_equation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = \\sum p_i\\dot{q_i} - L\\), where \\(p_i\\) is a generalized momentum, \\(\\dot{q_i}\\) is a generalized velocity, and \\(L\\) is the Lagrange function."^^qudt:LatexString ; + qudt:plainTextDescription "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations." ; + qudt:symbol "H" ; + rdfs:isDefinedBy . + +quantitykind:HeadEndPressure a qudt:QuantityKind ; + rdfs:label "Head End Pressure"@en ; + qudt:abbreviation "HEP" ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +quantitykind:HeartRate a qudt:QuantityKind ; + rdfs:label "Heart Rate"@en ; + dcterms:description "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates."^^rdf:HTML ; + qudt:applicableUnit unit:BEAT-PER-MIN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Heart_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://www.medterms.com/script/main/art.asp?articlekey=3674"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/oi/authority.20110803100354463"^^xsd:anyURI ; + qudt:plainTextDescription "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates." ; + rdfs:isDefinedBy . + +quantitykind:HenrysLawVolatilityConstant a qudt:QuantityKind ; + rdfs:label "Henry's Law Volatility Constant"@en ; + dcterms:description "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration."^^rdf:HTML ; + qudt:applicableUnit unit:ATM-M3-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:plainTextDescription "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration." ; + rdfs:isDefinedBy . + +quantitykind:HyperfineStructureQuantumNumber a qudt:QuantityKind ; + rdfs:label "Hyperfine Structure Quantum Number"@en ; + dcterms:description "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hyperfine_structure"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons." ; + qudt:symbol "F" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber . + +quantitykind:IncidenceProportion a qudt:QuantityKind ; + rdfs:label "Incidence Proportion"@en ; + dcterms:description "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Cumulative_incidence"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:IncidenceRate ; + skos:broader quantitykind:Incidence . + +quantitykind:IncidenceRate a qudt:QuantityKind ; + rdfs:label "Incidence Rate"@en ; + dcterms:description "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)"^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:IncidenceProportion ; + skos:broader quantitykind:Incidence . + +quantitykind:InfiniteMultiplicationFactor a qudt:QuantityKind ; + rdfs:label "Infinite Multiplication Factor"@en ; + dcterms:description "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(k_\\infty\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MultiplicationFactor ; + skos:closeMatch quantitykind:EffectiveMultiplicationFactor . + +quantitykind:InternalConversionFactor a qudt:QuantityKind ; + rdfs:label "InternalConversionFactor"@en ; + dcterms:description "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_conversion_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition." ; + qudt:symbol "a" ; + rdfs:isDefinedBy . + +quantitykind:InverseSquareTime a qudt:QuantityKind ; + rdfs:label "Inverse Square Time"@en ; + dcterms:isReplacedBy quantitykind:InverseTime_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseTemperature a qudt:QuantityKind ; + rdfs:label "Inverse Temperature"@en ; + qudt:applicableUnit unit:PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseTime_Squared a qudt:QuantityKind ; + rdfs:label "Inverse Square Time"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:IonConcentration a qudt:QuantityKind ; + rdfs:label "Ion Concentration"@en ; + dcterms:description "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density."^^rdf:HTML ; + qudt:exactMatch quantitykind:IonDensity ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:plainTextDescription "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density." ; + rdfs:isDefinedBy . + +quantitykind:IonDensity a qudt:QuantityKind ; + rdfs:label "Ion Density"@en ; + dcterms:description "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:exactMatch quantitykind:IonConcentration ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.answers.com/topic/ion-density"^^xsd:anyURI ; + qudt:latexDefinition """\\(n^+ = \\frac{N^+}{V}\\), \\(n^- = \\frac{N^-}{V}\\) + +where \\(N^+\\) and \\(N^-\\) are the number of positive and negative ions, respectively, in a 3D domain with volume \\(V\\)."""^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration." ; + qudt:symbol "N, n^+, n^-" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:NumberDensity . + +quantitykind:IonTransportNumber a qudt:QuantityKind ; + rdfs:label "Ion Transport Number"@en ; + dcterms:description "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ion_transport_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(t_B = \\frac{i_B}{i}\\), where \\(i_B\\) is the electric current carried by the ion \\(B\\) and \\(i\\) is the total electric current."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility." ; + qudt:symbol "t_B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:Kerma a qudt:QuantityKind ; + rdfs:label "Kerma"@en ; + dcterms:description "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample."^^rdf:HTML ; + qudt:applicableUnit unit:GRAY ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kerma_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For indirectly ionizing (uncharged) particles, \\(K= \\frac{dE_{tr}}{dm}\\), where \\(dE_{tr}\\) is the mean sum of the initial kinetic energies of all the charged ionizing particles liberated by uncharged ionizing particles in an element of matter, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample." ; + qudt:symbol "K" ; + rdfs:isDefinedBy . + +quantitykind:KermaRate a qudt:QuantityKind ; + rdfs:label "Kerma Rate"@en ; + dcterms:description "\"Kerma Rate\" is the kerma per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:GRAY-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{K} = \\frac{dK}{dt}\\), where \\(K\\) is the increment of kerma during time interval with duration \\(t\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{K}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Kerma Rate\" is the kerma per unit time." ; + rdfs:isDefinedBy . + +quantitykind:LagrangeFunction a qudt:QuantityKind ; + rdfs:label "Lagrange Function"@en ; + dcterms:description "The Lagrange Function is a function that summarizes the dynamics of the system."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lagrangian"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-03-76"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(L(q_i, \\dot{q_i}) = T(q_i, \\dot{q_i}) - V(q_i)\\), where \\(T\\) is kinetic energy, \\(V\\) is potential energy, \\(q_i\\) is a generalized coordinate, and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; + qudt:plainTextDescription "The Lagrange Function is a function that summarizes the dynamics of the system." ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +quantitykind:Landau-GinzburgNumber a qudt:QuantityKind ; + rdfs:label "Landau-Ginzburg Number"@en ; + dcterms:description "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ginzburg–Landau_theory"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "At zero thermodynamic temperature \\(\\kappa = \\frac{\\lambda_L}{(\\varepsilon\\sqrt{2})}\\), where \\(\\lambda_L\\) is London penetration depth and \\(\\varepsilon\\) is coherence length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LandeGFactor a qudt:QuantityKind ; + rdfs:label "Lande g-Factor"@en ; + dcterms:description "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/G-factor_(physics)"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = \\frac{\\mu}{J\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(J\\) is the total angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921." ; + qudt:symbol "g" ; + rdfs:isDefinedBy . + +quantitykind:LatticeVector a qudt:QuantityKind ; + rdfs:label "Lattice Vector"@en ; + dcterms:description "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:LeakageFactor a qudt:QuantityKind ; + rdfs:label "Leakage Factor"@en ; + dcterms:description "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(leakage-factor\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=221-04-12"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = 1 - k^2\\), where \\(k\\) is the coupling factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit." ; + rdfs:isDefinedBy . + +quantitykind:LengthPerUnitElectricCurrent a qudt:QuantityKind ; + rdfs:label "Length per Unit Electric Current"@en ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:LengthPercentage a qudt:QuantityKind ; + rdfs:label "Length Percentage"@en ; + dcterms:isReplacedBy quantitykind:LengthRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LengthRatio a qudt:QuantityKind ; + rdfs:label "Length Ratio"@en ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LengthTemperatureTime a qudt:QuantityKind ; + rdfs:label "Length Temperature Time"@en ; + qudt:applicableUnit unit:CentiM-SEC-DEG_C ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; + rdfs:isDefinedBy . + +quantitykind:Lethargy a qudt:QuantityKind ; + rdfs:label "Lethargy"@en ; + dcterms:description "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.scribd.com/doc/51548050/149/Lethargy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = \\ln(\\frac{E_0}{E})\\), where \\(E_0\\) is a reference energy."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision." ; + qudt:symbol "u" ; + rdfs:isDefinedBy . + +quantitykind:LevelWidth a qudt:QuantityKind ; + rdfs:label "Level Width"@en ; + dcterms:description "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus."^^rdf:HTML ; + qudt:applicableUnit unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Level+Width"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Gamma = \\frac{\\hbar}{\\tau}\\), where \\(\\hbar\\) is the reduced Planck constant and \\(\\tau\\) is the mean lifetime."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus." ; + rdfs:isDefinedBy . + +quantitykind:LinearCompressibility a qudt:QuantityKind ; + rdfs:label "Linear Compressibility"@en ; + dcterms:description "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change."^^rdf:HTML ; + qudt:applicableUnit unit:MicroM-PER-N ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:plainTextDescription "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change." ; + rdfs:isDefinedBy . + +quantitykind:LinearElectricCurrent a qudt:QuantityKind ; + rdfs:label "Linear Electric Current"@en ; + dcterms:description "\"Linear Electric Linear Current\" is the electric current per unit line."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM, + unit:A-PER-M, + unit:A-PER-MilliM, + unit:KiloA-PER-M, + unit:MilliA-PER-IN, + unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI ; + qudt:plainTextDescription "\"Linear Electric Linear Current\" is the electric current per unit line." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:LinearElectricCurrentDensity . + +quantitykind:LinearStrain a qudt:QuantityKind ; + rdfs:label "Linear Strain"@en ; + dcterms:description "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:exactMatch quantitykind:Strain ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\xi = \\frac{\\Delta l}{l_0}\\), where \\(\\Delta l\\) is the increase in length and \\(l_0\\) is the length in a reference state to be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Strain . + +quantitykind:LogOctanolAirPartitionCoefficient a qudt:QuantityKind ; + rdfs:label "Octanol Air Partition Coefficient"@en ; + dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LogOctanolWaterPartitionCoefficient a qudt:QuantityKind ; + rdfs:label "Logarithm of Octanol Water Partition Coefficient"@en ; + dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LogarithmicFrequencyInterval a qudt:QuantityKind ; + rdfs:label "Interval měření frekvence ?"@cs, + "Frequenzmaßintervall"@de, + "logarithmic frequency interval"@en, + "فاصله فرکانس لگاریتمی"@fa, + "intervalle de fréquence logarithmique"@fr, + "intervallo logaritmico di frequenza"@it, + "Selang kekerapan logaritma"@ms, + "intervalo logarítmico de frequência"@pt, + "частотный интервал"@ru, + "logaritmik frekans aralığı"@tr, + "对数频率间隔"@zh ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexDefinition "\\(G = \\log_{2}(f2/f1)\\), where \\(f1\\) and \\(f2 \\geq f1\\) are frequencies of two tones."^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:Long-RangeOrderParameter a qudt:QuantityKind ; + rdfs:label "Long-Range Order Parameter"@en ; + dcterms:description "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; + qudt:symbol "R, s" ; + rdfs:isDefinedBy . + +quantitykind:LorenzCoefficient a qudt:QuantityKind ; + rdfs:label "Lorenz Coefficient"@en ; + dcterms:description "\"Lorenz Coefficient\" is part mof the Lorenz curve."^^rdf:HTML ; + qudt:applicableUnit unit:V2-PER-K2 ; + qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{\\lambda}{\\sigma T}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\sigma\\) is electric conductivity, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "\"Lorenz Coefficient\" is part mof the Lorenz curve." ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +quantitykind:LossFactor a qudt:QuantityKind ; + rdfs:label "Loss Factor"@en ; + dcterms:description "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\frac{1}{Q}\\), where \\(Q\\) is quality factor."^^qudt:LatexString ; + qudt:plainTextDescription "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"." ; + qudt:symbol "d" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:QualityFactor, + quantitykind:Reactance, + quantitykind:Resistance . + +quantitykind:LowerCriticalMagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "Lower Critical Magnetic Flux Density"@en ; + dcterms:description "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS, + unit:Gamma, + unit:Gs, + unit:KiloGAUSS, + unit:MicroT, + unit:MilliT, + unit:NanoT, + unit:T, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor." ; + qudt:symbol "B_{c1}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MagneticFluxDensity ; + skos:closeMatch quantitykind:UpperCriticalMagneticFluxDensity . + +quantitykind:LuminousEfficacy a qudt:QuantityKind ; + rdfs:label "Luminous Efficacy"@en ; + dcterms:description "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source."^^rdf:HTML ; + qudt:applicableUnit unit:LM-PER-W ; + qudt:expression "\\(lm/w\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; + qudt:latexDefinition "\\(K = \\frac{\\Phi_v}{\\Phi}\\), where \\(\\Phi_v\\) is the luminous flux and \\(\\Phi\\) is the corresponding radiant flux."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source." ; + rdfs:isDefinedBy . + +quantitykind:LuminousExposure a qudt:QuantityKind ; + rdfs:label "Luminous Exposure"@en ; + dcterms:description "Luminous Exposure is the time-integrated illuminance."^^rdf:HTML ; + qudt:applicableUnit unit:LUX-HR ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Exposure_(photography)#Photometric_and_radiometric_exposure"^^xsd:anyURI ; + qudt:plainTextDescription "Luminous Exposure is the time-integrated illuminance." ; + qudt:symbol "H_v", + "Hv" ; + rdfs:isDefinedBy . + +quantitykind:LuminousFlux a qudt:QuantityKind ; + rdfs:label "التدفق الضوئي"@ar, + "Светлинен поток"@bg, + "Světelný tok"@cs, + "Lichtstrom"@de, + "luminous flux"@en, + "flujo luminoso"@es, + "شار نوری"@fa, + "flux lumineux"@fr, + "שטף הארה"@he, + "प्रकाशीय बहाव"@hi, + "fényáram"@hu, + "flusso luminoso"@it, + "光束"@ja, + "fluctús lucis"@la, + "Fluks berluminositi"@ms, + "strumień świetlny"@pl, + "fluxo luminoso"@pt, + "flux luminos"@ro, + "Световой поток"@ru, + "svetlobni tok"@sl, + "işık akısı"@tr, + "光通量"@zh ; + dcterms:description "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light."^^rdf:HTML ; + qudt:applicableUnit unit:LM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_flux"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi_v = K_m \\int_{0}^{\\infty}{\\Phi_\\lambda(\\lambda)}{V(\\lambda)d\\lambda}\\), where \\(K_m\\) is the maximum spectral luminous efficacy, \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux, \\(V(\\lambda)\\) is the spectral luminous efficiency, and \\(\\lambda\\) is the wavelength."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light." ; + qudt:symbol "F" ; + rdfs:isDefinedBy . + +quantitykind:LuminousFluxRatio a qudt:QuantityKind ; + rdfs:label "Luminous Flux Ratio"@en ; + dcterms:description "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:plainTextDescription "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:LuminousIntensityDistribution a qudt:QuantityKind ; + rdfs:label "Ion Concentration"@en ; + dcterms:description "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)."^^rdf:HTML ; + qudt:applicableUnit unit:CD-PER-LM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcluminousintensitydistributionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)." ; + rdfs:isDefinedBy . + +quantitykind:MachNumber a qudt:QuantityKind ; + rdfs:label "عدد ماخ"@ar, + "Machovo číslo"@cs, + "Mach-Zahl"@de, + "Mach number"@en, + "número de Mach"@es, + "عدد ماخ"@fa, + "nombre de Mach"@fr, + "मैक संख्या"@hi, + "numero di Mach"@it, + "マッハ数n"@ja, + "Nombor Mach"@ms, + "liczba Macha"@pl, + "número de Mach"@pt, + "număr Mach"@ro, + "число Маха"@ru, + "Machovo število"@sl, + "Mach sayısı"@tr, + "马赫"@zh ; + dcterms:description "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number."^^rdf:HTML ; + qudt:applicableUnit unit:MACH ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mach_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mach_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:latexDefinition "\\(Ma = \\frac{v_o}{c_o}\\), where \\(v_0\\) is speed, and \\(c_o\\) is speed of sound."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:plainTextDescription "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "Ma" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio ; + skos:closeMatch . + +quantitykind:MadelungConstant a qudt:QuantityKind ; + rdfs:label "ثابت مادلونك"@ar, + "Madelung-Konstante"@de, + "Madelung constant"@en, + "Constante de Madelung"@es, + "ثابت مادلونگ"@fa, + "Constante de Madelung"@fr, + "Costante di Madelung"@it, + "マーデルングエネルギー"@ja, + "Stała Madelunga"@pl, + "constante de Madelung"@pt, + "постоянная Маделунга"@ru, + "馬德隆常數"@zh ; + dcterms:description "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Madelung_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "For a uni-univalent ionic crystal of specified structure, the binding energy \\(V_b\\) per pair of ions is \\(V_b = \\alpha\\frac{e^2}{4\\pi \\varepsilon_0 a}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a\\) is the lattice constant which should be specified."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist." ; + rdfs:isDefinedBy . + +quantitykind:MagneticSusceptability a qudt:QuantityKind ; + rdfs:label "Magnetic Susceptability"@en ; + dcterms:description "\"Magnetic Susceptability\" is a scalar or tensor quantity the product of which by the magnetic constant \\(\\mu_0\\) and by the magnetic field strength \\(H\\) is equal to the magnetic polarization \\(J\\). The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(\\kappa = \\frac{M}{H}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-37"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\kappa = \\frac{M}{H}\\), where \\(M\\) is magnetization, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso constant:MagneticConstant, + quantitykind:MagneticFieldStrength_H, + quantitykind:Magnetization . + +quantitykind:MassAbsorptionCoefficient a qudt:QuantityKind ; + rdfs:label "Mass Absorption Coefficient"@en ; + dcterms:description "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/mass+absorption+coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_m = \\frac{a}{\\rho}\\), where \\(a\\) is the linear absorption coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; + qudt:latexSymbol "\\(a_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber." ; + rdfs:isDefinedBy . + +quantitykind:MassAmountOfSubstanceTemperature a qudt:QuantityKind ; + rdfs:label "Mass Amount of Substance Temperature"@en ; + qudt:applicableUnit unit:LB-MOL-DEG_F ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:MassConcentrationOfWater a qudt:QuantityKind ; + rdfs:label "Mass Concentration of Water"@en ; + dcterms:description "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water, irrespective of the form of aggregation, and \\(V\\) is volume. Mass concentration of water at saturation is denoted \\(w_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w" ; + rdfs:isDefinedBy . + +quantitykind:MassConcentrationOfWaterVapour a qudt:QuantityKind ; + rdfs:label "Mass Concentration of Water Vapour"@en ; + dcterms:description "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water vapour and \\(V\\) is total gas volume. Mass concentration of water vapour at saturation is denoted \\(v_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "v" ; + rdfs:isDefinedBy . + +quantitykind:MassDefect a qudt:QuantityKind ; + rdfs:label "Mass Defect"@en ; + dcterms:description "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei."^^rdf:HTML ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = Zm(^{1}\\textrm{H}) + Nm_n - m_a\\), where \\(Z\\) is the proton number of the atom, \\(m(^{1}\\textrm{H})\\) is atomic mass of \\(^{1}\\textrm{H}\\), \\(N\\) is the neutron number, \\(m_n\\) is the rest mass of the neutron, and \\(m_a\\) is the rest mass of the atom."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei." ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MassEnergyTransferCoefficient a qudt:QuantityKind ; + rdfs:label "Mass Energy Transfer Coefficient"@en ; + dcterms:description "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://physics.nist.gov/PhysRefData/XrayMassCoef/chap3.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\frac{\\mu_{tr}}{\\rho} = -\\frac{1}{\\rho}\\frac{1}{R}\\frac{dR_{tr}}{dl}\\), where \\(dR_{tr}\\) is the mean energy that is transferred to kinetic energy of charged particles by interactions of the incident radiation \\(R\\) in traversing a distance \\(dl\\) in the material of density \\(\\rho\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\frac{\\mu_{tr}}{\\rho}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles." ; + rdfs:isDefinedBy . + +quantitykind:MassFraction a qudt:QuantityKind ; + rdfs:label "Mass Fraction"@en ; + dcterms:description "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_fraction_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_B = \\frac{m_B}{m}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(m\\) is the total."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ." ; + qudt:symbol "w_B" ; + rdfs:isDefinedBy . + +quantitykind:MassNumber a qudt:QuantityKind ; + rdfs:label "Mass Number"@en ; + dcterms:description "The \"Mass Number\" (A), also called atomic mass number or nucleon number, is the total number of protons and neutrons (together known as nucleons) in an atomic nucleus. Nuclides with the same value of \\(A\\) are called isobars."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number."^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Count . + +quantitykind:MassRatioOfWaterToDryMatter a qudt:QuantityKind ; + rdfs:label "Mass Concentration of Water To Dry Matter"@en ; + dcterms:description "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry matter. Mass ratio of water to dry matter at saturation is denoted \\(u_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; + qudt:symbol "u" ; + rdfs:isDefinedBy . + +quantitykind:MassRatioOfWaterVapourToDryGas a qudt:QuantityKind ; + rdfs:label "Mass Ratio of Water Vapour to Dry Gas"@en ; + dcterms:description "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry gas. Mass ratio of water vapour to dry gas at saturation is denoted \\(x_{sat}\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; + qudt:symbol "x" ; + rdfs:isDefinedBy . + +quantitykind:MassicActivity a qudt:QuantityKind ; + rdfs:label "Massic Activity"@en ; + dcterms:description "\"Massic Activity\" is the activity divided by the total mass of the sample."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/massic%20activity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Massic Activity\" is the activity divided by the total mass of the sample." ; + qudt:symbol "a" ; + rdfs:isDefinedBy . + +quantitykind:MaxOperatingThrust a qudt:QuantityKind ; + rdfs:label "Max Operating Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:altLabel "MOT" ; + skos:broader quantitykind:Thrust . + +quantitykind:MechanicalMobility a qudt:QuantityKind ; + rdfs:label "Mechanical Mobility"@en ; + qudt:applicableUnit unit:MOHM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; + rdfs:isDefinedBy . + +quantitykind:MicrobialFormation a qudt:QuantityKind ; + rdfs:label "Microbial Formation"@en ; + qudt:applicableUnit unit:CFU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy . + +quantitykind:Mobility a qudt:QuantityKind ; + rdfs:label "قابلية التحرك"@ar, + "Beweglichkeit"@de, + "Mobilität"@de, + "mobility"@en, + "movilidad"@es, + "mobilité"@fr, + "mobilità"@it, + "移動度"@ja, + "mobilność"@pl, + "mobilidade"@pt, + "迁移率"@zh ; + dcterms:description "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-V-SEC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_mobility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength." ; + rdfs:isDefinedBy . + +quantitykind:MobilityRatio a qudt:QuantityKind ; + rdfs:label "Mobility Ratio"@en ; + dcterms:description "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://baervan.nmt.edu/research_groups/reservoir_sweep_improvement/pages/clean_up/mobility.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(b = \\frac{\\mu_n}{\\mu_p}\\), where \\(\\mu_n\\) and \\(\\mu_p\\) are mobilities for electrons and holes, respectively."^^qudt:LatexString ; + qudt:plainTextDescription "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase." ; + qudt:symbol "b" ; + rdfs:isDefinedBy . + +quantitykind:ModulusOfImpedance a qudt:QuantityKind ; + rdfs:label "Modulus Of Impedance"@en ; + dcterms:description """"Modulus Of Impedance} is the absolute value of the quantity \\textit{impedance". Apparent impedance is defined more generally as + +the quotient of rms voltage and rms electric current; it is often denoted by \\(Z\\)."""^^qudt:LatexString ; + qudt:applicableUnit unit:OHM ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\left | \\underline{Z} \\right |\\), where \\(\\underline{Z}\\) is impedance."^^qudt:LatexString ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Impedance . + +quantitykind:ModulusOfLinearSubgradeReaction a qudt:QuantityKind ; + rdfs:label "Modulus of Linear Subgrade Reaction"@en ; + dcterms:description "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2"^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusoflinearsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerArea . + +quantitykind:ModulusOfRotationalSubgradeReaction a qudt:QuantityKind ; + rdfs:label "Modulus of Rotational Subgrade Reaction"@en ; + dcterms:description "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)."^^rdf:HTML ; + qudt:applicableUnit unit:N-M-PER-M-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofrotationalsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerAngle . + +quantitykind:ModulusOfSubgradeReaction a qudt:QuantityKind ; + rdfs:label "Modulus of Subgrade Reaction"@en ; + dcterms:description "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3."^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofsubgradereactionmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3." ; + rdfs:isDefinedBy . + +quantitykind:MolarConductivity a qudt:QuantityKind ; + rdfs:label "Molar Conductivity"@en ; + dcterms:description "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution."^^rdf:HTML ; + qudt:applicableUnit unit:S-M2-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_conductivity"^^xsd:anyURI, + "http://encyclopedia2.thefreedictionary.com/molar+conductivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Gamma_m = \\frac{x}{c_B}\\), where \\(x\\) is the electrolytic conductivity and \\(c_B\\) is the amount-of-substance concentration."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Gamma_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution." ; + rdfs:isDefinedBy . + +quantitykind:MolarEntropy a qudt:QuantityKind ; + rdfs:label "Molar Entropy"@en ; + dcterms:description "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-MOL-K ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_molar_entropy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_m = \\frac{S}{n}\\), where \\(S\\) is entropy and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)." ; + qudt:symbol "S_m" ; + rdfs:isDefinedBy . + +quantitykind:MolarOpticalRotatoryPower a qudt:QuantityKind ; + rdfs:label "Molar Optical Rotatory Power"@en ; + dcterms:description "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-M2-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_n = \\alpha \\frac{A}{n}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(n\\) is the amount of substance of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_n\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power." ; + rdfs:isDefinedBy . + +quantitykind:MolecularMass a qudt:QuantityKind ; + rdfs:label "Molecular Mass"@en ; + dcterms:description "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance."^^rdf:HTML ; + qudt:applicableUnit unit:Da ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molecular_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance." ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:MomentumPerAngle a qudt:QuantityKind ; + rdfs:label "Momentum per Angle"@en ; + qudt:applicableUnit unit:N-SEC-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:MutualInductance a qudt:QuantityKind ; + rdfs:label "Mutual Inductance"@en ; + dcterms:description "\\(\\textit{Mutual Inductance}\\) is the non-diagonal term of the inductance matrix. For two loops, the symbol \\(M\\) is used for \\(L_{12}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:H, + unit:H_Ab, + unit:H_Stat, + unit:MicroH, + unit:MilliH, + unit:NanoH, + unit:PicoH ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-36"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_{mn} = \\frac{\\Psi_m}{I_n}\\), where \\(I_n\\) is an electric current in a thin conducting loop \\(n\\) and \\(\\Psi_m\\) is the linked flux caused by that electric current in another loop \\(m\\)."^^qudt:LatexString ; + qudt:symbol "L_{mn}" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Inductance ; + skos:broader quantitykind:Inductance . + +quantitykind:NapierianAbsorbance a qudt:QuantityKind ; + rdfs:label "Napierian Absorbance"@en ; + dcterms:description "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://eilv.cie.co.at/term/798"^^xsd:anyURI ; + qudt:latexDefinition "\\(A_e(\\lambda) = -ln(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance." ; + qudt:symbol "A_e, B" ; + rdfs:isDefinedBy . + +quantitykind:NeutronDiffusionCoefficient a qudt:QuantityKind ; + rdfs:label "Diffusionskoeffizient"@de, + "diffusion coefficient"@en, + "coeficiente de difusión"@es, + "coefficient de diffusion"@fr, + "coefficiente di diffusione"@it, + "coeficiente de difusão"@pt, + "difuzijski koeficient"@sl ; + dcterms:description "The \"Diffusion Coefficient\" is "^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Diffusion+of+Neutrons"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_n = -\\frac{J_x}{\\frac{\\partial dn}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(n\\) is the particle number density."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Diffusion Coefficient\" is " ; + qudt:symbol "D" ; + rdfs:isDefinedBy . + +quantitykind:NeutronNumber a qudt:QuantityKind ; + rdfs:label "عدد النيوترونات"@ar, + "Neutronové číslo"@cs, + "Neutronenzahl"@de, + "neutron number"@en, + "número neutrónico"@es, + "عدد نوترون"@fa, + "Nombre de neutrons"@fr, + "numero neutronico"@it, + "Nombor neutron"@ms, + "liczba neutronowa"@pl, + "número de neutrons"@pt, + "число нейтронов"@ru, + "nötron snumarası"@tr, + "中子數"@zh ; + dcterms:description "\"Neutron Number\", symbol \\(N\\), is the number of neutrons in a nuclide. Nuclides with the same value of \\(N\\) but different values of \\(Z\\) are called isotones. \\(N - Z\\) is called the neutron excess number."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_number"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "N" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Count . + +quantitykind:NeutronYieldPerAbsorption a qudt:QuantityKind ; + rdfs:label "Neutron Yield per Absorption"@en ; + dcterms:description "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified." ; + rdfs:isDefinedBy . + +quantitykind:NeutronYieldPerFission a qudt:QuantityKind ; + rdfs:label "Neutron Yield per Fission"@en ; + dcterms:description "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event." ; + rdfs:isDefinedBy . + +quantitykind:Non-LeakageProbability a qudt:QuantityKind ; + rdfs:label "Non-Leakage Probability"@en ; + dcterms:description "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron"^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Six_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron" ; + rdfs:isDefinedBy . + +quantitykind:NonActivePower a qudt:QuantityKind ; + rdfs:label "Non-active Power"@en ; + dcterms:description "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power."^^rdf:HTML ; + qudt:applicableUnit unit:V-A ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-43"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q^{'} = \\sqrt{{\\left | \\underline{S} \\right |}^2 - P^2}\\), where \\(\\underline{S}\\) is apparent power and \\(P\\) is active power."^^qudt:LatexString ; + qudt:plainTextDescription "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power." ; + qudt:symbol "Q'" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ActivePower, + quantitykind:ApparentPower . + +quantitykind:NonNegativeLength a qudt:QuantityKind ; + rdfs:label "Positive Length"@en ; + dcterms:description "\"NonNegativeLength\" is a measure of length greater than or equal to zero."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:plainTextDescription "\"NonNegativeLength\" is a measure of length greater than or equal to zero." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:NozzleThroatDiameter a qudt:QuantityKind ; + rdfs:label "Nozzle Throat Diameter"@en ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:NuclearSpinQuantumNumber a qudt:QuantityKind ; + rdfs:label "Spin Quantum Number"@en ; + dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(I^2 = \\hbar^2 I(I + 1)\\), where \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpinQuantumNumber . + +quantitykind:NucleonNumber a qudt:QuantityKind ; + rdfs:label "عدد كتلي"@ar, + "Nukleové číslo"@cs, + "Massenzahl"@de, + "Nukleonenzahl"@de, + "mass number"@en, + "nucleon number"@en, + "número másico"@es, + "عدد جرمی"@fa, + "nombre de masse"@fr, + "numero di massa"@it, + "numero di nucleoni"@it, + "質量数"@ja, + "Nombor nukleon"@ms, + "nombor jisim"@ms, + "liczba masowa"@pl, + "número de massa"@pt, + "kütle numarası"@tr, + "nükleon numarası"@tr, + "质量数"@zh ; + dcterms:description "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:altLabel "mass-number" ; + skos:broader quantitykind:Count . + +quantitykind:NumberOfParticles a qudt:QuantityKind ; + rdfs:label "Number of Particles"@en ; + dcterms:description "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system." ; + qudt:symbol "N_B" ; + rdfs:isDefinedBy . + +quantitykind:OrderOfReflection a qudt:QuantityKind ; + rdfs:label "Order of Reflection"@en ; + dcterms:description "\"Order of Reflection\" is \\(n\\) in the Bragg's Law equation."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.answers.com/topic/order-of-reflection"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy . + +quantitykind:OsmoticCoefficient a qudt:QuantityKind ; + rdfs:label "Osmotic Coefficient"@en ; + dcterms:description "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior." ; + rdfs:isDefinedBy . + +quantitykind:PackingFraction a qudt:QuantityKind ; + rdfs:label "Packing Fraction"@en ; + dcterms:description "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_packing_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(f = \\frac{\\Delta_r}{A}\\), where \\(\\Delta_r\\) is the relative mass excess and \\(A\\) is the nucleon number."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms." ; + qudt:symbol "f" ; + rdfs:isDefinedBy . + +quantitykind:ParticleFluenceRate a qudt:QuantityKind ; + rdfs:label "Particle Fluence Rate"@en ; + dcterms:description "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/Fluence%20Rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\theta = \\frac{d\\Phi}{dt}\\), where \\(d\\Phi\\) is the increment of the particle fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation." ; + rdfs:isDefinedBy . + +quantitykind:ParticleSourceDensity a qudt:QuantityKind ; + rdfs:label "Particle Source Density"@en ; + dcterms:description "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M3-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element." ; + qudt:symbol "S" ; + rdfs:isDefinedBy . + +quantitykind:Period a qudt:QuantityKind ; + rdfs:label "Period"@en ; + dcterms:description "Duration of one cycle of a periodic phenomenon."^^rdf:HTML ; + qudt:applicableUnit unit:SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "Duration of one cycle of a periodic phenomenon." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:PermeabilityRatio a qudt:QuantityKind ; + rdfs:label "Permeability Ratio"@en ; + dcterms:description "The ratio of the effective permeability of a porous phase to the absolute permeability."^^rdf:HTML ; + qudt:applicableUnit unit:PERMEABILITY_REL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:plainTextDescription "The ratio of the effective permeability of a porous phase to the absolute permeability." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:Permeance a qudt:QuantityKind ; + rdfs:label "Permeance"@en ; + dcterms:description "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit."^^rdf:HTML ; + qudt:applicableUnit unit:NanoH ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeance"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Lambda = \\frac{1}{R_m}\\), where \\(R_m\\) is reluctance."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Reluctance . + +quantitykind:PermittivityRatio a qudt:QuantityKind ; + rdfs:label "Permittivity Ratio"@en ; + dcterms:description "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:expression "\\(rel-permittivity\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon_r = \\epsilon / \\epsilon_0\\), where \\(\\epsilon\\) is permittivity and \\(\\epsilon_0\\) is the electric constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon_r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum." ; + qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Permittivity ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:PhotonIntensity a qudt:QuantityKind ; + rdfs:label "Photon Intensity"@en ; + dcterms:description "A measure of flux of photons per solid angle"^^qudt:LatexString ; + qudt:applicableUnit unit:PER-SEC-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:PhotonRadiance a qudt:QuantityKind ; + rdfs:label "Photon Radiance"@en ; + dcterms:description "A measure of flux of photons per surface area per solid angle"^^qudt:LatexString ; + qudt:applicableUnit unit:PER-SEC-M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:PhotosyntheticPhotonFlux a qudt:QuantityKind ; + rdfs:label "Photosynthetic Photon Flux" ; + dcterms:description "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor."^^rdf:HTML ; + qudt:applicableUnit unit:MicroMOL-PER-SEC ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://www.dormgrow.com/par/"^^xsd:anyURI ; + qudt:plainTextDescription "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor." ; + rdfs:isDefinedBy ; + skos:altLabel "PPF" ; + prov:wasDerivedFrom . + +quantitykind:PhotosyntheticPhotonFluxDensity a qudt:QuantityKind ; + rdfs:label "Photosynthetic Photon Flux Density" ; + dcterms:description "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s."^^rdf:HTML ; + qudt:applicableUnit unit:MicroMOL-PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://www.gigahertz-optik.com/en-us/service-and-support/knowledge-base/measurement-of-par/"^^xsd:anyURI ; + qudt:plainTextDescription "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s." ; + rdfs:isDefinedBy ; + skos:altLabel "PPFD" ; + prov:wasDerivedFrom . + +quantitykind:PoissonRatio a qudt:QuantityKind ; + rdfs:label "Poisson Ratio"@en ; + dcterms:description "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poisson%27s_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{\\Delta \\delta}{\\Delta l}\\), where \\(\\Delta \\delta\\) is the lateral contraction and \\(\\Delta l\\) is the elongation."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio." ; + rdfs:isDefinedBy . + +quantitykind:PositionVector a qudt:QuantityKind ; + rdfs:label "Position Vector"@en ; + dcterms:description "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(r = \\overrightarrow{OP}\\), where \\(O\\) and \\(P\\) are two points in space."^^qudt:LatexString ; + qudt:plainTextDescription "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O." ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:PowerFactor a qudt:QuantityKind ; + rdfs:label "معامل القدرة"@ar, + "Účiník"@cs, + "Leistungsfaktor"@de, + "power factor"@en, + "factor de potencia"@es, + "ضریب توان"@fa, + "facteur de puissance"@fr, + "शक्ति गुणांक"@hi, + "fattore di potenza"@it, + "力率"@ja, + "faktor kuasa"@ms, + "Współczynnik mocy"@pl, + "fator de potência"@pt, + "factor de putere"@ro, + "Коэффициент_мощности"@ru, + "güç faktörü"@tr, + "功率因数"@zh ; + dcterms:description "\"Power Factor\", under periodic conditions, is the ratio of the absolute value of the active power \\(P\\) to the apparent power \\(S\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:expression "\\(power-factor\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-46"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\left | P \\right | / \\left | S \\right |\\), where \\(P\\) is active power and \\(S\\) is apparent power."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ActivePower, + quantitykind:ApparentPower . + +quantitykind:PowerPerAreaAngle a qudt:QuantityKind ; + rdfs:label "Power per Area Angle"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + rdfs:isDefinedBy . + +quantitykind:PoyntingVector a qudt:QuantityKind ; + rdfs:label "متجَه بوينتنج"@ar, + "Poynting-Vektor"@de, + "Poynting vector"@en, + "vector de Poynting"@es, + "vecteur de Poynting"@fr, + "vettore di Poynting"@it, + "ポインティングベクトル"@ja, + "wektor Poyntinga"@pl, + "vector de Poynting"@pt, + "вектор Пойнтинга"@ru ; + dcterms:description "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2 ; + qudt:expression "\\(poynting-vector\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{S} = \\mathbf{E} \\times \\mathbf{H} \\), where \\(\\mathbf{E}\\) is electric field strength and \\mathbf{H} is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{S} \\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density." ; + rdfs:isDefinedBy . + +quantitykind:PressureLossPerLength a qudt:QuantityKind ; + rdfs:label "Pressure Loss per Length"@en ; + dcterms:description "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2-SEC2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Friction_loss"^^xsd:anyURI ; + qudt:plainTextDescription "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"." ; + rdfs:isDefinedBy . + +quantitykind:PressurePercentage a qudt:QuantityKind ; + rdfs:label "Pressure Percentage"@en ; + dcterms:isReplacedBy quantitykind:PressureRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:Prevalence a qudt:QuantityKind ; + rdfs:label "Prevalence" ; + dcterms:description "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)"^^rdf:HTML ; + qudt:applicableUnit unit:PERCENT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Prevalence"^^xsd:anyURI ; + qudt:plainTextDescription "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:PropellantBurnRate a qudt:QuantityKind ; + rdfs:label "Propellant Burn Rate"@en ; + qudt:applicableUnit unit:IN-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:BurnRate . + +quantitykind:PropellantMass a qudt:QuantityKind ; + rdfs:label "Propellant Mass"@en ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "M_f" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Mass . + +quantitykind:PropellantTemperature a qudt:QuantityKind ; + rdfs:label "Propellant Temperature"@en ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:Radiance a qudt:QuantityKind ; + rdfs:label "Radiance"@en ; + dcterms:description "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-M2-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = \\frac{dI}{dA}\\frac{1}{cos\\alpha}\\), where \\(dI\\) is the radiant intensity emitted from an element of the surface area \\(dA\\), and angle \\(\\alpha\\) is the angle between the normal to the surface and the given direction."^^qudt:LatexString ; + qudt:plainTextDescription "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerAreaAngle . + +quantitykind:RadianceFactor a qudt:QuantityKind ; + rdfs:label "Radiance Factor"@en ; + dcterms:description "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.encyclo.co.uk/define/radiance%20factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\beta = \\frac{L_n}{L_d}\\), where \\(L_n\\) is the radiance of a surface element in a given direction and \\(L_d\\) is the radiance of the perfect reflecting or transmitting diffuser identically irradiated and viewed. Reflectance factor is equivalent to radiance factor or luminance factor (when the cone angle is infinitely small, and is equivalent to reflectance when the cone angle is \\(2π sr\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit." ; + rdfs:isDefinedBy . + +quantitykind:RadiantEnergy a qudt:QuantityKind ; + rdfs:label "طاقة إشعاعية"@ar, + "energie záření"@cs, + "Strahlungsenergie"@de, + "radiant energy"@en, + "energía radiante"@es, + "انرژی تابشی"@fa, + "énergie rayonnante"@fr, + "विकिरण ऊर्जा"@hi, + "energia radiante"@it, + "放射エネルギー"@ja, + "Tenaga sinaran"@ms, + "energia promienista"@pl, + "energia radiante"@pt, + "энергия излучения"@ru, + "Işınım erkesi"@tr, + "辐射能"@zh ; + dcterms:description "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received."^^rdf:HTML ; + qudt:abbreviation "M-L2-PER-T2" ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q_e\\)"^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received." ; + qudt:symbol "Q_e", + "R" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy ; + skos:closeMatch quantitykind:LuminousEnergy . + +quantitykind:RadiantEnergyDensity a qudt:QuantityKind ; + rdfs:label "Radiant Energy Density"@en ; + dcterms:description "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; + qudt:latexDefinition "\\(w\\), \\(\\rho = \\frac{dQ}{dV}\\), where \\(dQ\\) is the radiant energy in an elementary three-dimensional domain, and \\(dV\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(w, \\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume." ; + rdfs:isDefinedBy . + +quantitykind:Radiosity a qudt:QuantityKind ; + rdfs:label "Radiosity"@en ; + dcterms:description "Radiosity is the total emitted and reflected radiation leaving a surface."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-CentiM2-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:plainTextDescription "Radiosity is the total emitted and reflected radiation leaving a surface." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:RatioOfSpecificHeatCapacities a qudt:QuantityKind ; + rdfs:label "Ratio of Specific Heat Capacities"@en ; + dcterms:description "The specific heat ratio of a gas is the ratio of the specific heat at constant pressure, \\(c_p\\), to the specific heat at constant volume, \\(c_V\\). It is sometimes referred to as the \"adiabatic index} or the \\textit{heat capacity ratio} or the \\textit{isentropic expansion factor} or the \\textit{adiabatic exponent} or the \\textit{isentropic exponent\"."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = c_p / c_V\\), where \\(c\\) is the specific heat of a gas, \\(c_p\\) is specific heat capacity at constant pressure, \\(c_V\\) is specific heat capacity at constant volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString, + "\\(\\varkappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:IsentropicExponent . + +quantitykind:Reactivity a qudt:QuantityKind ; + rdfs:label "Reactivity"@en ; + dcterms:description "\"Reactivity\" characterizes the deflection of reactor from the critical state."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{k_{eff} - 1}{k_{eff}}\\), where \\(k_{eff}\\) is the effective multiplication factor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Reactivity\" characterizes the deflection of reactor from the critical state." ; + rdfs:isDefinedBy . + +quantitykind:RecombinationCoefficient a qudt:QuantityKind ; + rdfs:label "Recombination Coefficient"@en ; + dcterms:description "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/recombination+coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(-\\frac{dn^+}{dt} = -\\frac{dn^-}{dt} = an^+n^-\\), where \\(n^+\\) and \\(n^-\\) are the ion number densities of positive and negative ions, respectively, recombined during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume." ; + qudt:symbol "a" ; + rdfs:isDefinedBy . + +quantitykind:ReflectanceFactor a qudt:QuantityKind ; + rdfs:label "Reflectance Factor"@en ; + dcterms:description "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/reflectance+factor"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = \\frac{\\Phi_n}{\\Phi_d}\\), where \\(\\Phi_n\\) is the radiant flux or luminous flux reflected in the directions delimited by a given cone and \\(\\Phi_d\\) is the flux reflected in the same directions by an identically radiated diffuser of reflectance equal to 1."^^qudt:LatexString ; + qudt:plainTextDescription "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux." ; + qudt:symbol "R" ; + rdfs:isDefinedBy . + +quantitykind:RefractiveIndex a qudt:QuantityKind ; + rdfs:label "معامل الانكسار"@ar, + "Index lomu"@cs, + "Brechungsindex"@de, + "Brechzahl"@de, + "refractive index"@en, + "índice de refracción"@es, + "ضریب شکست"@fa, + "indice de réfraction"@fr, + "अपवर्तनांक"@hi, + "indice di rifrazione"@it, + "屈折率"@ja, + "Indeks biasan"@ms, + "Współczynnik załamania"@pl, + "índice refrativo"@pt, + "Indice de refracție"@ro, + "Показатель преломления"@ru, + "kırılma indeksi"@tr, + "折射率"@zh ; + dcterms:description "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Refractive_index"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{c_0}{c}\\), where \\(c_0\\) is the speed of light in vacuum, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; + qudt:plainTextDescription "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium." ; + qudt:symbol "n" ; + rdfs:isDefinedBy . + +quantitykind:RelativeLuminousFlux a qudt:QuantityKind ; + rdfs:label "Relative Luminous Flux"@en ; + dcterms:description "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:LuminousFluxRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; + qudt:plainTextDescription "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:RelativeMassConcentrationOfVapour a qudt:QuantityKind ; + rdfs:label "Relative Mass Concentration of Vapour"@en ; + dcterms:description "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = v / v_{sat}\\), where \\(v\\) is mass concentration of water vapour, \\(v_{sat}\\) is its mass concentration of water vapour at saturation (at the same temperature). For normal cases, the relative partial pressure may be assumed to be equal to relative mass concentration of vapour."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:RelativePartialPressure . + +quantitykind:RelativeMassDensity a qudt:QuantityKind ; + rdfs:label "Relative Mass Density"@en ; + dcterms:description "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(d = \\frac{\\rho}{\\rho_0}\\), where \\(\\rho\\) is mass density of a substance and \\(\\rho_0\\) is the mass density of a reference substance under conditions that should be specified for both substances."^^qudt:LatexString ; + qudt:plainTextDescription "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material." ; + qudt:symbol "d" ; + rdfs:isDefinedBy . + +quantitykind:RelativeMassExcess a qudt:QuantityKind ; + rdfs:label "Relative Mass Excess"@en ; + dcterms:description "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Delta_r = \\frac{\\Delta}{m_u}\\), where \\(\\Delta\\) is the mass excess and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Delta_r\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)." ; + rdfs:isDefinedBy . + +quantitykind:RelativeMassRatioOfVapour a qudt:QuantityKind ; + rdfs:label "Relative Mass Ratio of Vapour"@en ; + dcterms:description "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\psi = x / x_{sat}\\), where \\(x\\) is mass ratio of water vapour to dry gas, \\(x_{sat}\\) is its mass raio of water vapour to dry gas at saturation (at the same temperature)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; + rdfs:isDefinedBy . + +quantitykind:RelativePressureCoefficient a qudt:QuantityKind ; + rdfs:label "Relative Pressure Coefficient"@en ; + qudt:applicableUnit unit:PER-K ; + qudt:expression "\\(rel-pres-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_p = \\frac{1}{p}\\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_p\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Reluctance a qudt:QuantityKind ; + rdfs:label "Reluctance"@en ; + dcterms:description "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_reluctance"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_m = \\frac{U_m}{\\Phi}\\), where \\(U_m\\) is magnetic tension, and \\(\\Phi\\) is magnetic flux."^^qudt:LatexString ; + qudt:plainTextDescription "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance." ; + qudt:symbol "R_m" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFlux, + quantitykind:MagneticTension . + +quantitykind:ResidualResistivity a qudt:QuantityKind ; + rdfs:label "Residual Resistivity"@en ; + dcterms:description "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature."^^rdf:HTML ; + qudt:applicableUnit unit:OHM-M ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Residual-resistance_ratio"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho_R\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature." ; + rdfs:isDefinedBy . + +quantitykind:ResistancePercentage a qudt:QuantityKind ; + rdfs:label "Resistance Percentage"@en ; + dcterms:isReplacedBy quantitykind:ResistanceRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ResistanceRatio a qudt:QuantityKind ; + rdfs:label "Resistance Ratio"@en ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ResonanceEscapeProbability a qudt:QuantityKind ; + rdfs:label "Resonance Escape Probability"@en ; + dcterms:description "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed." ; + qudt:symbol "p" ; + rdfs:isDefinedBy . + +quantitykind:RespiratoryRate a qudt:QuantityKind ; + rdfs:label "Respiratory Rate"@en ; + dcterms:description "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea."^^rdf:HTML ; + qudt:applicableUnit unit:BREATH-PER-MIN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Respiratory_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Respiratory_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea." ; + qudt:symbol "Vf, Rf or RR" ; + rdfs:isDefinedBy . + +quantitykind:ReynoldsNumber a qudt:QuantityKind ; + rdfs:label "Reynolds Number"@en ; + dcterms:description "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Reynolds_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reynolds_number"^^xsd:anyURI ; + qudt:latexDefinition "\\(Re = \\frac{\\rho uL}{\\mu} = \\frac{uL}{\\nu}\\), where \\(\\rho\\) is mass density, \\(u\\) is speed, \\(L\\) is length, \\(\\mu\\) is dynamic viscosity, and \\(\\nu\\) is kinematic viscosity."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions." ; + qudt:symbol "Re" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio ; + skos:closeMatch . + +quantitykind:RichardsonConstant a qudt:QuantityKind ; + rdfs:label "Richardson Constant"@en ; + dcterms:description "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-M2-K2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermionic_emission"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "The thermionic emission current, \\(J\\), for a metal is \\(J = AT^2\\exp{(-\\frac{\\Phi}{kT})}\\), where \\(T\\) is thermodynamic temperature, \\(k\\) is the Boltzmann constant, and \\(\\Phi\\) is a work function."^^qudt:LatexString ; + qudt:plainTextDescription "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal." ; + qudt:symbol "A" ; + rdfs:isDefinedBy . + +quantitykind:ScalarMagneticPotential a qudt:QuantityKind ; + rdfs:label "Scalar Magnetic Potential"@en ; + dcterms:description "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient."^^rdf:HTML ; + qudt:applicableUnit unit:V-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-58"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{H} = -grad V_m\\), where \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient." ; + qudt:symbol "V_m" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H . + +quantitykind:SectionAreaIntegral a qudt:QuantityKind ; + rdfs:label "Section Area Integral"@en ; + dcterms:description "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵."^^rdf:HTML ; + qudt:applicableUnit unit:M5 ; + qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcsectionalareaintegralmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵." ; + rdfs:isDefinedBy . + +quantitykind:SectionModulus a qudt:QuantityKind ; + rdfs:label "Section Modulus"@en ; + dcterms:description "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members."^^rdf:HTML ; + qudt:applicableUnit unit:M3 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Section_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\frac{I_a}{(r_Q)_{max}}\\), where \\(I_a\\) is the second axial moment of area and \\((r_Q)_{max}\\) is the maximum radial distance of any point in the surface considered from the \\(Q-axis\\) with respect to which \\(I_a\\) is defined."^^qudt:LatexString ; + qudt:plainTextDescription "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy . + +quantitykind:SeebeckCoefficient a qudt:QuantityKind ; + rdfs:label "Seebeck Coefficient"@en ; + dcterms:description "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-K ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermopower"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_{ab} = \\frac{dE_{ab}}{dT}\\), where \\(E_{ab}\\) is the thermosource voltage between substances a and b, \\(T\\) is the thermodynamic temperature of the hot junction."^^qudt:LatexString ; + qudt:plainTextDescription "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material." ; + qudt:symbol "S_{ab}" ; + rdfs:isDefinedBy . + +quantitykind:Short-RangeOrderParameter a qudt:QuantityKind ; + rdfs:label "Short-Range Order Parameter"@en ; + dcterms:description "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(r, \\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; + rdfs:isDefinedBy . + +quantitykind:SignalDetectionThreshold a qudt:QuantityKind ; + rdfs:label "Signal Detection Threshold"@en ; + qudt:applicableUnit unit:DeciB_C ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy . + +quantitykind:SignalStrength a qudt:QuantityKind ; + rdfs:label "Signal Strength"@en ; + dcterms:description "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV-PER-M, + unit:MegaV-PER-M, + unit:MicroV-PER-M, + unit:MilliV-PER-M, + unit:V-PER-CentiM, + unit:V-PER-IN, + unit:V-PER-M, + unit:V-PER-MilliM, + unit:V_Ab-PER-CentiM, + unit:V_Stat-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Signal_strength"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:plainTextDescription "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricField, + quantitykind:ElectricFieldStrength . + +quantitykind:Slowing-DownDensity a qudt:QuantityKind ; + rdfs:label "Slowing-Down Density"@en ; + dcterms:description "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:PER-M3-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/slowing-down+density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(q = -\\frac{dn}{dt}\\), where \\(n\\) is the number density and \\(dt\\) is the duration."^^qudt:LatexString ; + qudt:plainTextDescription "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time." ; + qudt:symbol "q" ; + rdfs:isDefinedBy . + +quantitykind:SoundExposure a qudt:QuantityKind ; + rdfs:label "Sound exposure"@en ; + dcterms:description "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E."^^rdf:HTML ; + qudt:applicableUnit unit:PA2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; + qudt:informativeReference "http://www.acoustic-glossary.co.uk/definitions-s.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\int_{t1}^{t2}p^2dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(p\\) is the sound pressure."^^qudt:LatexString ; + qudt:plainTextDescription "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E." ; + qudt:symbol "E" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SoundIntensity a qudt:QuantityKind ; + rdfs:label "Sound intensity"@en ; + dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; + qudt:abbreviation "w/m2" ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = pv\\), where \\(p\\) is the sound pressure and \\(v\\) is sound particle velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; + qudt:symbol "I" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:PowerPerArea . + +quantitykind:SoundVolumeVelocity a qudt:QuantityKind ; + rdfs:label "Sound volume velocity"@en ; + dcterms:description "Sound Volume Velocity is the product of particle velocity \\(v\\) and the surface area \\(S\\) through which an acoustic wave of frequency \\(f\\) propagates. Also, the surface integral of the normal component of the sound particle velocity over the cross-section (through which the sound propagates). It is used to calculate acoustic impedance."^^qudt:LatexString ; + qudt:applicableUnit unit:M3-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(q= vS\\), where \\(v\\) is sound particle velocity and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; + qudt:symbol "q" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SpecificOpticalRotatoryPower a qudt:QuantityKind ; + rdfs:label "Specific Optical Rotatory Power"@en ; + dcterms:description "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_m = \\alpha \\frac{A}{m}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(m\\) is the mass of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power." ; + rdfs:isDefinedBy . + +quantitykind:SpectralAngularCrossSection a qudt:QuantityKind ; + rdfs:label "Spectral Angular Cross-section"@en ; + dcterms:description "\"Spectral Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone with energy \\(E\\) in an energy interval, divided by the solid angle \\(d\\Omega\\) of that cone and the range \\(dE\\) of that interval."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-SR-J ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\int \\sigma_{\\Omega,E} d\\Omega dE\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_{\\Omega, E}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:AngularCrossSection, + quantitykind:SpectralCrossSection . + +quantitykind:SquareEnergy a qudt:QuantityKind ; + rdfs:label "Square Energy"@en ; + dcterms:isReplacedBy quantitykind:Energy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; + rdfs:isDefinedBy . + +quantitykind:StandardAbsoluteActivity a qudt:QuantityKind ; + rdfs:label "Standard Absolute Activity"@en ; + dcterms:description "The \"Standard Absolute Activity\" is proportional to the absoulte activity of the pure substance \\(B\\) at the same temperature and pressure multiplied by the standard pressure."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda_B^\\Theta = \\lambda_B^*(p^\\Theta)\\), where \\(\\lambda_B^\\Theta\\) the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(p^\\Theta\\) is standard pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda_B^\\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:StatisticalWeight a qudt:QuantityKind ; + rdfs:label "Statistical Weight"@en ; + dcterms:description "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statistical_weight"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state." ; + qudt:symbol "g" ; + rdfs:isDefinedBy . + +quantitykind:StochasticProcess a qudt:QuantityKind ; + rdfs:label "Stochastic Process"@en ; + dcterms:description "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ, + unit:HZ, + unit:KiloHZ, + unit:MegaHZ, + unit:NUM-PER-HR, + unit:NUM-PER-SEC, + unit:NUM-PER-YR, + unit:PER-DAY, + unit:PER-HR, + unit:PER-MIN, + unit:PER-MO, + unit:PER-MilliSEC, + unit:PER-SEC, + unit:PER-WK, + unit:PER-YR, + unit:PERCENT-PER-DAY, + unit:PERCENT-PER-HR, + unit:PERCENT-PER-WK, + unit:PlanckFrequency, + unit:SAMPLE-PER-SEC, + unit:TeraHZ, + unit:failures-in-time ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stochastic_process"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stochastic_process"^^xsd:anyURI ; + qudt:plainTextDescription "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Frequency . + +quantitykind:StoichiometricNumber a qudt:QuantityKind ; + rdfs:label "Stoichiometric Number"@en ; + dcterms:description "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stoichiometry"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\nu_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:StructureFactor a qudt:QuantityKind ; + rdfs:label "Structure Factor"@en ; + dcterms:description "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Structure_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition "\\(F(h, k, l) = \\sum_{n=1}^N f_n\\exp{[2\\pi i(hx_n + ky_n +lz_n)]}\\), where \\(f_n\\) is the atomic scattering factor for atom \\(n\\), and \\(x_n\\), \\(y_n\\), and \\(z_n\\) are fractional coordinates in the unit cell; for \\(h\\), \\(k\\), and \\(l\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation." ; + qudt:symbol "F(h, k, l)" ; + rdfs:isDefinedBy . + +quantitykind:SurfaceActivityDensity a qudt:QuantityKind ; + rdfs:label "Surface Activity Density"@en ; + dcterms:description "The \"Surface Activity Density\" is undefined."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a_s = \\frac{A}{S}\\), where \\(S\\) is the total area of the surface of a sample and \\(A\\) is its activity."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Surface Activity Density\" is undefined." ; + qudt:symbol "a_s" ; + rdfs:isDefinedBy . + +quantitykind:SurfaceCoefficientOfHeatTransfer a qudt:QuantityKind ; + rdfs:label "Surface Coefficient of Heat Transfer"@en ; + qudt:applicableUnit unit:W-PER-M2-K ; + qudt:expression "\\(surface-heat-xfer-coeff\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(q = h (T_s - T_r)\\), where \\(T_s\\) is areic heat flow rate is the thermodynamic temperature of the surface, and is a reference thermodynamic temperature characteristic of the adjacent surroundings."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:SystolicBloodPressure a qudt:QuantityKind ; + rdfs:label "Systolic Blood Pressure"@en ; + dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; + qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:DiastolicBloodPressure ; + skos:broader quantitykind:Pressure . + +quantitykind:TemporalSummationFunction a qudt:QuantityKind ; + rdfs:label "Temporal Summation Function"@en ; + dcterms:description "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval."^^rdf:HTML ; + qudt:applicableUnit unit:PER-SEC-SR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Temporal_summation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval." ; + rdfs:isDefinedBy . + +quantitykind:ThermalConductance a qudt:QuantityKind ; + rdfs:label "Thermal Conductance"@en ; + dcterms:description "This quantity is also called \"Heat Transfer Coefficient\"."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = 1/R\\), where \\(R\\) is \"Thermal Resistance\""^^qudt:LatexString ; + qudt:plainTextDescription "This quantity is also called \"Heat Transfer Coefficient\"." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer . + +quantitykind:ThermalDiffusionFactor a qudt:QuantityKind ; + rdfs:label "Thermal Diffusion Factor"@en ; + dcterms:description "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha_T = \\frac{k_T}{(x_A x_B)}\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(x_A\\) and \\(x_B\\) are the local amount-of-substance fractions of the two substances \\(A\\) and \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ." ; + rdfs:isDefinedBy . + +quantitykind:ThermalDiffusionRatio a qudt:QuantityKind ; + rdfs:label "Thermal Diffusion Ratio"@en ; + dcterms:description "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "In a steady state of a binary mixture in which thermal diffusion occurs, \\(grad x_B = -(\\frac{k_T}{T}) grad T\\), where \\(x_B\\) is the amount-of-substance fraction of the heavier substance \\(B\\), and \\(T\\) is the local thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations." ; + qudt:symbol "k_T" ; + rdfs:isDefinedBy . + +quantitykind:ThermalDiffusionRatioCoefficient a qudt:QuantityKind ; + rdfs:label "Thermal Diffusion Coefficient"@en ; + dcterms:description "The \"Thermal Diffusion Coefficient\" is ."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(D_T = kT \\cdot D\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(D\\) is the diffusion coefficient."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Thermal Diffusion Coefficient\" is ." ; + qudt:symbol "D_T" ; + rdfs:isDefinedBy . + +quantitykind:ThermalUtilizationFactor a qudt:QuantityKind ; + rdfs:label "Thermal Utilization Factor"@en ; + dcterms:description "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed." ; + qudt:symbol "f" ; + rdfs:isDefinedBy . + +quantitykind:ThomsonCoefficient a qudt:QuantityKind ; + rdfs:label "Thomson Coefficient"@en ; + dcterms:description "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-K ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:informativeReference "http://www.daviddarling.info/encyclopedia/T/Thomson_effect.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference." ; + rdfs:isDefinedBy . + +quantitykind:TimePercentage a qudt:QuantityKind ; + rdfs:label "Time Percentage"@en ; + dcterms:isReplacedBy quantitykind:TimeRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:TimeRatio a qudt:QuantityKind ; + rdfs:label "Time Ratio"@en ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:TimeSquared a qudt:QuantityKind ; + rdfs:label "Time Squared"@en ; + dcterms:isReplacedBy quantitykind:Time_Squared ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + rdfs:isDefinedBy . + +quantitykind:TorquePerLength a qudt:QuantityKind ; + rdfs:label "Torque per Length"@en ; + qudt:applicableUnit unit:N-M-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:TotalAngularMomentumQuantumNumber a qudt:QuantityKind ; + rdfs:label "Total Angular Momentum Quantum Number"@en ; + dcterms:description "The \"Total Angular Quantum Number\" describes the magnitude of total angular momentum \\(J\\), where \\(j\\) refers to a specific particle and \\(J\\) is used for the whole system."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "j" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber, + quantitykind:PrincipalQuantumNumber, + quantitykind:SpinQuantumNumber . + +quantitykind:TotalAtomicStoppingPower a qudt:QuantityKind ; + rdfs:label "Total Atomic Stopping Power"@en ; + dcterms:description "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-M2 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; + qudt:informativeReference "http://www.answers.com/topic/atomic-stopping-power"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_a = \\frac{S}{n}\\), where \\(S\\) is the total linear stopping power and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume." ; + qudt:symbol "S_a" ; + rdfs:isDefinedBy . + +quantitykind:TotalCurrent a qudt:QuantityKind ; + rdfs:label "Total Current"@en ; + dcterms:description "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_{tot}= I + I_D\\), where \\(I\\) is electric current and \\(I_D\\) is displacement current."^^qudt:LatexString ; + qudt:plainTextDescription "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current." ; + qudt:symbol "I_t", + "I_{tot}" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:DisplacementCurrent, + quantitykind:ElectricCurrent . + +quantitykind:TotalCurrentDensity a qudt:QuantityKind ; + rdfs:label "Total Current Density"@en ; + dcterms:description "\"Total Current Density\" is the sum of the electric current density and the displacement current density."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_{tot}= J + J_D\\), where \\(J\\) is electric current density and \\(J_D\\) is displacement current density."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_{tot}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Total Current Density\" is the sum of the electric current density and the displacement current density." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:DisplacementCurrentDensity, + quantitykind:ElectricCurrentDensity . + +quantitykind:TotalIonization a qudt:QuantityKind ; + rdfs:label "Total Ionization"@en ; + dcterms:description "\"Total Ionization\" by a particle, total mean charge, divided by the elementary charge, \\(e\\), of all positive ions produced by an ionizing charged particle along its entire path and along the paths of any secondary charged particles."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(N = \\int N_i dl\\)."^^qudt:LatexString ; + qudt:symbol "N_i" ; + rdfs:isDefinedBy . + +quantitykind:TotalMassStoppingPower a qudt:QuantityKind ; + rdfs:label "Total Mass Stopping Power"@en ; + dcterms:description "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material."^^rdf:HTML ; + qudt:applicableUnit unit:J-M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S_m = \\frac{S}{\\rho}\\), where \\(S\\) is the total linear stopping power and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; + qudt:plainTextDescription "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material." ; + qudt:symbol "S_m" ; + rdfs:isDefinedBy . + +quantitykind:TransmittanceDensity a qudt:QuantityKind ; + rdfs:label "Transmittance Density"@en ; + dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:latexDefinition "\\(A_{10}(\\lambda) = -lg(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; + qudt:symbol "A_10, D" ; + rdfs:isDefinedBy . + +quantitykind:Turbidity a qudt:QuantityKind ; + rdfs:label "Turbidity"@en ; + dcterms:description "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid."^^rdf:HTML ; + qudt:applicableUnit unit:NTU ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Turbidity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Turbidity"^^xsd:anyURI ; + qudt:plainTextDescription "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid." ; + rdfs:isDefinedBy . + +quantitykind:Turns a qudt:QuantityKind ; + rdfs:label "Turns"@en ; + dcterms:description "\"Turns\" is the number of turns in a winding."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "\"Turns\" is the number of turns in a winding." ; + qudt:symbol "N" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Count . + +quantitykind:UpperCriticalMagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "Upper Critical Magnetic Flux Density"@en ; + dcterms:description "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity."^^rdf:HTML ; + qudt:applicableUnit unit:GAUSS, + unit:Gamma, + unit:Gs, + unit:KiloGAUSS, + unit:MicroT, + unit:MilliT, + unit:NanoT, + unit:T, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity." ; + qudt:symbol "B_{c2}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MagneticFluxDensity ; + skos:closeMatch quantitykind:LowerCriticalMagneticFluxDensity . + +quantitykind:VacuumThrust a qudt:QuantityKind ; + rdfs:label "Vacuum Thrust"@en ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:expression "\\(VT\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Thrust . + +quantitykind:VentilationRatePerFloorArea a qudt:QuantityKind ; + rdfs:label "Ventilation Rate per Floor Area"@en ; + dcterms:description "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area."^^rdf:HTML ; + qudt:applicableUnit unit:L-PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Ventilation_(architecture)#Ventilation_rates_for_indoor_air_quality"^^xsd:anyURI ; + qudt:plainTextDescription "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area." ; + rdfs:isDefinedBy . + +quantitykind:VideoFrameRate a qudt:QuantityKind ; + rdfs:label "Video Frame Rate"@en ; + dcterms:description "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)."^^rdf:HTML ; + qudt:applicableUnit unit:FRAME-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Frame_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InformationFlowRate . + +quantitykind:VoltagePercentage a qudt:QuantityKind ; + rdfs:label "Voltage Percentage"@en ; + dcterms:isReplacedBy quantitykind:VoltageRatio ; + qudt:applicableUnit unit:PERCENT ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:VoltageRatio a qudt:QuantityKind ; + rdfs:label "Voltage Ratio"@en ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:WarpingConstant a qudt:QuantityKind ; + rdfs:label "Warping Constant"@en ; + dcterms:description "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶."^^rdf:HTML ; + qudt:applicableUnit unit:M6 ; + qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingconstantmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶." ; + rdfs:isDefinedBy . + +quantitykind:Work a qudt:QuantityKind ; + rdfs:label "práce"@cs, + "Arbeit"@de, + "work"@en, + "trabajo"@es, + "کار"@fa, + "travail"@fr, + "कार्य"@hi, + "lavoro"@it, + "仕事量"@ja, + "kerja"@ms, + "praca"@pl, + "trabalho"@pt, + "lucru mecanic"@ro, + "delo"@sl, + "iş"@tr, + "功"@zh ; + dcterms:description "The net work is equal to the change in kinetic energy. This relationship is called the work-energy theorem: \\(Wnet = K. E._f − K. E._o \\), where \\(K. E._f\\) is the final kinetic energy and \\(K. E._o\\) is the original kinetic energy. Potential energy, also referred to as stored energy, is the ability of a system to do work due to its position or internal structure. Change in potential energy is equal to work. The potential energy equations can also be derived from the integral form of work, \\(\\Delta P. E. = W = \\int F \\cdot dx\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Work_(physics)"^^xsd:anyURI, + "http://www.cliffsnotes.com/study_guide/Work-and-Energy.topicArticleId-10453,articleId-10418.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(A = \\int Pdt\\), where \\(P\\) is power and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "A force is said to do Work when it acts on a body so that there is a displacement of the point of application, however small, in the direction of the force. The concepts of work and energy are closely tied to the concept of force because an applied force can do work on an object and cause a change in energy. Energy is defined as the ability to do work. Work is done on an object when an applied force moves it through a distance. Kinetic energy is the energy of an object in motion. The net work is equal to the change in kinetic energy." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +unit:A-PER-CentiM2 a qudt:Unit ; + rdfs:label "Ampere Per Square Centimetre"@en, + "Ampere Per Square Centimeter"@en-us ; + dcterms:description "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+04 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAB052" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "A/cm²" ; + qudt:ucumCode "A.cm-2"^^qudt:UCUMcs, + "A/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A4" ; + rdfs:isDefinedBy . + +unit:A-PER-DEG_C a qudt:Unit ; + rdfs:label "Ampere per Degree Celsius"@en ; + dcterms:description "A measure used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 57.2957795 ; + qudt:expression "\\(A/degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; + qudt:informativeReference "http://books.google.com/books?id=zkErAAAAYAAJ&pg=PA60&lpg=PA60&dq=ampere+per+degree"^^xsd:anyURI, + "http://web.mit.edu/course/21/21.guide/use-tab.htm"^^xsd:anyURI ; + qudt:symbol "A/°C" ; + qudt:ucumCode "A.Cel-1"^^qudt:UCUMcs, + "A/Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:A-PER-GM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere per Gram"@en ; + dcterms:description "\\(\\textbf{Ampere per gram}\\) is a practical unit to describe an (applied) current relative to the involved amount of material. This unit is often found in electrochemistry to standardize test conditions and compare various scales of investigated materials."^^qudt:LatexString ; + qudt:conversionMultiplier 1000.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificElectricCurrent ; + qudt:symbol "A⋅/g" ; + rdfs:isDefinedBy . + +unit:A-PER-M2-K2 a qudt:Unit ; + rdfs:label "Ampere per Square Metre Square Kelvin"@en, + "Ampere per Square Meter Square Kelvin"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(a/m^2-k^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; + qudt:hasQuantityKind quantitykind:RichardsonConstant ; + qudt:iec61360Code "0112/2///62720#UAB353" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "A/m²⋅k²" ; + qudt:ucumCode "A.m-2.K-2"^^qudt:UCUMcs, + "A/(m2.K2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A6" ; + rdfs:isDefinedBy . + +unit:A-PER-MilliM2 a qudt:Unit ; + rdfs:label "Ampere Per Square Millimetre"@en, + "Ampere Per Square Millimeter"@en-us ; + dcterms:description "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAB051" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "A/mm²" ; + qudt:ucumCode "A.mm-2"^^qudt:UCUMcs, + "A/mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A7" ; + rdfs:isDefinedBy . + +unit:A-PER-RAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere per Radian"@en ; + dcterms:description "\\(\\textit{Ampere per Radian}\\) is a derived unit for measuring the amount of current per unit measure of angle, expressed in ampere per radian."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(a-per-rad\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerAngle ; + qudt:symbol "A/rad" ; + qudt:ucumCode "A.rad-1"^^qudt:UCUMcs, + "A/rad"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:AT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Turn"@en ; + dcterms:description "The \\(\\textit{ampere-turn}\\) was the MKS unit of magnetomotive force (MMF), represented by a direct current of one ampere flowing in a single-turn loop in a vacuum. \"Turns\" refers to the winding number of an electrical conductor comprising an inductor. The ampere-turn was replaced by the SI unit, \\(ampere\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:symbol "AT" ; + rdfs:isDefinedBy . + +unit:ATM-M3-PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Atmosphere Cubic Meter per Mole"@en, + "Atmosphere Cubic Meter per Mole"@en-us ; + dcterms:description "A unit that consists of the power of the SI base unit metre with the exponent 3 multiplied by the unit atmosphere divided by the SI base unit mol."^^qudt:LatexString ; + qudt:conversionMultiplier 1.01325e+05 ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:HenrysLawVolatilityConstant ; + qudt:symbol "atm⋅m³/mol" ; + rdfs:isDefinedBy . + +unit:A_Ab-CentiM2 a qudt:Unit ; + rdfs:label "Abampere Square centimetre"@en, + "Abampere Square centimeter"@en-us ; + dcterms:description "\"Abampere Square centimeter\" is the unit of magnetic moment in the electromagnetic centimeter-gram-second system."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+09 ; + qudt:expression "\\(aAcm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; + qudt:symbol "abA⋅cm²" ; + qudt:ucumCode "Bi.cm2"^^qudt:UCUMcs ; + vaem:todo "Determine type for magnetic moment" ; + rdfs:isDefinedBy . + +unit:A_Ab-PER-CentiM2 a qudt:Unit ; + rdfs:label "Abampere per Square Centimetre"@en, + "Abampere per Square Centimeter"@en-us ; + dcterms:description "Abampere Per Square Centimeter (\\(aA/cm^2\\)) is a unit in the category of Electric current density. It is also known as abamperes per square centimeter, abampere/square centimeter, abampere/square centimetre, abamperes per square centimetre, abampere per square centimetre. This unit is commonly used in the cgs unit system. Abampere Per Square Centimeter (\\(aA/cm^2\\)) has a dimension of \\(L^{-2}I\\) where L is length, and I is electric current. It can be converted to the corresponding standard SI unit \\(A/m^{2}\\) by multiplying its value by a factor of 100000."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+05 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(aba-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:informativeReference "http://wordinfo.info/results/abampere"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--electric_current_density--abampere_per_square_centimeter.cfm"^^xsd:anyURI ; + qudt:symbol "abA/cm²" ; + qudt:ucumCode "Bi.cm-2"^^qudt:UCUMcs, + "Bi/cm2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:A_Stat-PER-CentiM2 a qudt:Unit ; + rdfs:label "Statampere per Square Centimetre"@en, + "Statampere per Square Centimeter"@en-us ; + dcterms:description "The Statampere per Square Centimeter is a unit of electric current density in the c.g.s. system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 3.335641e-06 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(statA / cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:symbol "statA/cm²" ; + rdfs:isDefinedBy . + +unit:AttoFARAD a qudt:Unit ; + rdfs:label "Attofarad"@en ; + dcterms:description "0,000 000 000 000 000 001-fold of the SI derived unit farad"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA319" ; + qudt:plainTextDescription "0.000000000000000001-fold of the SI derived unit farad" ; + qudt:prefix prefix1:Atto ; + qudt:symbol "aF" ; + qudt:ucumCode "aF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H48" ; + rdfs:isDefinedBy . + +unit:AttoJ-SEC a qudt:Unit ; + rdfs:label "Attojoule Second"@en ; + dcterms:description "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Action ; + qudt:iec61360Code "0112/2///62720#UAB151" ; + qudt:plainTextDescription "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second" ; + qudt:symbol "aJ⋅s" ; + qudt:ucumCode "aJ.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B18" ; + rdfs:isDefinedBy . + +unit:BAR-PER-BAR a qudt:Unit ; + rdfs:label "Bar Per Bar"@en ; + dcterms:description "pressure relation consisting of the unit bar divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA325" ; + qudt:plainTextDescription "pressure relation consisting of the unit bar divided by the unit bar" ; + qudt:symbol "bar/bar" ; + qudt:ucumCode "bar.bar-1"^^qudt:UCUMcs, + "bar/bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J56" ; + rdfs:isDefinedBy . + +unit:BAR-PER-K a qudt:Unit ; + rdfs:label "Bar Per Kelvin"@en ; + dcterms:description "unit with the name bar divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:conversionMultiplier 1e+05 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA324" ; + qudt:plainTextDescription "unit with the name bar divided by the SI base unit kelvin" ; + qudt:symbol "bar/K" ; + qudt:ucumCode "bar.K-1"^^qudt:UCUMcs, + "bar/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F81" ; + rdfs:isDefinedBy . + +unit:BBL_US_DRY a qudt:Unit ; + rdfs:label "Dry Barrel (US)"@en ; + dcterms:description "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1156281989625 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAB117" ; + qudt:plainTextDescription "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre" ; + qudt:symbol "bbl{US dry}" ; + qudt:uneceCommonCode "BLD" ; + rdfs:isDefinedBy . + +unit:BEAT-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Heart Beats per Minute"@en ; + dcterms:description "\"Heart Beat per Minute\" is a unit for 'Heart Rate' expressed as \\(BPM\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:HeartRate ; + qudt:symbol "BPM" ; + qudt:ucumCode "/min{H.B.}"^^qudt:UCUMcs, + "min-1{H.B.}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BIT-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Bit per Second"@en ; + dcterms:description "A bit per second (B/s) is a unit of data transfer rate equal to 1 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; + qudt:symbol "b/s" ; + qudt:ucumCode "Bd"^^qudt:UCUMcs, + "bit.s-1"^^qudt:UCUMcs, + "bit/s"^^qudt:UCUMcs ; + qudt:udunitsCode "Bd", + "bps" ; + qudt:uneceCommonCode "B10" ; + rdfs:isDefinedBy . + +unit:BQ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "بيكريل"@ar, + "бекерел"@bg, + "becquerel"@cs, + "Becquerel"@de, + "μπεκερέλ"@el, + "becquerel"@en, + "becquerel"@es, + "بکرل"@fa, + "becquerel"@fr, + "בקרל"@he, + "बैक्वेरल"@hi, + "becquerel"@hu, + "becquerel"@it, + "ベクレル"@ja, + "becquerelium"@la, + "becquerel"@ms, + "bekerel"@pl, + "becquerel"@pt, + "becquerel"@ro, + "беккерель"@ru, + "becquerel"@sl, + "bekerel"@tr, + "贝克勒尔"@zh ; + dcterms:description "The SI derived unit of activity, usually meaning radioactivity. \"Radioactivity\" is caused when atoms disintegrate, ejecting energetic particles. One becquerel is the radiation caused by one disintegration per second; this is equivalent to about 27.0270 picocuries (pCi). The unit is named for a French physicist, Antoine-Henri Becquerel (1852-1908), the discoverer of radioactivity. Note: both the becquerel and the hertz are basically defined as one event per second, yet they measure different things. The hertz is used to measure the rates of events that happen periodically in a fixed and definite cycle. The becquerel is used to measure the rates of events that happen sporadically and unpredictably, not in a definite cycle."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Becquerel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA111" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Becquerel?oldid=493710036"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Bq" ; + qudt:ucumCode "Bq"^^qudt:UCUMcs ; + qudt:udunitsCode "Bq" ; + qudt:uneceCommonCode "BQL" ; + rdfs:isDefinedBy . + +unit:BQ-PER-L a qudt:Unit ; + rdfs:label "Becquerels per litre"@en ; + dcterms:description "One radioactive disintegration per second from a one part in 10**3 of the SI unit of volume (cubic metre)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "Bq/L" ; + qudt:ucumCode "Bq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BQ-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Becquerel per Square Metre"@en, + "Becquerel per Square Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SurfaceActivityDensity ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "Bq/m²" ; + qudt:ucumCode "Bq.m-2"^^qudt:UCUMcs, + "Bq/m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BQ-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Becquerel per Cubic Metre"@en, + "Becquerel per Cubic Meter"@en-us ; + dcterms:description "Becquerel Per Cubic Meter (\\(Bq/m3\\)) is a unit in the category of Radioactivity concentration. It is also known as becquerels per cubic meter, becquerel per cubic metre, becquerels per cubic metre, becquerel/cubic inch. This unit is commonly used in the SI unit system. Becquerel Per Cubic Meter (Bq/m3) has a dimension of \\(L{-3}T{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/s\\cdot m{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:iec61360Code "0112/2///62720#UAB126" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--radioactivity_concentration--becquerel_per_cubic_meter.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The SI derived unit of unit in the category of Radioactivity concentration." ; + qudt:symbol "Bq/m³" ; + qudt:ucumCode "Bq.m-3"^^qudt:UCUMcs, + "Bq/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A19" ; + rdfs:isDefinedBy . + +unit:BQ-SEC-PER-M3 a qudt:Unit ; + rdfs:label "Becquerels second per cubic metre"@en ; + dcterms:description "TBD"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AbsoluteActivity ; + qudt:symbol "Bq⋅s/m³" ; + qudt:ucumCode "Bq.s.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BREATH-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Breath per Minute"@en ; + dcterms:description "A unit of respiratory rate."^^rdf:HTML ; + qudt:expression "\\(breaths/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:RespiratoryRate ; + qudt:symbol "breath/min" ; + qudt:ucumCode "/min{breath}"^^qudt:UCUMcs, + "min-1{breath}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-FT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU Foot"@en ; + dcterms:description "\\({\\bf BTU_{IT} \\, Foot}\\) is an Imperial unit for \\(\\textit{Thermal Energy Length}\\) expressed as \\(Btu-ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 321.581024 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu-ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:symbol "Btu⋅ft" ; + qudt:ucumCode "[Btu_IT].[ft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-FT-PER-FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (IT) Foot per Square Foot Hour Degree Fahrenheit"@en ; + dcterms:description "\\(BTU_{IT}\\), Foot per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.730734666 ; + qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA115" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI, + "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "British thermal unit (international table) foot per hour Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; + qudt:symbol "Btu{IT}⋅ft/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT].[ft_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J40" ; + vaem:comment "qudt:exactMatch: unit:BTU_IT-FT-PER-HR-FT2-DEG_F" ; + rdfs:isDefinedBy . + +unit:BTU_IT-IN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU Inch"@en ; + dcterms:description "\\({\\bf BTU \\, Inch}\\) is an Imperial unit for 'Thermal Energy Length' expressed as \\(Btu-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 26.7984187 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; + qudt:symbol "Btu⋅in" ; + qudt:ucumCode "[Btu_IT].[in_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (IT) per Degree Fahrenheit"@en ; + dcterms:description "British Thermal Unit (IT) Per Fahrenheit Degree (\\(Btu (IT)/^\\circ F\\)) is a measure of heat capacity. It can be converted to the corresponding standard SI unit J/K by multiplying its value by a factor of 1899.10534."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1899.100535 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/degF\\)"^^qudt:LatexString, + "\\(btu-per-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "Btu{IT}/°F" ; + qudt:ucumCode "[Btu_IT].[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/[degF]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N60" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-DEG_R a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Degree Rankine"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Degree \\, Rankine}\\) is an Imperial unit for 'Heat Capacity' expressed as \\(Btu/degR\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1899.100535 ; + qudt:expression "\\(btu-per-degR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "Btu{IT}/°R" ; + qudt:ucumCode "[Btu_IT].[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/[degR]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N62" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Pound Mole"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\,Mole}\\) is an Imperial unit for 'Energy And Work Per Mass Amount Of Substance' expressed as \\(Btu/(lb-mol)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(lb-mol)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerMassAmountOfSubstance ; + qudt:symbol "Btu{IT}/(lb⋅mol)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.mol-1"^^qudt:UCUMcs, + "[Btu_IT]/([lb_av].mol)"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-MOL-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Pound Mole Degree Fahrenheit"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Mole \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Molar Heat Capacity' expressed as \\(Btu/(lb-mol-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(Btu/(lb-mol-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅mol⋅°F)" ; + qudt:ucumCode "[Btu_IT].mol-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/(mol.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-SEC-FT-DEG_R a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Second Foot Degree Rankine"@en ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 178.66 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB107" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(s⋅ft⋅°R)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-1.[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/(s.[ft_i].[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A22" ; + rdfs:isDefinedBy . + +unit:BTU_TH-FT-PER-FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (TH) Foot per Square Foot Hour Degree Fahrenheit"@en ; + dcterms:description "\\({ \\bf BTU_{TH} \\, Foot \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.729577206 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI, + "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:symbol "Btu{th}⋅ft/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_TH-FT-PER-HR-FT2-DEG_F a qudt:Unit ; + rdfs:label "British Thermal Unit (thermochemical) Foot Per Hour Square Foot degree Fahrenheit"@en ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.73 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA123" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅ft/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_th].[ft_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs, + "[Btu_th].[ft_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J46" ; + rdfs:isDefinedBy . + +unit:BTU_TH-IN-PER-FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (TH) Inch per Square Foot Hour Degree Fahrenheit"@en ; + dcterms:description "\\({\\bf BTU_{th}}\\), Inch per Square Foot Hour Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu-in/(hr-ft^{2}-degF)\\). A thermochemical British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.144131434 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu(th)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA125" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:latexSymbol "\\(Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅in/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_th].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J48" ; + rdfs:isDefinedBy . + +unit:BTU_TH-IN-PER-FT2-SEC-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (TH) Inch per Square Foot Second Degree Fahrenheit"@en ; + dcterms:description "\\(BTU_{TH}\\) Inch per Square Foot Second Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot in/(ft^{2} \\cdot s \\cdot degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 518.8732 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA126" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{th}⋅in/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_th].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BU_UK a qudt:Unit ; + rdfs:label "bushel (UK)"@en ; + dcterms:description "A bushel is an imperial unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.03636872 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAA344" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; + qudt:symbol "bsh{UK}" ; + qudt:ucumCode "[bu_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BUI" ; + rdfs:isDefinedBy . + +unit:BU_US a qudt:Unit ; + rdfs:label "bushel (US)"@en ; + dcterms:description "A bushel is an imperial and U.S. customary unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03523907 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:iec61360Code "0112/2///62720#UAA353" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "bsh{US}" ; + qudt:ucumCode "[bu_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "bu" ; + qudt:uneceCommonCode "BUA" ; + rdfs:isDefinedBy . + +unit:C-M2-PER-V a qudt:Unit ; + rdfs:label "Coulomb mal Quadratmeter je Volt"@de, + "coulomb square metre per volt"@en, + "Coulomb Square Meter Per Volt"@en-us, + "کولن متر مربع بر ولت"@fa, + "coulomb per metro quadrato al volt"@it, + "库伦平方米每伏特"@zh ; + dcterms:description "Coulomb Square Meter (C-m2-per-volt) is a unit in the category of Electric polarizability."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(C m^{2} v^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:iec61360Code "0112/2///62720#UAB486" ; + qudt:symbol "C⋅m²/V" ; + qudt:ucumCode "C.m2.V-1"^^qudt:UCUMcs, + "C.m2/V"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A27" ; + rdfs:isDefinedBy . + +unit:C-PER-CentiM3 a qudt:Unit ; + rdfs:label "Coulomb Per Cubic Centimetre"@en, + "Coulomb Per Cubic Centimeter"@en-us ; + dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAB120" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3" ; + qudt:symbol "C/cm³" ; + qudt:ucumCode "C.cm-3"^^qudt:UCUMcs, + "C/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A28" ; + rdfs:isDefinedBy . + +unit:C-PER-KiloGM-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Coulomb Per Kilogram Second"@en ; + dcterms:description "The SI unit of exposure rate"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(C/kg-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:ExposureRate ; + qudt:iec61360Code "0112/2///62720#UAA132" ; + qudt:informativeReference "http://en.wikibooks.org/wiki/Basic_Physics_of_Nuclear_Medicine/Units_of_Radiation_Measurement"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "C/kg⋅s" ; + qudt:ucumCode "C.kg-1.s-1"^^qudt:UCUMcs, + "C/(kg.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A31" ; + rdfs:isDefinedBy . + +unit:C-PER-MilliM3 a qudt:Unit ; + rdfs:label "Coulomb Per Cubic Millimetre"@en, + "Coulomb Per Cubic Millimeter"@en-us ; + dcterms:description "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAB119" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3" ; + qudt:symbol "C/mm³" ; + qudt:ucumCode "C.mm-3"^^qudt:UCUMcs, + "C/mm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A30" ; + rdfs:isDefinedBy . + +unit:CAL_IT-PER-SEC-CentiM-K a qudt:Unit ; + rdfs:label "Calorie (international Table) Per Second Centimetre Kelvin"@en, + "Calorie (international Table) Per Second Centimeter Kelvin"@en-us ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 418.68 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB108" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{IT}/(s⋅cm⋅K)" ; + qudt:ucumCode "cal_IT.s-1.cm-1.K-1"^^qudt:UCUMcs, + "cal_IT/(s.cm.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D71" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-CentiM-SEC-DEG_C a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Centimetre Second Degree Celsius"@en, + "Calorie (thermochemical) Per Centimeter Second Degree Celsius"@en-us ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 418.4 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA365" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{th}/(cm⋅s⋅°C)" ; + qudt:ucumCode "cal_th.cm-1.s-1.Cel-1"^^qudt:UCUMcs, + "cal_th/(cm.s.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J78" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-SEC-CentiM-K a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Second Centimetre Kelvin"@en, + "Calorie (thermochemical) Per Second Centimeter Kelvin"@en-us ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 418.4 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAB109" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "cal{th}/(s⋅cm⋅K)" ; + qudt:ucumCode "cal_th.s-1.cm-1.K-1"^^qudt:UCUMcs, + "cal_th/(s.cm.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D38" ; + rdfs:isDefinedBy . + +unit:CD-PER-IN2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Candela per Square Inch"@en ; + dcterms:description "\"Candela per Square Inch\" is a unit for 'Luminance' expressed as \\(cd/in^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1550.0031000062002 ; + qudt:expression "\\(cd/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB257" ; + qudt:symbol "cd/in²" ; + qudt:ucumCode "cd.[in_i]-2"^^qudt:UCUMcs, + "cd/[in_i]2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P28" ; + rdfs:isDefinedBy . + +unit:CD-PER-LM a qudt:Unit ; + rdfs:label "Candela per Lumen"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:LuminousIntensityDistribution ; + qudt:symbol "cd/lm" ; + rdfs:isDefinedBy . + +unit:CD-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "candela per square metre"@en, + "candela per square meter"@en-us ; + dcterms:description "The candela per square metre (\\(cd/m^2\\)) is the derived SI unit of luminance. The unit is based on the candela, the SI unit of luminous intensity, and the square metre, the SI unit of area. Nit (nt) is a deprecated non-SI name also used for this unit (\\(1 nit = 1 cd/m^2\\)). As a measure of light emitted per unit area, this unit is frequently used to specify the brightness of a display device. Most consumer desktop liquid crystal displays have luminances of 200 to 300 \\(cd/m^2\\); the sRGB spec for monitors targets 80 cd/m2. HDTVs range from 450 to about 1000 cd/m2. Typically, calibrated monitors should have a brightness of \\(120 cd/m^2\\). \\(Nit\\) is believed to come from the Latin word nitere, to shine."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(cd/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAA371" ; + qudt:symbol "cd/m²" ; + qudt:ucumCode "cd.m-2"^^qudt:UCUMcs, + "cd/m2"^^qudt:UCUMcs ; + qudt:udunitsCode "nt" ; + qudt:uneceCommonCode "A24" ; + rdfs:isDefinedBy . + +unit:CFU a qudt:Unit ; + rdfs:label "Colony Forming Unit"@en ; + dcterms:description "\"Colony Forming Unit\" is a unit for 'Microbial Formation' expressed as \\(CFU\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Colony-forming_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MicrobialFormation ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Colony-forming_unit?oldid=473146689"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "CFU" ; + qudt:ucumCode "[CFU]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CLO a qudt:Unit ; + rdfs:label "Clo"@en ; + dcterms:description "A C.G.S System unit for \\(\\textit{Thermal Insulance}\\) expressed as \"clo\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.155 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA374" ; + qudt:symbol "clo" ; + qudt:uneceCommonCode "J83" ; + rdfs:isDefinedBy . + +unit:CORD a qudt:Unit ; + rdfs:label "Cord"@en ; + dcterms:description "The cord is a unit of measure of dry volume used in Canada and the United States to measure firewood and pulpwood. A cord is the amount of wood that, when 'ranked and well stowed' (arranged so pieces are aligned, parallel, touching and compact), occupies a volume of 128 cubic feet (3.62 cubic metres). This corresponds to a well stacked woodpile 4 feet (122 cm) wide, 4 feet (122 cm) high, and 8 feet (244 cm) long; or any other arrangement of linear measurements that yields the same volume. The name cord probably comes from the use of a cord or string to measure it. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.62 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cord"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cord?oldid=490232340"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "cord" ; + qudt:ucumCode "[crd_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WCD" ; + rdfs:isDefinedBy . + +unit:CP a qudt:Unit ; + rdfs:label "Candlepower"@en ; + dcterms:description "\"Candlepower\" (abbreviated as cp) is a now-obsolete unit which was used to express levels of light intensity in terms of the light emitted by a candle of specific size and constituents. In modern usage Candlepower equates directly to the unit known as the candela."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Candlepower"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousIntensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Candlepower?oldid=491140098"^^xsd:anyURI ; + qudt:symbol "cp" ; + rdfs:isDefinedBy . + +unit:CUP a qudt:Unit ; + rdfs:label "US Liquid Cup"@en ; + dcterms:description "\"US Liquid Cup\" is a unit for 'Liquid Volume' expressed as \\(cup\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00023658825 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "cup" ; + qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G21" ; + rdfs:isDefinedBy . + +unit:CUP_US a qudt:Unit ; + rdfs:label "Cup (US)"@en ; + dcterms:description "unit of the volume according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0002365882 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA404" ; + qudt:plainTextDescription "unit of the volume according to the Anglo-American system of units" ; + qudt:symbol "cup{US}" ; + qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G21" ; + rdfs:isDefinedBy . + +unit:C_Stat-PER-MOL a qudt:Unit ; + rdfs:label "Statcoulomb per Mole"@en ; + dcterms:description "\"Statcoulomb per Mole\" is a unit of measure for the electical charge associated with one mole of a substance. The mole is a unit of measurement used in chemistry to express amounts of a chemical substance, defined as an amount of a substance that contains as many elementary entities (e.g., atoms, molecules, ions, electrons) as there are atoms in 12 grams of pure carbon-12 (12C), the isotope of carbon with atomic weight 12."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.33564e-10 ; + qudt:expression "\\(statC/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:symbol "statC/mol" ; + rdfs:isDefinedBy . + +unit:CentiL a qudt:Unit ; + rdfs:label "Centilitre"@en, + "Centilitre"@en-us ; + dcterms:description "0,01-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA373" ; + qudt:plainTextDescription "0,01-fold of the unit litre" ; + qudt:symbol "cL" ; + qudt:ucumCode "cL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CLT" ; + rdfs:isDefinedBy . + +unit:CentiM-PER-K a qudt:Unit ; + rdfs:label "Centimetre Per Kelvin"@en, + "Centimeter Per Kelvin"@en-us ; + dcterms:description "0,01-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA376" ; + qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "cm/K" ; + qudt:ucumCode "cm.K-1"^^qudt:UCUMcs, + "cm/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F51" ; + rdfs:isDefinedBy . + +unit:CentiM-SEC-DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Centimetre Second Degree Celsius"@en, + "Centimeter Second Degree Celsius"@en-us ; + dcterms:description "\\(\\textbf{Centimeter Second Degree Celsius}\\) is a C.G.S System unit for 'Length Temperature Time' expressed as \\(cm-s-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(cm-s-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperatureTime ; + qudt:symbol "cm⋅s⋅°C" ; + qudt:ucumCode "cm.s.Cel-1"^^qudt:UCUMcs, + "cm.s/Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM2-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Centimetre Minute"@en, + "Square Centimeter Minute"@en-us ; + dcterms:description "\"Square centimeter minute\" is a unit for 'Area Time' expressed as \\(cm^{2} . m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.006 ; + qudt:expression "\\(cm^{2}m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "cm²m" ; + qudt:ucumCode "cm2.min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM2-PER-CentiM3 a qudt:Unit ; + rdfs:label "Square centimetres per cubic centimetre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "cm²/cm³" ; + qudt:ucumCode "cm2.cm-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM2-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Centimetre Second"@en, + "Square Centimeter Second"@en-us ; + dcterms:description "\"Square Centimeter Second\" is a C.G.S System unit for 'Area Time' expressed as \\(cm^2 . s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(cm^2 . s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "cm²⋅s" ; + qudt:ucumCode "cm2.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-CentiM3 a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Cubic Centimetre"@en, + "Cubic Centimeter Per Cubic Centimeter"@en-us ; + dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:plainTextDescription "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "cm³/cm³" ; + qudt:ucumCode "cm3.cm-3"^^qudt:UCUMcs, + "cm3/cm3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-GM a qudt:Unit ; + rdfs:label "Cubic Centimetres per Gram"@en, + "Cubic Centimeters per Gram"@en-us ; + dcterms:description "Cubic Centimeter per Gram is a unit in the category of Specific Volume."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:MilliL-PER-GM ; + qudt:expression "\\(cm3/g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:symbol "cm³/g" ; + qudt:ucumCode "cm3.g-1"^^qudt:UCUMcs, + "cm3/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-K a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Kelvin"@en, + "Cubic Centimeter Per Kelvin"@en-us ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA386" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin" ; + qudt:symbol "cm³/K" ; + qudt:ucumCode "cm3.K-1"^^qudt:UCUMcs, + "cm3/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G27" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-M3 a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Cubic Metre"@en, + "Cubic Centimeter Per Cubic Meter"@en-us ; + dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA394" ; + qudt:plainTextDescription "volume ratio consisting of the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "cm³/m³" ; + qudt:ucumCode "cm3.m-3"^^qudt:UCUMcs, + "cm3/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J87" ; + rdfs:isDefinedBy . + +unit:CentiST a qudt:Unit ; + rdfs:label "Centistokes"@en ; + dcterms:description "\\(\\textbf{Centistokes}\\) is a C.G.S System unit for 'Kinematic Viscosity' expressed as \\(cSt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:iec61360Code "0112/2///62720#UAA359" ; + qudt:symbol "cSt" ; + qudt:ucumCode "cSt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4C" ; + rdfs:isDefinedBy . + +unit:Ci a qudt:Unit ; + rdfs:label "Curie"@en ; + dcterms:description "The curie (symbol Ci) is a non-SI unit of radioactivity, named after Marie and Pierre Curie. It is defined as \\(1Ci = 3.7 \\times 10^{10} decays\\ per\\ second\\). Its continued use is discouraged. One Curie is roughly the activity of 1 gram of the radium isotope Ra, a substance studied by the Curies. The SI derived unit of radioactivity is the becquerel (Bq), which equates to one decay per second. Therefore: \\(1Ci = 3.7 \\times 10^{10} Bq= 37 GBq\\) and \\(1Bq \\equiv 2.703 \\times 10^{-11}Ci \\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.7e+10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA138" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Ci" ; + qudt:ucumCode "Ci"^^qudt:UCUMcs ; + qudt:udunitsCode "Ci" ; + qudt:uneceCommonCode "CUR" ; + rdfs:isDefinedBy . + +unit:DARCY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Darcy"@en ; + dcterms:description "

The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length2.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 0.0000000000009869233 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Darcy_(unit)"^^xsd:anyURI ; + qudt:expression "\\(d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length²." ; + qudt:symbol "d" ; + rdfs:isDefinedBy . + +unit:DEG-PER-M a qudt:Unit ; + rdfs:label "Degrees per metre"@en ; + dcterms:description "A change of angle in one SI unit of length."@en ; + qudt:conversionMultiplier 0.0174532925199433 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°/m" ; + qudt:ucumCode "deg.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H27" ; + rdfs:isDefinedBy . + +unit:DEG-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Degree per Square Second"@en ; + dcterms:description "\\(\\textit{Degree per Square Second}\\) is an Imperial unit for \\(\\textit{Angular Acceleration}\\) expressed as \\(deg/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:expression "\\(deg/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB407" ; + qudt:symbol "°/s²" ; + qudt:ucumCode "deg.s-2"^^qudt:UCUMcs, + "deg/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M45" ; + rdfs:isDefinedBy . + +unit:DEG2 a qudt:Unit ; + rdfs:label "Square degree"@en ; + dcterms:description "A square degree is a non-SI unit measure of solid angle. It is denoted in various ways, including deg, sq. deg. and \\(\\circ^2\\). Just as degrees are used to measure parts of a circle, square degrees are used to measure parts of a sphere. Analogous to one degree being equal to \\(\\pi /180 radians\\), a square degree is equal to (\\(\\pi /180)\\) or about 1/3283 steradian. The number of square degrees in a whole sphere is or approximately 41 253 deg. This is the total area of the 88 constellations in the list of constellations by area. For example, observed from the surface of the Earth, the Moon has a diameter of approximately \\(0.5^\\circ\\), so it covers a solid angle of approximately 0.196 deg, which is \\(4.8 \\times 10\\) of the total sky sphere."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.00030461742 ; + qudt:expression "\\(deg^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:symbol "°²" ; + qudt:ucumCode "deg2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEGREE_API a qudt:Unit ; + rdfs:label "Degree API"@en ; + dcterms:description "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)"^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Gravity_API ; + qudt:iec61360Code "0112/2///62720#UAA027" ; + qudt:plainTextDescription "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)" ; + qudt:symbol "°API" ; + qudt:uneceCommonCode "J13" ; + rdfs:isDefinedBy . + +unit:DEG_C-CentiM a qudt:Unit ; + rdfs:label "Degree Celsius Centimetre"@en, + "Degree Celsius Centimeter"@en-us ; + dcterms:description "\\(\\textbf{Degree Celsius Centimeter} is a C.G.S System unit for 'Length Temperature' expressed as \\(cm-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(cm-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:symbol "°C⋅cm" ; + qudt:ucumCode "Cel.cm"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C-KiloGM-PER-M2 a qudt:Unit ; + rdfs:label "Degrees Celsius kilogram per square metre"@en ; + dcterms:description "Derived unit for the product of the temperature in degrees Celsius and the mass density of a medium, integrated over vertical depth or height in metres."@en ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°C⋅kg/m²" ; + qudt:ucumCode "Cel.kg.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-K a qudt:Unit ; + rdfs:label "Degree Celsius Per Kelvin"@en ; + dcterms:description "unit with the name Degree Celsius divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA034" ; + qudt:plainTextDescription "unit with the name Degree Celsius divided by the SI base unit kelvin" ; + qudt:symbol "°C/K" ; + qudt:ucumCode "Cel.K-1"^^qudt:UCUMcs, + "Cel/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E98" ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-M a qudt:Unit ; + rdfs:label "Degrees Celsius per metre"@en ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureGradient ; + qudt:symbol "°C/m" ; + qudt:ucumCode "Cel.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C-WK a qudt:Unit ; + rdfs:label "Degree Celsius week"@en ; + dcterms:description "temperature multiplied by unit of time."@en ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 6.048e+05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "°C/wk" ; + qudt:ucumCode "Cel.wk"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C2-PER-SEC a qudt:Unit ; + rdfs:label "Square Degrees Celsius per second"@en ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "°C²⋅s" ; + qudt:ucumCode "K2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C_GROWING_CEREAL-DAY a qudt:Unit ; + rdfs:label "Growing Degree Days (Cereals)"@en ; + dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; + qudt:conversionMultiplier 8.64e+04 ; + qudt:conversionOffset 0e+00 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:GrowingDegreeDay_Cereal ; + qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; + qudt:symbol "GDD" ; + rdfs:isDefinedBy . + +unit:DEG_F-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Degree Fahrenheit Hour"@en ; + dcterms:description ""^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF-hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "°F⋅hr" ; + rdfs:isDefinedBy . + +unit:DEG_F-HR-FT2-PER-BTU_IT a qudt:Unit ; + rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (international Table)"@en ; + dcterms:description "unit of the thermal resistor according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.89563 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA043" ; + qudt:plainTextDescription "unit of the thermal resistor according to the Imperial system of units" ; + qudt:symbol "°F⋅hr⋅ft²/Btu{IT}" ; + qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_IT]-1"^^qudt:UCUMcs, + "[degF]/(h.[ft_i]2.[Btu_IT])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J22" ; + rdfs:isDefinedBy . + +unit:DEG_F-HR-FT2-PER-BTU_TH a qudt:Unit ; + rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (thermochemical)"@en ; + dcterms:description "unit of the thermal resistor according to the according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.8969 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA040" ; + qudt:plainTextDescription "unit of the thermal resistor according to the according to the Imperial system of units" ; + qudt:symbol "°F⋅hr⋅ft²/Btu{th}" ; + qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_th]-1"^^qudt:UCUMcs, + "[degF]/(h.[ft_i]2.[Btu_th])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J19" ; + rdfs:isDefinedBy . + +unit:DEG_F-HR-PER-BTU_IT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Degree Fahrenheit Hour per BTU"@en ; + dcterms:description "\\(\\textbf{Degree Fahrenheit Hour per BTU} is an Imperial unit for 'Thermal Resistance' expressed as \\(degF-hr/Btu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF-hr/Btu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:symbol "°F⋅hr/Btu" ; + qudt:ucumCode "[degF].h.[Btu_IT]-1"^^qudt:UCUMcs, + "[degF].h/[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_F-PER-K a qudt:Unit ; + rdfs:label "Degree Fahrenheit Per Kelvin"@en ; + dcterms:description "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.5555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA041" ; + qudt:plainTextDescription "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin" ; + qudt:symbol "°F/K" ; + qudt:ucumCode "[degF].K-1"^^qudt:UCUMcs, + "[degF]/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J20" ; + rdfs:isDefinedBy . + +unit:DEG_F-PER-SEC2 a qudt:Unit ; + rdfs:label "Degree Fahrenheit per Square Second"@en ; + dcterms:description "\\(\\textit{Degree Fahrenheit per Square Second}\\) is a C.G.S System unit for expressing the acceleration of a temperature expressed as \\(degF / s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF / s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:plainTextDescription "'Degree Fahrenheit per Square Second' is a unit for expressing the acceleration of a temperature expressed as 'degF /s2'." ; + qudt:symbol "°F/s²" ; + qudt:ucumCode "[degF].s-2"^^qudt:UCUMcs, + "[degF]/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DIOPTER a qudt:Unit ; + rdfs:label "Diopter"@en ; + dcterms:description "A dioptre, or diopter, is a unit of measurement for the optical power of a lens or curved mirror, which is equal to the reciprocal of the focal length measured in metres (that is, \\(1/metre\\)). For example, a \\(3 \\; dioptre\\) lens brings parallel rays of light to focus at \\(1/3\\,metre\\). The same unit is also sometimes used for other reciprocals of distance, particularly radii of curvature and the vergence of optical beams. Though the diopter is based on the SI-metric system it has not been included in the standard so that there is no international name or abbreviation for this unit of measurement within the international system of units this unit for optical power would need to be specified explicitly as the inverse metre."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dioptre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Curvature ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dioptre?oldid=492506920"^^xsd:anyURI ; + qudt:symbol "D" ; + qudt:ucumCode "[diop]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q25" ; + rdfs:isDefinedBy . + +unit:DYN-SEC-PER-CentiM a qudt:Unit ; + rdfs:label "Dyne Second Per Centimetre"@en, + "Dyne Second Per Centimeter"@en-us ; + dcterms:description "CGS unit of the mechanical impedance"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB144" ; + qudt:plainTextDescription "CGS unit of the mechanical impedance" ; + qudt:symbol "dyn⋅s/cm" ; + qudt:ucumCode "dyn.s.cm-1"^^qudt:UCUMcs, + "dyn.s/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A51" ; + rdfs:isDefinedBy . + +unit:DYN-SEC-PER-CentiM3 a qudt:Unit ; + rdfs:label "Dyne Second Per Cubic Centimetre"@en, + "Dyne Second Per Cubic Centimeter"@en-us ; + dcterms:description "CGS unit of the acoustic image impedance of the medium"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAB102" ; + qudt:plainTextDescription "CGS unit of the acoustic image impedance of the medium" ; + qudt:symbol "dyn⋅s/cm³" ; + qudt:ucumCode "dyn.s.cm-3"^^qudt:UCUMcs, + "dyn.s/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A50" ; + rdfs:isDefinedBy . + +unit:Debye a qudt:Unit ; + rdfs:label "Debye"@en ; + dcterms:description "\"Debye\" is a C.G.S System unit for 'Electric Dipole Moment' expressed as \\(D\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.33564e-30 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Debye"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Debye?oldid=492149112"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "D" ; + rdfs:isDefinedBy . + +unit:DeciBAR-PER-YR a qudt:Unit ; + rdfs:label "Decibars per year"@en ; + dcterms:description "A rate of change of pressure expressed in decibars over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.00031688 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "dbar/yr" ; + qudt:ucumCode "dbar.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DeciB_C a qudt:Unit ; + rdfs:label "Decibel Carrier Unit"@en ; + dcterms:description "\"Decibel Carrier Unit\" is a unit for 'Signal Detection Threshold' expressed as \\(dBc\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SignalDetectionThreshold ; + qudt:symbol "dBc" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-M3 a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Cubic Metre"@en, + "Cubic Decimeter Per Cubic Meter"@en-us ; + dcterms:description "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA417" ; + qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "dm³/m³" ; + qudt:ucumCode "dm3.m-3"^^qudt:UCUMcs, + "dm3/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J91" ; + rdfs:isDefinedBy . + +unit:DeciS-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "decisiemens per metre"@en, + "decisiemens per meter"@en-us ; + dcterms:description "Decisiemens per metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:plainTextDescription "Decisiemens per metre." ; + qudt:symbol "dS/m" ; + qudt:ucumCode "dS.m-1"^^qudt:UCUMcs, + "dS/m"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:Denier a qudt:Unit ; + rdfs:label "Denier"@en ; + dcterms:description "Denier or den is a unit of measure for the linear mass density of fibers. It is defined as the mass in grams per 9,000 meters. In the International System of Units the tex is used instead (see below). The denier is based on a natural standard: a single strand of silk is approximately one denier. A 9,000-meter strand of silk weighs about one gram. The term denier is from the French denier, a coin of small value (worth 1/12 of a sou). Applied to yarn, a denier was held to be equal in weight to 1/24 of an ounce. The term microdenier is used to describe filaments that weigh less than one gram per 9,000 meter length."^^rdf:HTML ; + qudt:conversionMultiplier 1.1e-07 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Denier"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB244" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Denier?oldid=463382291"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Units_of_textile_measurement#Denier"^^xsd:anyURI ; + qudt:symbol "D" ; + qudt:ucumCode "[den]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A49" ; + rdfs:isDefinedBy . + +unit:ERG-PER-CentiM a qudt:Unit ; + rdfs:label "Erg Per Centimetre"@en, + "Erg Per Centimeter"@en-us ; + dcterms:description "CGS unit of the length-related energy"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAB145" ; + qudt:plainTextDescription "CGS unit of the length-related energy" ; + qudt:symbol "erg/cm" ; + qudt:ucumCode "erg.cm-1"^^qudt:UCUMcs, + "erg/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A58" ; + rdfs:isDefinedBy . + +unit:EV-PER-ANGSTROM a qudt:Unit ; + rdfs:label "Electronvolt Per Angstrom"@en ; + dcterms:description "unit electronvolt divided by the unit angstrom"^^rdf:HTML ; + qudt:conversionMultiplier 1.602177e-09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:latexSymbol "\\(ev/\\AA\\)"^^qudt:LatexString ; + qudt:plainTextDescription "unit electronvolt divided by the unit angstrom" ; + qudt:symbol "eV/Å" ; + qudt:ucumCode "eV.Ao-1"^^qudt:UCUMcs, + "eV/Ao"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:EV-PER-M a qudt:Unit ; + rdfs:label "Electronvolt Per Metre"@en, + "Electronvolt Per Meter"@en-us ; + dcterms:description "unit electronvolt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA426" ; + qudt:plainTextDescription "unit electronvolt divided by the SI base unit metre" ; + qudt:symbol "eV/m" ; + qudt:ucumCode "eV.m-1"^^qudt:UCUMcs, + "eV/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A54" ; + rdfs:isDefinedBy . + +unit:FA a qudt:Unit ; + rdfs:label "Fractional area"@en ; + dcterms:description "\"Fractional area\" is a unit for 'Solid Angle' expressed as \\(fa\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 12.5663706 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:symbol "fa" ; + rdfs:isDefinedBy . + +unit:FARAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "فاراد"@ar, + "фарад"@bg, + "farad"@cs, + "Farad"@de, + "φαράντ"@el, + "farad"@en, + "faradio"@es, + "فاراد"@fa, + "farad"@fr, + "פאראד"@he, + "फैराड"@hi, + "farad"@hu, + "farad"@it, + "ファラド"@ja, + "faradium"@la, + "farad"@ms, + "farad"@pl, + "farad"@pt, + "farad"@ro, + "фарада"@ru, + "farad"@sl, + "farad"@tr, + "法拉"@zh ; + dcterms:description "The SI unit of electric capacitance. Very early in the study of electricity scientists discovered that a pair of conductors separated by an insulator can store a much larger charge than an isolated conductor can store. The better the insulator, the larger the charge that the conductors can hold. This property of a circuit is called capacitance, and it is measured in farads. One farad is defined as the ability to store one coulomb of charge per volt of potential difference between the two conductors. This is a natural definition, but the unit it defines is very large. In practical circuits, capacitance is often measured in microfarads, nanofarads, or sometimes even in picofarads (10-12 farad, or trillionths of a farad). The unit is named for the British physicist Michael Faraday (1791-1867), who was known for his work in electricity and electrochemistry."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA144" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "C/V" ; + qudt:symbol "F" ; + qudt:ucumCode "F"^^qudt:UCUMcs ; + qudt:udunitsCode "F" ; + qudt:uneceCommonCode "FAR" ; + rdfs:isDefinedBy . + +unit:FARAD-PER-KiloM a qudt:Unit ; + rdfs:label "Farad Per Kilometre"@en, + "Farad Per Kilometer"@en-us ; + dcterms:description "SI derived unit farad divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA145" ; + qudt:plainTextDescription "SI derived unit farad divided by the 1 000-fold of the SI base unit metre" ; + qudt:symbol "F/km" ; + qudt:ucumCode "F.km-1"^^qudt:UCUMcs, + "F/km"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H33" ; + rdfs:isDefinedBy . + +unit:FARAD_Ab a qudt:Unit ; + rdfs:label "Abfarad"@en ; + dcterms:description "An abfarad is an obsolete electromagnetic (CGS) unit of capacitance equal to \\(10^{9}\\) farads (1,000,000,000 F or 1 GF). The absolute farad of the e.m.u. system, for a steady current identically \\(abC/abV\\), and identically reciprocal abdaraf. 1 abF = 1 GF."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abfarad"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abfarad?oldid=407124018"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abF" ; + qudt:ucumCode "GF"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FARAD_Ab-PER-CentiM a qudt:Unit ; + rdfs:label "Abfarad per Centimetre"@en, + "Abfarad per Centimeter"@en-us ; + dcterms:description "The absolute dielectric constant of free space is defined as the ratio of displacement to the electric field intensity. The unit of measure is the abfarad per centimeter, a derived CGS unit."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+11 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abf-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:symbol "abf/cm" ; + qudt:ucumCode "GF.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FARAD_Stat a qudt:Unit ; + rdfs:label "Statfarad"@en ; + dcterms:description "Statfarad (statF) is a unit in the category of Electric capacitance. It is also known as statfarads. This unit is commonly used in the cgs unit system. Statfarad (statF) has a dimension of \\(M^{-1}L^{-2}T^4I^2\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit F by multiplying its value by a factor of 1.11265E-012."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 1.11265e-18 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_capacitance--statfarad.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statF" ; + rdfs:isDefinedBy . + +unit:FRAME-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Frame per Second"@en ; + dcterms:description "\"Frame per Second\" is a unit for 'Video Frame Rate' expressed as \\(fps\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VideoFrameRate ; + qudt:symbol "fps" ; + qudt:ucumCode "/s{frame}"^^qudt:UCUMcs, + "s-1{frame}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-LA a qudt:Unit ; + rdfs:label "Foot Lambert"@en ; + dcterms:description "\"Foot Lambert\" is a C.G.S System unit for 'Luminance' expressed as \\(ft-L\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.4262591 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(ft-L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:symbol "ft⋅L" ; + qudt:ucumCode "[ft_i].Lmb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P29" ; + rdfs:isDefinedBy . + +unit:FT-PER-DEG_F a qudt:Unit ; + rdfs:label "Foot Per Degree Fahrenheit"@en ; + dcterms:description "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.54864 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA441" ; + qudt:plainTextDescription "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "ft/°F" ; + qudt:ucumCode "[ft_i].[lbf_av].[degF]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K13" ; + rdfs:isDefinedBy . + +unit:FT2-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Square Foot Degree Fahrenheit} is an Imperial unit for 'Area Temperature' expressed as \\(ft^{2}-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:symbol "ft²⋅°F" ; + qudt:ucumCode "[sft_i].[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot Hour Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}-hr-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}-hr-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:symbol "ft²⋅hr⋅°F" ; + qudt:ucumCode "[sft_i].h.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT2-HR-DEG_F-PER-BTU_IT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot Hour Degree Fahrenheit per BTU"@en ; + dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit per BTU} is an Imperial unit for 'Thermal Insulance' expressed as \\((degF-hr-ft^{2})/Btu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(sqft-hr-degF/btu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:symbol "sqft⋅hr⋅°F/btu" ; + qudt:ucumCode "[sft_i].h.[degF].[Btu_IT]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT2-PER-BTU_IT-IN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot per BTU Inch"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00346673589 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft2-per-btu-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "ft²/btu⋅in" ; + qudt:ucumCode "[sft_i].[Btu_IT]-1.[in_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT2-SEC-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot Second Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Square Foot Second Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}\\cdot s\\cdot degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}-s-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; + qudt:symbol "ft²⋅s⋅°F" ; + qudt:ucumCode "[sft_i].s.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT3-PER-DEG_F a qudt:Unit ; + rdfs:label "Cubic Foot Per Degree Fahrenheit"@en ; + dcterms:description "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.05097033 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA457" ; + qudt:plainTextDescription "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "ft³/°F" ; + qudt:ucumCode "[cft_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K21" ; + rdfs:isDefinedBy . + +unit:FemtoMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Femtomoles per kilogram"@en ; + dcterms:description "A 10**15 part quantity of substance of the measurand per kilogram mass of matrix."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "fmol/kg" ; + qudt:ucumCode "fmol.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GAL_IMP a qudt:Unit ; + rdfs:label "Imperial Gallon"@en ; + dcterms:description "A British gallon used in liquid and dry measurement approximately 1.2 U.S. gallons, or 4.54 liters"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "gal{Imp}" ; + qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLI" ; + rdfs:isDefinedBy . + +unit:GAL_UK a qudt:Unit ; + rdfs:label "Gallon (UK)"@en ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:iec61360Code "0112/2///62720#UAA500" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "gal{UK}" ; + qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLI" ; + rdfs:isDefinedBy . + +unit:GAL_US a qudt:Unit ; + rdfs:label "US Gallon"@en ; + dcterms:description "\"US Gallon\" is a unit for 'Liquid Volume' expressed as \\(galUS\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.003785412 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "gal{US}" ; + qudt:ucumCode "[gal_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLL" ; + rdfs:isDefinedBy ; + skos:altLabel "Queen Anne's wine gallon" . + +unit:GAL_US_DRY a qudt:Unit ; + rdfs:label "Dry Gallon US"@en ; + dcterms:description "\"Dry Gallon US\" is a unit for 'Dry Volume' expressed as \\(dry_gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00440488377 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "gal{US Dry}" ; + qudt:ucumCode "[gal_wi]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GLD" ; + rdfs:isDefinedBy ; + skos:altLabel "Winchester gallon", + "corn gallon" . + +unit:GI a qudt:Unit ; + rdfs:label "Gilbert"@en ; + dcterms:description "The fundamental unit of magnetomotive force (\\(mmf\\)) in electromagnetic units is called a Gilbert. It is the \\(mmf\\) which will produce a magnetic field strength of one Gauss (Maxwell per Square Centimeter) in a path one centimeter long."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 0.795774715 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gilbert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:iec61360Code "0112/2///62720#UAB211" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gilbert?oldid=492755037"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Gb" ; + qudt:ucumCode "Gb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N97" ; + rdfs:isDefinedBy . + +unit:GM-MilliM a qudt:Unit ; + rdfs:label "Gram Millimetre"@en, + "Gram Millimeter"@en-us ; + dcterms:description "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB381" ; + qudt:plainTextDescription "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre" ; + qudt:symbol "g/mm" ; + qudt:ucumCode "g.mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H84" ; + rdfs:isDefinedBy . + +unit:GM-PER-CentiM2 a qudt:Unit ; + rdfs:label "Gram Per Square Centimetre"@en, + "Gram Per Square Centimeter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB103" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2" ; + qudt:symbol "g/cm²" ; + qudt:ucumCode "g.cm-2"^^qudt:UCUMcs, + "g/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "25" ; + rdfs:isDefinedBy . + +unit:GM-PER-CentiM2-YR a qudt:Unit ; + rdfs:label "Grams per square centimetre per year"@en ; + dcterms:description "A rate of change of 0.001 of the SI unit of mass over 0.00001 of the SI unit of area in a period of an average calendar year (365.25 days)"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.168809e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "g/(cm²⋅yr)" ; + qudt:ucumCode "g.cm-2.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-DAY a qudt:Unit ; + rdfs:label "Gram Per Day"@en ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA472" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit day" ; + qudt:symbol "g/day" ; + qudt:ucumCode "g.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F26" ; + rdfs:isDefinedBy . + +unit:GM-PER-DEG_C a qudt:Unit ; + rdfs:label "Gram Degree Celsius"@en ; + dcterms:description "\\(\\textbf{Gram Degree Celsius} is a C.G.S System unit for 'Mass Temperature' expressed as \\(g \\cdot degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(g-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "g/°C" ; + qudt:ucumCode "d.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-HR a qudt:Unit ; + rdfs:label "Gram Per Hour"@en ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA478" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit hour" ; + qudt:symbol "g/hr" ; + qudt:ucumCode "g.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F27" ; + rdfs:isDefinedBy . + +unit:GM-PER-KiloM a qudt:Unit ; + rdfs:label "Gram Per Kilometre"@en, + "Gram Per Kilometer"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre" ; + qudt:symbol "g/km" ; + qudt:ucumCode "g.km-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-M a qudt:Unit ; + rdfs:label "Gram Per Metre"@en, + "Gram Per Meter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA485" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the SI base unit metre" ; + qudt:symbol "g/m" ; + qudt:ucumCode "g.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GF" ; + rdfs:isDefinedBy . + +unit:GM-PER-M2 a qudt:Unit ; + rdfs:label "Gram Per Square Metre"@en, + "Gram Per Square Meter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA486" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "g/m²" ; + qudt:ucumCode "g.m-2"^^qudt:UCUMcs, + "g/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GM" ; + rdfs:isDefinedBy . + +unit:GM-PER-M2-DAY a qudt:Unit ; + rdfs:label "grams per square metre per day"@en, + "grams per square meter per day"@en-us ; + dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:expression "\\(g-m^{-2}-day^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day." ; + qudt:symbol "g/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-MIN a qudt:Unit ; + rdfs:label "Gram Per Minute"@en ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA490" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit minute" ; + qudt:symbol "g/min" ; + qudt:ucumCode "g.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F28" ; + rdfs:isDefinedBy . + +unit:GM-PER-MOL a qudt:Unit ; + rdfs:label "Gram Per Mole"@en ; + dcterms:description "0,01-fold of the SI base unit kilogram divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:iec61360Code "0112/2///62720#UAA496" ; + qudt:plainTextDescription "0,01-fold of the SI base unit kilogram divided by the SI base unit mol" ; + qudt:symbol "g/mol" ; + qudt:ucumCode "g.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A94" ; + rdfs:isDefinedBy . + +unit:GM-PER-MilliM a qudt:Unit ; + rdfs:label "Gram Per Millimetre"@en, + "Gram Per Millimeter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB376" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter" ; + qudt:symbol "g/mm" ; + qudt:ucumCode "g.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H76" ; + rdfs:isDefinedBy . + +unit:GM-PER-SEC a qudt:Unit ; + rdfs:label "Gram Per Second"@en ; + dcterms:description "0,001fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA497" ; + qudt:plainTextDescription "0,001fold of the SI base unit kilogram divided by the SI base unit second" ; + qudt:symbol "g/s" ; + qudt:ucumCode "g.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F29" ; + rdfs:isDefinedBy . + +unit:GM_Carbon-PER-M2-DAY a qudt:Unit ; + rdfs:label "grams Carbon per square metre per day"@en, + "grams Carbon per square meter per day"@en-us ; + dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:expression "\\(g C-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem." ; + qudt:symbol "g{carbon}/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1{C}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM_Nitrogen-PER-M2-DAY a qudt:Unit ; + rdfs:label "grams Nitrogen per square metre per day"@en, + "grams Nitrogen per square meter per day"@en-us ; + dcterms:description "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:expression "\\(g N-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem." ; + qudt:symbol "g{nitrogen}/(m²⋅day)" ; + qudt:ucumCode "g.m-2.d-1{N}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GigaBIT-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Gigabit per Second"@en ; + dcterms:description "A gigabit per second (Gbit/s or Gb/s) is a unit of data transfer rate equal to 1,000,000,000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 6.931472e+08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data-rate_units#Gigabit_per_second"^^xsd:anyURI ; + qudt:symbol "Gbps" ; + qudt:ucumCode "Gbit.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B80" ; + rdfs:isDefinedBy . + +unit:GigaBQ a qudt:Unit ; + rdfs:label "Gigabecquerel"@en ; + dcterms:description "1,000,000,000-fold of the derived SI unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAB047" ; + qudt:plainTextDescription "1 000 000 000-fold of the derived SI unit becquerel" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GBq" ; + qudt:ucumCode "GBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GBQ" ; + rdfs:isDefinedBy . + +unit:GigaOHM a qudt:Unit ; + rdfs:label "Gigaohm"@en ; + dcterms:description "1,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA147" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit ohm" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GΩ" ; + qudt:ucumCode "GOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A87" ; + rdfs:isDefinedBy . + +unit:HART-PER-SEC a qudt:Unit ; + rdfs:label "Hartley per Second"@en ; + dcterms:description "The \"Hartley per Second\" is a unit of information rate."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Hart/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB347" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "Hart/s" ; + qudt:uneceCommonCode "Q18" ; + rdfs:isDefinedBy . + +unit:HR-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Hour Square Foot"@en ; + dcterms:description "\"Hour Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(hr-ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 334.450944 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(hr-ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "hr⋅ft²" ; + qudt:ucumCode "h.[ft_i]2"^^qudt:UCUMcs, + "h.[sft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HectoPA-L-PER-SEC a qudt:Unit ; + rdfs:label "Hectopascal Litre Per Second"@en, + "Hectopascal Liter Per Second"@en-us ; + dcterms:description "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:iec61360Code "0112/2///62720#UAA530" ; + qudt:plainTextDescription "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "hPa⋅L/s" ; + qudt:ucumCode "hPa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F93" ; + rdfs:isDefinedBy . + +unit:HectoPA-M3-PER-SEC a qudt:Unit ; + rdfs:label "Hectopascal Cubic Metre Per Second"@en, + "Hectopascal Cubic Meter Per Second"@en-us ; + dcterms:description "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:iec61360Code "0112/2///62720#UAA531" ; + qudt:plainTextDescription "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "hPa⋅m³/s" ; + qudt:ucumCode "hPa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F94" ; + rdfs:isDefinedBy . + +unit:HectoPA-PER-BAR a qudt:Unit ; + rdfs:label "Hectopascal Per Bar"@en ; + dcterms:description "100-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA529" ; + qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "hPa/bar" ; + qudt:ucumCode "hPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E99" ; + rdfs:isDefinedBy . + +unit:HectoPA-PER-HR a qudt:Unit ; + rdfs:label "Hectopascals per hour"@en ; + dcterms:description "A change in pressure of one hundred Newtons per square metre (100 Pascals) per hour. Equivalent to a change of one millibar per hour."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "hPa/hr" ; + qudt:ucumCode "hPa.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HectoPA-PER-K a qudt:Unit ; + rdfs:label "Hectopascal Per Kelvin"@en ; + dcterms:description "100-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA528" ; + qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "hPa/K" ; + qudt:ucumCode "hPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F82" ; + rdfs:isDefinedBy . + +unit:IN-PER-DEG_F a qudt:Unit ; + rdfs:label "Inch Per Degree Fahrenheit"@en ; + dcterms:description "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.04572 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA540" ; + qudt:plainTextDescription "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "in/°F" ; + qudt:ucumCode "[in_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K45" ; + rdfs:isDefinedBy . + +unit:IN4 a qudt:Unit ; + rdfs:label "Quartic Inch"@en ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.162314e-07 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:iec61360Code "0112/2///62720#UAA545" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4" ; + qudt:symbol "in⁴" ; + qudt:ucumCode "[in_i]4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D69" ; + rdfs:isDefinedBy . + +unit:IU-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "International Unit per Litre"@en, + "International Unit per Liter"@en-us ; + dcterms:description """ +

International Unit per Liter is a unit for 'Serum Or Plasma Level' expressed as IU/L. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:expression "\\(IU/L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; + qudt:symbol "IU/L" ; + qudt:ucumCode "[IU].L-1"^^qudt:UCUMcs, + "[IU]/L"^^qudt:UCUMcs, + "[iU].L-1"^^qudt:UCUMcs, + "[iU]/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:seeAlso unit:IU . + +unit:IU-PER-MilliGM a qudt:Unit ; + rdfs:label "International Unit per milligram"@en ; + dcterms:description """ +

International Unit per milligramme. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:conversionMultiplier 1e-06 ; + qudt:conversionOffset 0e+00 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:plainTextDescription "International Units per milligramme." ; + qudt:symbol "IU/mg" ; + rdfs:isDefinedBy . + +unit:IU-PER-MilliL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "International Unit per milliliter"@en, + "International Unit per milliliter"@en-us ; + dcterms:description """ +

International Unit per Milliliter is a unit for 'Serum Or Plasma Level' expressed as IU/mL. +The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. +(See IU for more information). +

"""^^rdf:HTML ; + qudt:expression "\\(IU/mL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; + qudt:symbol "IU/mL" ; + qudt:ucumCode "[IU].mL-1"^^qudt:UCUMcs, + "[IU]/mL"^^qudt:UCUMcs, + "[iU].mL-1"^^qudt:UCUMcs, + "[iU]/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule Square Metre"@en, + "Joule Square Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalAtomicStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA181" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J⋅m²" ; + qudt:ucumCode "J.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D73" ; + rdfs:isDefinedBy . + +unit:J-M2-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule Square Metre per Kilogram"@en, + "Joule Square Meter per Kilogram"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(j-m2/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TotalMassStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAB487" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "j⋅m²/kg" ; + qudt:ucumCode "J.m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B20" ; + rdfs:isDefinedBy . + +unit:J-PER-M3-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Cubic Metre Kelvin"@en, + "Joule per Cubic Meter Kelvin"@en-us ; + dcterms:description "\\(\\textbf{Joule per Cubic Meter Kelvin} is a unit for 'Volumetric Heat Capacity' expressed as \\(J/(m^{3} K)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/(m^{3} K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:symbol "J/(m³⋅K)" ; + qudt:ucumCode "J.m-3.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-PER-M4 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Quartic Metre"@en, + "Joule per Quartic Meter"@en-us ; + dcterms:description "\\(\\textbf{Joule Per Quartic Meter} (\\(J/m^4\\)) is a unit for the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length). This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(J/m^4\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA177" ; + qudt:symbol "J/m⁴" ; + qudt:ucumCode "J.m-4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B14" ; + rdfs:isDefinedBy . + +unit:K-DAY a qudt:Unit ; + rdfs:label "Kelvin day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 86400.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "K⋅day" ; + qudt:ucumCode "K.d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-M a qudt:Unit ; + rdfs:label "Kelvin metres"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:symbol "K⋅m" ; + qudt:ucumCode "K.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-M-PER-SEC a qudt:Unit ; + rdfs:label "Kelvin metres per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅m/s" ; + qudt:ucumCode "K.m.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-M-PER-W a qudt:Unit ; + rdfs:label "Kelvin Metre Per Watt"@en, + "Kelvin Meter Per Watt"@en-us ; + dcterms:description "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:iec61360Code "0112/2///62720#UAB488" ; + qudt:plainTextDescription "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt" ; + qudt:symbol "K⋅m/W" ; + qudt:ucumCode "K.m.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H35" ; + rdfs:isDefinedBy . + +unit:K-M2-PER-KiloGM-SEC a qudt:Unit ; + rdfs:label "Kelvin square metres per kilogram per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H1T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅m²/(kg⋅s)" ; + qudt:ucumCode "K.m2.kg-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-PA-PER-SEC a qudt:Unit ; + rdfs:label "Kelvin Pascals per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H1T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K⋅Pa/s" ; + qudt:ucumCode "K.Pa.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-PER-K a qudt:Unit ; + rdfs:label "Kelvin Per Kelvin"@en ; + dcterms:description "SI base unit kelvin divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:TemperatureRatio ; + qudt:iec61360Code "0112/2///62720#UAA186" ; + qudt:plainTextDescription "SI base unit kelvin divided by the SI base unit kelvin" ; + qudt:symbol "K/K" ; + qudt:ucumCode "K.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F02" ; + rdfs:isDefinedBy . + +unit:K-PER-M a qudt:Unit ; + rdfs:label "Kelvin per metre"@en ; + dcterms:description "A change of temperature on the Kelvin temperature scale in one SI unit of length."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureGradient ; + qudt:symbol "K/m" ; + qudt:ucumCode "K.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-PER-SEC2 a qudt:Unit ; + rdfs:label "Kelvin per Square Second"@en ; + dcterms:description "\\(\\textbf{Kelvin per Square Second} is a unit for 'Temperature Per Time Squared' expressed as \\(K / s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:symbol "K/s²" ; + qudt:ucumCode "K.s-2"^^qudt:UCUMcs, + "K/s^2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-PER-W a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kelvin je Watt"@de, + "kelvin per watt"@en, + "kelvin al watt"@it ; + dcterms:description "

Thermal resistance is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. Absolute thermal resistance is the temperature difference across a structure when a unit of heat energy flows through it in unit time. It is the reciprocal of thermal conductance. The SI units of thermal resistance are kelvins per watt or the equivalent degrees Celsius per watt (the two are the same since as intervals).

"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistance ; + qudt:iec61360Code "0112/2///62720#UAA187" ; + qudt:symbol "K/W" ; + qudt:ucumCode "K.W-1"^^qudt:UCUMcs, + "K/W"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B21" ; + rdfs:isDefinedBy . + +unit:K-SEC a qudt:Unit ; + rdfs:label "Kelvin second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:hasQuantityKind quantitykind:TimeTemperature ; + qudt:symbol "K⋅s" ; + qudt:ucumCode "K.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K2 a qudt:Unit ; + rdfs:label "Square Kelvin"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "K²" ; + qudt:ucumCode "K2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KAT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "كاتال"@ar, + "катал"@bg, + "katal"@cs, + "Katal"@de, + "κατάλ"@el, + "katal"@en, + "katal"@es, + "کاتال"@fa, + "katal"@fr, + "קטל"@he, + "कटल"@hi, + "katal"@hu, + "katal"@it, + "カタール"@ja, + "katal"@ms, + "katal"@pl, + "katal"@pt, + "katal"@ro, + "катал"@ru, + "katal"@sl, + "katal"@tr, + "开特"@zh ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivity ; + qudt:iec61360Code "0112/2///62720#UAB196" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Katal?oldid=486431865"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kat" ; + qudt:ucumCode "kat"^^qudt:UCUMcs ; + qudt:udunitsCode "kat" ; + qudt:uneceCommonCode "KAT" ; + rdfs:isDefinedBy . + +unit:KAT-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Katal Per Litre"@en, + "Katal Per Liter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "kat/L" ; + qudt:ucumCode "kat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KAT-PER-MicroL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Katal Per Microlitre"@en, + "Katal Per Microliter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "kat/μL" ; + qudt:ucumCode "kat/uL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloA-PER-M2 a qudt:Unit ; + rdfs:label "Kiloampere Per Square Metre"@en, + "Kiloampere Per Square Meter"@en-us ; + dcterms:description "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA559" ; + qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kA/m²" ; + qudt:ucumCode "kA.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B23" ; + rdfs:isDefinedBy . + +unit:KiloBIT-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilobit per Second"@en ; + dcterms:description "A kilobit per second (kB/s) is a unit of data transfer rate equal to 1,000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 693.14718055994530941723212145818 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAA586" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobit_per_second"^^xsd:anyURI ; + qudt:symbol "kbps" ; + qudt:ucumCode "kbit.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C74" ; + rdfs:isDefinedBy . + +unit:KiloBQ a qudt:Unit ; + rdfs:label "Kilobecquerel"@en ; + dcterms:description "1 000-fold of the SI derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA561" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit becquerel" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kBq" ; + qudt:ucumCode "kBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Q" ; + rdfs:isDefinedBy . + +unit:KiloBYTE-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilobyte per Second"@en ; + dcterms:description "A kilobyte per second (kByte/s) is a unit of data transfer rate equal to 1000 bytes per second or 8000 bits per second."^^rdf:HTML ; + qudt:conversionMultiplier 5545.17744447956 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAB306" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; + qudt:symbol "kBps" ; + qudt:ucumCode "kBy.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P94" ; + rdfs:isDefinedBy . + +unit:KiloC-PER-M3 a qudt:Unit ; + rdfs:label "Kilocoulomb Per Cubic Metre"@en, + "Kilocoulomb Per Cubic Meter"@en-us ; + dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA565" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kC/m³" ; + qudt:ucumCode "kC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B27" ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-CentiM-SEC-DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Centimetre Second Degree Celsius"@en, + "Kilocalorie per Centimeter Second Degree Celsius"@en-us ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kilocal-per-cm-sec-degc\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:symbol "kcal/(cm⋅s⋅°C)" ; + qudt:ucumCode "kcal.cm-1.s-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-MOL-DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Mole Degree Celsius"@en ; + dcterms:description "\\(\\textbf{Kilocalorie per Mole Degree Celsius} is a unit for 'Molar Heat Capacity' expressed as \\(kcal/(mol-degC)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kcal/(mol-degC)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; + qudt:symbol "kcal/(mol⋅°C)" ; + qudt:ucumCode "kcal.mol-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL_IT-PER-HR-M-DEG_C a qudt:Unit ; + rdfs:label "Kilocalorie (international Table) Per Hour Metre Degree Celsius"@en, + "Kilocalorie (international Table) Per Hour Meter Degree Celsius"@en-us ; + dcterms:description "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.163 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA588" ; + qudt:plainTextDescription "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature" ; + qudt:symbol "kcal{IT}/(hr⋅m⋅°C)" ; + qudt:ucumCode "kcal_IT.h-1.m-1.Cel-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K52" ; + rdfs:isDefinedBy . + +unit:KiloEV-PER-MicroM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilo Electron Volt per Micrometre"@en, + "Kilo Electron Volt per Micrometer"@en-us ; + dcterms:description "\"Kilo Electron Volt per Micrometer\" is a unit for 'Linear Energy Transfer' expressed as \\(keV/microM\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-10 ; + qudt:expression "\\(keV/microM\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; + qudt:symbol "keV/µM" ; + qudt:ucumCode "keV.um-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram Kelvin"@en ; + dcterms:description "\\(\\textbf{Kilogram Kelvin} is a unit for 'Mass Temperature' expressed as \\(kg-K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kg-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "kg⋅K" ; + qudt:ucumCode "kg.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-CentiM2 a qudt:Unit ; + rdfs:label "Kilogram Per Square Centimetre"@en, + "Kilogram Per Square Centimeter"@en-us ; + dcterms:description "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB174" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kg/cm²" ; + qudt:ucumCode "kg.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D5" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-DAY a qudt:Unit ; + rdfs:label "Kilogram Per Day"@en ; + dcterms:description "SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA601" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit day" ; + qudt:symbol "kg/day" ; + qudt:ucumCode "kg.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F30" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-FT2 a qudt:Unit ; + rdfs:label "Kilogram Per Square Foot"@en ; + dcterms:description "SI base unit kilogram divided by the square of the imperial foot"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 10.763910416709722 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "SI base unit kilogram divided by the square of the imperial foot" ; + qudt:symbol "kg/ft²" ; + qudt:ucumCode "kg.ft-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-GigaJ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Gigajoule"@en ; + dcterms:description "SI base unit kilogram divided by the SI base unit gigajoule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit gigajoule" ; + qudt:symbol "kg/GJ" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-HA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Hectare"@en ; + dcterms:description "Kilogram Per Hectare is a unit of mass per area. Kilogram Per Hectare (kg/ha) has a dimension of ML-2 where M is mass, and L is length. It can be converted to the corresponding standard SI unit kg/m2 by multiplying its value by a factor of 0.0001."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:expression "\\(kg/hare\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "kg/ha" ; + qudt:ucumCode "kg.har-1"^^qudt:UCUMcs, + "kg/har"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-J a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Joule"@en ; + dcterms:description "SI base unit kilogram divided by the SI base unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit joule" ; + qudt:symbol "kg/J" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-KiloMOL a qudt:Unit ; + rdfs:label "Kilogram Per Kilomol"@en ; + dcterms:description "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:iec61360Code "0112/2///62720#UAA611" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol" ; + qudt:symbol "kg/kmol" ; + qudt:ucumCode "kg.kmol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F24" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M2-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Square Metre Square Second"@en, + "Kilogram per Square Meter Square Second"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureLossPerLength ; + qudt:symbol "kg/(m²⋅s²)" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M3-SEC a qudt:Unit ; + rdfs:label "Kilograms per cubic metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg/(m³⋅s)" ; + qudt:ucumCode "kg.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-MIN a qudt:Unit ; + rdfs:label "Kilogram Per Minute"@en ; + dcterms:description "SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA624" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit minute" ; + qudt:symbol "kg/min" ; + qudt:ucumCode "kg.min-1"^^qudt:UCUMcs, + "kg/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F31" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-MegaBTU_IT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Mega BTU"@en ; + dcterms:description "\\(\\textbf{Kilogram per Mega BTU}\\) is an Imperial unit for 'Mass Per Energy' expressed as \\(kg/MBtu\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.000000000947817 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kg/MBtu\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:MassPerEnergy ; + qudt:plainTextDescription "Kilogram per Mega BTU is an Imperial Unit for 'Mass Per Energy." ; + qudt:symbol "kg/MBtu{IT}" ; + qudt:ucumCode "k[g].[MBtu_IT]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram Square Second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kilog-sec2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg⋅s²" ; + qudt:ucumCode "kg.s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM2-PER-SEC2 a qudt:Unit ; + rdfs:label "Square Kilograms per square second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M2H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "kg²/s²" ; + qudt:ucumCode "kg2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM_F-M-PER-SEC a qudt:Unit ; + rdfs:label "Kilogram_force Metre Per Second"@en, + "Kilogram_force Meter Per Second"@en-us ; + dcterms:description "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAB154" ; + qudt:plainTextDescription "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second" ; + qudt:symbol "kgf⋅m/s" ; + qudt:ucumCode "kgf.m.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B39" ; + rdfs:isDefinedBy . + +unit:KiloJ-PER-KiloGM-K a qudt:Unit ; + rdfs:label "Kilojoule Per Kilogram Kelvin"@en ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy ; + qudt:iec61360Code "0112/2///62720#UAA571" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin" ; + qudt:symbol "kJ/(kg⋅K)" ; + qudt:ucumCode "kJ.(kg.K)-1"^^qudt:UCUMcs, + "kJ.kg-1.K-1"^^qudt:UCUMcs, + "kJ/(kg.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B43" ; + rdfs:isDefinedBy . + +unit:KiloM3-PER-SEC2 a qudt:Unit ; + rdfs:label "Cubic Kilometre per Square Second"@en, + "Cubic Kilometer per Square Second"@en-us ; + dcterms:description "\\(\\textit{Cubic Kilometer per Square Second}\\) is a unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(km^3/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:expression "\\(km^3/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:symbol "km³/s²" ; + qudt:ucumCode "km3.s-2"^^qudt:UCUMcs, + "km3/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloMOL a qudt:Unit ; + rdfs:label "Kilomole"@en ; + dcterms:description "1 000-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA640" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kmol" ; + qudt:ucumCode "kmol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B45" ; + rdfs:isDefinedBy . + +unit:KiloMOL-PER-HR a qudt:Unit ; + rdfs:label "Kilomole Per Hour"@en ; + dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivity ; + qudt:iec61360Code "0112/2///62720#UAA641" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time hour" ; + qudt:symbol "kmol/hr" ; + qudt:ucumCode "kmol.h-1"^^qudt:UCUMcs, + "kmol/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K58" ; + rdfs:isDefinedBy . + +unit:KiloMOL-PER-MIN a qudt:Unit ; + rdfs:label "Kilomole Per Minute"@en ; + dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 16.94444 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA645" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time minute" ; + qudt:symbol "kmol/min" ; + qudt:ucumCode "kmol.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K61" ; + rdfs:isDefinedBy . + +unit:KiloMOL-PER-SEC a qudt:Unit ; + rdfs:label "Kilomole Per Second"@en ; + dcterms:description "1 000-fold of the SI base unit mol divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA646" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the SI base unit second" ; + qudt:symbol "kmol/s" ; + qudt:ucumCode "kmol.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E94" ; + rdfs:isDefinedBy . + +unit:KiloN-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilo Newton Square Metre"@en, + "Kilo Newton Square Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:WarpingMoment ; + qudt:symbol "kN⋅m²" ; + rdfs:isDefinedBy . + +unit:KiloOHM a qudt:Unit ; + rdfs:label "Kiloohm"@en ; + dcterms:description "1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA555" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit ohm" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kΩ" ; + qudt:ucumCode "kOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B49" ; + rdfs:isDefinedBy . + +unit:KiloPA-PER-BAR a qudt:Unit ; + rdfs:label "Kilopascal Per Bar"@en ; + dcterms:description "1 000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e+08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA577" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "kPa/bar" ; + qudt:ucumCode "kPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F03" ; + rdfs:isDefinedBy . + +unit:KiloPA-PER-K a qudt:Unit ; + rdfs:label "Kilopascal Per Kelvin"@en ; + dcterms:description "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA576" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "kPa/K" ; + qudt:ucumCode "kPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F83" ; + rdfs:isDefinedBy . + +unit:KiloPA-PER-MilliM a qudt:Unit ; + rdfs:label "Kilopascal Per Millimetre"@en, + "Kilopascal Per Millimeter"@en-us ; + dcterms:description "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+05 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAB060" ; + qudt:plainTextDescription "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "kPa/mm" ; + qudt:ucumCode "kPa.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "34" ; + rdfs:isDefinedBy . + +unit:KiloS-PER-M a qudt:Unit ; + rdfs:label "Kilosiemens Per Metre"@en, + "Kilosiemens Per Meter"@en-us ; + dcterms:description "1 000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA579" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "kS/m" ; + qudt:ucumCode "kS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B54" ; + rdfs:isDefinedBy . + +unit:KiloV-A_Reactive a qudt:Unit ; + rdfs:label "Kilovolt Ampere Reactive"@en ; + dcterms:description "1 000-fold of the unit var"^^rdf:HTML ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAA648" ; + qudt:plainTextDescription "1 000-fold of the unit var" ; + qudt:symbol "kV⋅A{Reactive}" ; + qudt:ucumCode "kV.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVR" ; + rdfs:isDefinedBy . + +unit:KiloWB-PER-M a qudt:Unit ; + rdfs:label "Kiloweber Per Metre"@en, + "Kiloweber Per Meter"@en-us ; + dcterms:description "1 000-fold of the SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAA585" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit weber divided by the SI base unit metre" ; + qudt:symbol "kWb/m" ; + qudt:ucumCode "kWb.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B56" ; + rdfs:isDefinedBy . + +unit:L-PER-K a qudt:Unit ; + rdfs:label "Litre Per Kelvin"@en, + "Liter Per Kelvin"@en-us ; + dcterms:description "unit litre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA650" ; + qudt:plainTextDescription "unit litre divided by the SI base unit kelvin" ; + qudt:symbol "L/K" ; + qudt:ucumCode "L.K-1"^^qudt:UCUMcs, + "L/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G28" ; + rdfs:isDefinedBy . + +unit:L-PER-L a qudt:Unit ; + rdfs:label "Litre Per Litre"@en, + "Liter Per Liter"@en-us ; + dcterms:description "volume ratio consisting of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA658" ; + qudt:plainTextDescription "volume ratio consisting of the unit litre divided by the unit litre" ; + qudt:symbol "L/L" ; + qudt:ucumCode "L.L-1"^^qudt:UCUMcs, + "L/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K62" ; + rdfs:isDefinedBy . + +unit:L-PER-SEC-M2 a qudt:Unit ; + rdfs:label "Litre Per Second Per Square Metre"@en, + "Liter Per Second Per Square Meter"@en-us ; + dcterms:description "Ventilation rate in Litres per second divided by the floor area"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VentilationRatePerFloorArea ; + qudt:plainTextDescription "Ventilation rate in Litres per second divided by the floor area" ; + qudt:symbol "L/(m²⋅s)" ; + rdfs:isDefinedBy . + +unit:LA a qudt:Unit ; + rdfs:label "Lambert"@en ; + dcterms:description "The lambert (symbol \\(L\\), \\(la\\) or \\(Lb\\)) is a non-SI unit of luminance. A related unit of luminance, the foot-lambert, is used in the lighting, cinema and flight simulation industries. The SI unit is the candela per square metre (\\(cd/m^2\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3183.09886 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lambert"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB259" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lambert?oldid=494078267"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "L" ; + qudt:ucumCode "Lmb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P30" ; + rdfs:isDefinedBy . + +unit:LB-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Pound Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Pound Degree Fahrenheit} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degF\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "lb⋅°F" ; + qudt:ucumCode "[lb_av].[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-DEG_R a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Pound Degree Rankine"@en ; + dcterms:description "\\(\\textbf{Pound Degree Rankine} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degR\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(lb-degR\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassTemperature ; + qudt:symbol "lb⋅°R" ; + qudt:ucumCode "[lb_av].[degR]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-IN a qudt:Unit ; + rdfs:label "Pound Mass (avoirdupois) Inch"@en ; + dcterms:description "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.011521246198 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB194" ; + qudt:plainTextDescription "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)" ; + qudt:symbol "lb⋅in" ; + qudt:ucumCode "[lb_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IA" ; + rdfs:isDefinedBy . + +unit:LB-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Pound Mole"@en ; + dcterms:description "

Pound Mole is a unit for \\textit{'Mass Amount Of Substance'} expressed as \\(lb-mol\\).

."^^qudt:LatexString ; + qudt:conversionMultiplier 0.45359237 ; + qudt:expression "\\(lb-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB402" ; + qudt:symbol "lb⋅mol" ; + qudt:ucumCode "[lb_av].mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P44" ; + rdfs:isDefinedBy . + +unit:LB-MOL-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Pound Mole Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Pound Mole Degree Fahrenheit} is a unit for 'Mass Amount Of Substance Temperature' expressed as \\(lb-mol-degF\\)."^^qudt:LatexString ; + qudt:expression "\\(lb-mol-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:MassAmountOfSubstanceTemperature ; + qudt:symbol "lb⋅mol⋅°F" ; + qudt:ucumCode "[lb_av].mol.[degF]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-PER-DAY a qudt:Unit ; + rdfs:label "Pound (avoirdupois) Per Day"@en ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 5.249912e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA673" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day" ; + qudt:symbol "lb/day" ; + qudt:ucumCode "[lb_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K66" ; + rdfs:isDefinedBy . + +unit:LB-PER-FT a qudt:Unit ; + rdfs:label "Pound per Foot"@en ; + dcterms:description "\"Pound per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.4881639435695537 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "lb/ft" ; + qudt:ucumCode "[lb_av].[ft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P2" ; + rdfs:isDefinedBy . + +unit:LB-PER-FT2 a qudt:Unit ; + rdfs:label "Pound Mass (avoirdupois) Per Square Foot"@en ; + dcterms:description "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.882428 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAB262" ; + qudt:plainTextDescription "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "lb/ft²" ; + qudt:ucumCode "[lb_av].[ft_i]-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FP" ; + rdfs:isDefinedBy . + +unit:LB-PER-IN a qudt:Unit ; + rdfs:label "Pound per Inch"@en ; + dcterms:description "\"Pound per Inch\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 17.857967322834646 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "lb/in" ; + qudt:ucumCode "[lb_av].[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PO" ; + rdfs:isDefinedBy . + +unit:LB-PER-SEC a qudt:Unit ; + rdfs:label "Pound (avoirdupois) Per Second"@en ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.4535924 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA692" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second" ; + qudt:symbol "lb/s" ; + qudt:ucumCode "[lb_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K81" ; + rdfs:isDefinedBy . + +unit:LB_F-PER-IN2-DEG_F a qudt:Unit ; + rdfs:label "Pound Force Per Square Inch Degree Fahrenheit"@en ; + dcterms:description "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 12410.56 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA702" ; + qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature" ; + qudt:symbol "lbf/(in²⋅°F)" ; + qudt:ucumCode "[lbf_av].[sin_i]-1.[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K86" ; + rdfs:isDefinedBy . + +unit:LB_F-PER-IN2-SEC a qudt:Unit ; + rdfs:label "Pound Force per Square Inch Second"@en ; + dcterms:description "\"Pound Force per Square Inch Second\" is a unit for 'Force Per Area Time' expressed as \\(lbf / in^{2}-s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:expression "\\(lbf / in^{2}-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "lbf/in²⋅s" ; + qudt:ucumCode "[lbf_av].[sin_i]-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB_F-PER-LB a qudt:Unit ; + rdfs:label "Pound Force per Pound"@en ; + dcterms:description "\"Pound Force per Pound\" is an Imperial unit for 'Thrust To Mass Ratio' expressed as \\(lbf/lb\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 9.80665085 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf/lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:symbol "lbf/lb" ; + qudt:ucumCode "[lbf_av].[lb_av]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "لومن"@ar, + "лумен"@bg, + "lumen"@cs, + "Lumen"@de, + "λούμεν"@el, + "lumen"@en, + "lumen"@es, + "لومن"@fa, + "lumen"@fr, + "לומן"@he, + "ल्यूमैन"@hi, + "lumen"@hu, + "lumen"@it, + "ルーメン"@ja, + "lumen"@la, + "lumen"@ms, + "lumen"@pl, + "lumen"@pt, + "lumen"@ro, + "лумен"@ru, + "lumen"@sl, + "lümen"@tr, + "流明"@zh ; + dcterms:description "The SI unit for measuring the flux of light being produced by a light source or received by a surface. The intensity of a light source is measured in candelas. One lumen represents the total flux of light emitted, equal to the intensity in candelas multiplied by the solid angle in steradians into which the light is emitted. A full sphere has a solid angle of \\(4\\cdot\\pi\\) steradians. A light source that uniformly radiates one candela in all directions has a total luminous flux of \\(1 cd\\cdot 4 \\pi sr = 4 \\pi cd \\cdot sr \\approx 12.57 \\; \\text{lumens}\\). \"Lumen\" is a Latin word for light."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lumen"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFlux ; + qudt:iec61360Code "0112/2///62720#UAA718" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Lumen_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "cd.sr" ; + qudt:symbol "lm" ; + qudt:ucumCode "lm"^^qudt:UCUMcs ; + qudt:udunitsCode "LM" ; + qudt:uneceCommonCode "LUM" ; + rdfs:isDefinedBy . + +unit:LM-PER-W a qudt:Unit ; + rdfs:label "Lumen per Watt"@en ; + dcterms:description "A measurement of luminous efficacy, which is the light output in lumens using one watt of electricity."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(lm-per-w\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:LuminousEfficacy ; + qudt:iec61360Code "0112/2///62720#UAA719" ; + qudt:symbol "lm/W" ; + qudt:ucumCode "lm.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B61" ; + rdfs:isDefinedBy . + +unit:LM-SEC a qudt:Unit ; + rdfs:label "lumen second"@en ; + dcterms:description "In photometry, the lumen second is the SI derived unit of luminous energy. It is based on the lumen, the SI unit of luminous flux, and the second, the SI base unit of time. The lumen second is sometimes called the talbot (symbol T). An older name for the lumen second was the lumberg."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(lm s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LuminousEnergy ; + qudt:iec61360Code "0112/2///62720#UAA722" ; + qudt:symbol "lm⋅s" ; + qudt:ucumCode "lm.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B62" ; + rdfs:isDefinedBy ; + skos:altLabel "lumberg", + "talbot" . + +unit:LUX-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Lux Hour"@en ; + dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; + qudt:expression "\\(lx hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:LuminousExposure ; + qudt:iec61360Code "0112/2///62720#UAA724" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; + qudt:siUnitsExpression "lm-hr/m^2" ; + qudt:symbol "lx⋅hr" ; + qudt:ucumCode "lx.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B63" ; + rdfs:isDefinedBy . + +unit:M-K-PER-W a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre Kelvin per Watt"@en, + "Meter Kelvin per Watt"@en-us ; + dcterms:description "\\(\\textbf{Meter Kelvin per Watt} is a unit for 'Thermal Resistivity' expressed as \\(K-m/W\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K-m/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalResistivity ; + qudt:symbol "K⋅m/W" ; + qudt:ucumCode "m.K.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H35" ; + rdfs:isDefinedBy . + +unit:M-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre Kilogram"@en, + "Meter Kilogram"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m-kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:symbol "m⋅kg" ; + qudt:ucumCode "m.kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M-PER-FARAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre per Farad"@en, + "Meter per Farad"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m-per-f\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:InversePermittivity ; + qudt:symbol "m/f" ; + qudt:ucumCode "m.F-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre per Kelvin"@en, + "Meter per Kelvin"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA728" ; + qudt:symbol "m/k" ; + qudt:ucumCode "m/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F52" ; + rdfs:isDefinedBy . + +unit:M2-HR-DEG_C-PER-KiloCAL_IT a qudt:Unit ; + rdfs:label "Square Metre Hour Degree Celsius Per Kilocalorie (international Table)"@en, + "Square Meter Hour Degree Celsius Per Kilocalorie (international Table)"@en-us ; + dcterms:description "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.859845 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA749" ; + qudt:plainTextDescription "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie" ; + qudt:symbol "m²⋅hr⋅°C/kcal{IT}" ; + qudt:ucumCode "m2.h.Cel/kcal_IT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L14" ; + rdfs:isDefinedBy . + +unit:M2-HZ2 a qudt:Unit ; + rdfs:label "Square Metres square Hertz"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz²" ; + qudt:ucumCode "m2.Hz2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-HZ3 a qudt:Unit ; + rdfs:label "Square metres cubic Hertz"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz³" ; + qudt:ucumCode "m2.Hz3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-HZ4 a qudt:Unit ; + rdfs:label "Square metres Hertz^4"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-4D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅Hz⁴" ; + qudt:ucumCode "m2.Hz4"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre Kelvin"@en, + "Square Meter Kelvin"@en-us ; + dcterms:description "\\(\\textbf{Square Meter Kelvin} is a unit for 'Area Temperature' expressed as \\(m^{2}-K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2}-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaTemperature ; + qudt:symbol "m²⋅K" ; + qudt:ucumCode "m2.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-K-PER-W a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre Kelvin per Watt"@en, + "Square Meter Kelvin per Watt"@en-us ; + dcterms:description "\\(\\textbf{Square Meter Kelvin per Watt} is a unit for 'Thermal Insulance' expressed as \\((K^{2})m/W\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\((K^{2})m/W\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:hasQuantityKind quantitykind:ThermalInsulance ; + qudt:iec61360Code "0112/2///62720#UAA746" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:symbol "(K²)m/W" ; + qudt:ucumCode "m2.K.W-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D19" ; + rdfs:isDefinedBy . + +unit:M2-PER-GM_DRY a qudt:Unit ; + rdfs:label "Square metres per gram of dry sediment"@en ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; + qudt:symbol "m²/g{dry sediment}" ; + qudt:ucumCode "m2.g-1{dry}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-HA a qudt:Unit ; + rdfs:label "square metres per hectare"@en, + "square meters per hectare"@en-us ; + dcterms:description "Square metres per hectare."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AreaRatio ; + qudt:plainTextDescription "Square metres per hectare." ; + qudt:symbol "m²/ha" ; + qudt:ucumCode "m2.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-HZ a qudt:Unit ; + rdfs:label "Square metres per Hertz"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/Hz" ; + qudt:ucumCode "m2.Hz-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-HZ-DEG a qudt:Unit ; + rdfs:label "Square metres per Hertz per degree"@en ; + qudt:conversionMultiplier 57.2957795130823 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/(Hz⋅°)" ; + qudt:ucumCode "m2.Hz-1.deg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-HZ2 a qudt:Unit ; + rdfs:label "Square metres per square Hertz"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/Hz²" ; + qudt:ucumCode "m2.Hz-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-J a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Joule"@en, + "Square Meter per Joule"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/j\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:SpectralCrossSection ; + qudt:iec61360Code "0112/2///62720#UAA745" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/j" ; + qudt:ucumCode "m2.J-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D20" ; + rdfs:isDefinedBy . + +unit:M2-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Kelvin"@en, + "Square Meter per Kelvin"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m2-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:AreaThermalExpansion ; + qudt:symbol "m²/k" ; + qudt:ucumCode "m2.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-M2 a qudt:Unit ; + rdfs:label "square metre per square metre"@en, + "square meter per square meter"@en-us ; + dcterms:description "A square metre unit of area per square metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AreaRatio ; + qudt:plainTextDescription "A square metre unit of area per square metre" ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:symbol "m²/m²" ; + rdfs:isDefinedBy . + +unit:M2-PER-N a qudt:Unit ; + rdfs:label "Square Metre Per Newton"@en, + "Square Meter Per Newton"@en-us ; + dcterms:description "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility ; + qudt:iec61360Code "0112/2///62720#UAB492" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton" ; + qudt:symbol "m²/N" ; + qudt:ucumCode "m2.N-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H59" ; + rdfs:isDefinedBy . + +unit:M2-PER-SEC2 a qudt:Unit ; + rdfs:label "Square metres per square second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²/s²" ; + qudt:ucumCode "m2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-SR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Steradian"@en, + "Square Meter per Steradian"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularCrossSection ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/sr" ; + qudt:ucumCode "m2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D24" ; + rdfs:isDefinedBy . + +unit:M2-PER-SR-J a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Steradian Joule"@en, + "Square Meter per Steradian Joule"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(m^2/sr-j\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:SpectralAngularCrossSection ; + qudt:iec61360Code "0112/2///62720#UAA756" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/(sr⋅J)" ; + qudt:ucumCode "m2.sr-1.J-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D25" ; + rdfs:isDefinedBy . + +unit:M2-PER-V-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Quadratmeter je Volt und Sekunde"@de, + "square metre per volt second"@en, + "Square Meter per Volt Second"@en-us, + "metro quadrato al volt e al secondo"@it ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/v-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Mobility ; + qudt:iec61360Code "0112/2///62720#UAA748" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/(V⋅s)" ; + qudt:ucumCode "m2.V-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D26" ; + rdfs:isDefinedBy . + +unit:M2-SEC-PER-RAD a qudt:Unit ; + rdfs:label "Square metre seconds per radian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m²⋅s/rad" ; + qudt:ucumCode "m2.s.rad-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-SR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre Steradian"@en, + "Square Meter Steradian"@en-us ; + dcterms:description "\"Square Meter Steradian\" is a unit for 'Area Angle' expressed as \\(m^{2}-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2}-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AreaAngle ; + qudt:symbol "m²⋅sr" ; + qudt:ucumCode "m2.sr"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M3-PER-C a qudt:Unit ; + rdfs:label "Cubic Metre per Coulomb"@en, + "Cubic Meter per Coulomb"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^3/c\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:HallCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB143" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "m³/C" ; + qudt:ucumCode "m3.C-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A38" ; + rdfs:isDefinedBy . + +unit:M3-PER-HA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Metre per Hectare"@en, + "Cubic Meter per Hectare"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:VolumePerArea ; + qudt:iec61360Code "0112/2///62720#UAA757" ; + qudt:symbol "m³/ha" ; + qudt:ucumCode "m3.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M3-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Metre per Kelvin"@en, + "Cubic Meter per Kelvin"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m3-per-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA758" ; + qudt:symbol "m³/K" ; + qudt:ucumCode "m3.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G29" ; + rdfs:isDefinedBy . + +unit:M3-PER-M2 a qudt:Unit ; + rdfs:label "Cubic Metre Per Square Metre"@en, + "Cubic Meter Per Square Meter"@en-us ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:VolumePerArea ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "m³/m²" ; + qudt:ucumCode "m3.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H60" ; + rdfs:isDefinedBy . + +unit:M3-PER-M3 a qudt:Unit ; + rdfs:label "Cubic Metre Per Cubic Metre"@en, + "Cubic Meter Per Cubic Meter"@en-us ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA767" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "m³/m³" ; + qudt:ucumCode "m3.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H60" ; + rdfs:isDefinedBy . + +unit:M3-PER-SEC2 a qudt:Unit ; + rdfs:label "Cubic Metre per Square Second"@en, + "Cubic Meter per Square Second"@en-us ; + dcterms:description "\\(\\textit{Cubic Meter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(m^3/s^2\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^3/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:symbol "m³/s²" ; + qudt:ucumCode "m3.s-2"^^qudt:UCUMcs, + "m3/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M4-PER-SEC a qudt:Unit ; + rdfs:label "Metres to the power four per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m⁴/s" ; + qudt:ucumCode "m4.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M5 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Quintic Metre"@en, + "Quintic Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{5}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SectionAreaIntegral ; + qudt:symbol "m⁵" ; + rdfs:isDefinedBy . + +unit:M6 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Sextic Metre"@en, + "Sextic Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{6}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:WarpingConstant ; + qudt:symbol "m⁶" ; + rdfs:isDefinedBy . + +unit:MACH a qudt:DimensionlessUnit, + qudt:Unit ; + rdfs:label "Mach"@en ; + dcterms:description "\"Mach\" is a unit for 'Dimensionless Ratio' expressed as \\(mach\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mach"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MachNumber ; + qudt:iec61360Code "0112/2///62720#UAB595" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mach?oldid=492058934"^^xsd:anyURI ; + qudt:symbol "Mach" ; + rdfs:isDefinedBy . + +unit:MOHM a qudt:Unit ; + rdfs:label "Mohm"@en ; + dcterms:description "A unit of mechanical mobility for sound waves, being the reciprocal of the mechanical ohm unit of impedance, i.e., for an acoustic medium, the ratio of the flux or volumic speed (area times particle speed) of the resulting waves through it to the effective sound pressure (i.e. force) causing them, the unit being qualified, according to the units used, as m.k.s. or c.g.s. The mechanical ohm is equivalent to \\(1\\,dyn\\cdot\\,s\\cdot cm^{-1}\\) or \\(10^{-3} N\\cdot s\\cdot m^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(mohm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:MechanicalMobility ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-914"^^xsd:anyURI ; + qudt:latexDefinition "\\(1\\:{mohm_{cgs}} = 1\\:\\frac {cm} {dyn.s}\\: (=\\:1\\:\\frac s g \\:in\\:base\\:c.g.s.\\:terms)\\)"^^qudt:LatexString, + "\\(1\\:{mohm_{mks}} = 10^{3}\\:\\frac m {N.s}\\:(=\\:10^{3}\\: \\frac s {kg}\\:in\\:base\\:m.k.s.\\:terms)\\)"^^qudt:LatexString ; + qudt:symbol "mohm" ; + rdfs:isDefinedBy . + +unit:MOL-DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mole Degree Celsius"@en ; + dcterms:description "\\(\\textbf{Mole Degree Celsius} is a C.G.S System unit for 'Temperature Amount Of Substance' expressed as \\(mol-degC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(mol-deg-c\\)"^^qudt:LatexString, + "\\(mol-degC\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:symbol "mol⋅°C" ; + qudt:ucumCode "mol.Cel"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mole Kelvin"@en ; + dcterms:description "

Mole Kelvin is a unit for \\textit{'Temperature Amount Of Substance'} expressed as \\(mol-K\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:symbol "mol⋅K" ; + qudt:ucumCode "mol.K"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-GM-HR a qudt:Unit ; + rdfs:label "Moles per gram per hour"@en ; + dcterms:description "SI unit of the quantity of matter per SI unit of mass per unit of time expressed in hour."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(g⋅hr)" ; + qudt:ucumCode "mol.g-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-HR a qudt:Unit ; + rdfs:label "Mole Per Hour"@en ; + dcterms:description "SI base unit mole divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA884" ; + qudt:plainTextDescription "SI base unit mole divided by the unit for time hour" ; + qudt:symbol "mol/hr" ; + qudt:ucumCode "mol.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L23" ; + rdfs:isDefinedBy . + +unit:MOL-PER-KiloGM-PA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mole per Kilogram Pascal"@en ; + dcterms:description "Mole Per Kilogram Pascal (\\(mol/kg-pa\\)) is a unit of Molar Mass variation due to Pressure."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(mol/(kg.pa)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; + qudt:iec61360Code "0112/2///62720#UAB317" ; + qudt:symbol "mol/(kg⋅Pa)" ; + qudt:ucumCode "mol.kg-1.Pa-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P51" ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2 a qudt:Unit ; + rdfs:label "Moles per square metre"@en ; + dcterms:description "SI unit of quantity of matter per SI unit area."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/m²" ; + qudt:ucumCode "mol.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Moles per Square Metre per Day"@en, + "Moles per Square Meter per Day"@en-us ; + dcterms:description "quantity of matter per unit area per unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅day)" ; + qudt:ucumCode "mol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2-SEC a qudt:Unit ; + rdfs:label "Moles per square metre per second"@en ; + dcterms:description "SI unit of quantity of matter per SI unit area per SI unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s)" ; + qudt:ucumCode "mol.m-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2-SEC-M a qudt:Unit ; + rdfs:label "Moles per square metre per second per metre"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅m)" ; + qudt:ucumCode "mol.m-2.s-1.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2-SEC-M-SR a qudt:Unit ; + rdfs:label "Moles per square metre per second per metre per steradian"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅m⋅sr)" ; + qudt:ucumCode "mol.m-2.s-1.m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M2-SEC-SR a qudt:Unit ; + rdfs:label "Moles per square metre per second per steradian"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m²⋅s⋅sr)" ; + qudt:ucumCode "mol.m-2.s-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-M3-SEC a qudt:Unit ; + rdfs:label "Moles per cubic metre per second"@en ; + dcterms:description "SI unit of quantity of matter per SI unit volume per SI unit of time."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mol/(m³⋅s)" ; + qudt:ucumCode "mol.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-MIN a qudt:Unit ; + rdfs:label "Mole Per Minute"@en ; + dcterms:description "SI base unit mole divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.016666667 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA894" ; + qudt:plainTextDescription "SI base unit mole divided by the unit for time minute" ; + qudt:symbol "mol/min" ; + qudt:ucumCode "mol.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L30" ; + rdfs:isDefinedBy . + +unit:MOL-PER-MOL a qudt:Unit ; + rdfs:label "Moles per mole"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "mol/mol" ; + qudt:ucumCode "mol.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MOL-PER-SEC a qudt:Unit ; + rdfs:label "Mole Per Second"@en ; + dcterms:description "SI base unit mol divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA895" ; + qudt:plainTextDescription "SI base unit mol divided by the SI base unit second" ; + qudt:symbol "mol/s" ; + qudt:ucumCode "mol.s-1"^^qudt:UCUMcs, + "mol/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E95" ; + rdfs:isDefinedBy . + +unit:MOL-PER-TONNE a qudt:Unit ; + rdfs:label "Mol per Tonne"@en ; + dcterms:description "Mole Per Tonne (mol/t) is a unit of Molality"^^rdf:HTML ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:plainTextDescription "Mole Per Tonne (mol/t) is a unit of Molality" ; + qudt:symbol "mol/t" ; + qudt:ucumCode "mol.t-1"^^qudt:UCUMcs, + "mol/t"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaA-PER-M2 a qudt:Unit ; + rdfs:label "Megaampere Per Square Metre"@en, + "Megaampere Per Square Meter"@en-us ; + dcterms:description "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA203" ; + qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mol/m²" ; + qudt:ucumCode "MA.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B66" ; + rdfs:isDefinedBy . + +unit:MegaBIT-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Megabit per Second"@en ; + dcterms:description "A megabit per second (Mbit/s or Mb/s; not to be confused with mbit/s which means millibit per second, or with Mbitps which means megabit picosecond) is a unit of data transfer rate equal to 1,000,000 bits per second or 1,000 kilobits per second or 125,000 bytes per second or 125 kilobytes per second."^^rdf:HTML ; + qudt:conversionMultiplier 6.931472e+05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DataRate ; + qudt:iec61360Code "0112/2///62720#UAA226" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units"^^xsd:anyURI ; + qudt:symbol "mbps" ; + qudt:ucumCode "MBd"^^qudt:UCUMcs, + "Mbit/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E20" ; + rdfs:isDefinedBy . + +unit:MegaBQ a qudt:Unit ; + rdfs:label "Megabecquerel"@en ; + dcterms:description "1,000,000-fold of the derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA205" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit becquerel" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MBq" ; + qudt:ucumCode "MBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4N" ; + rdfs:isDefinedBy . + +unit:MegaC-PER-M3 a qudt:Unit ; + rdfs:label "Megacoulomb Per Cubic Metre"@en, + "Megacoulomb Per Cubic Meter"@en-us ; + dcterms:description "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:iec61360Code "0112/2///62720#UAA208" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "MC/m³" ; + qudt:ucumCode "MC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B69" ; + rdfs:isDefinedBy . + +unit:MegaEV-PER-CentiM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mega Electron Volt per Centimetre"@en, + "Mega Electron Volt per Centimeter"@en-us ; + dcterms:description "\"Mega Electron Volt per Centimeter\" is a unit for 'Linear Energy Transfer' expressed as \\(MeV/cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-11 ; + qudt:expression "\\(MeV/cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; + qudt:symbol "MeV/cm" ; + qudt:ucumCode "MeV.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaHZ-PER-K a qudt:Unit ; + rdfs:label "Mega Hertz per Kelvin"@en ; + dcterms:description "\\(\\textbf{Mega Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(MHz K^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:expression "\\(MHz K^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:symbol "MHz/K" ; + qudt:ucumCode "MHz.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MegaJoule per Kelvin"@en ; + dcterms:description "MegaJoule Per Kelvin (MegaJ/K) is a unit in the category of Entropy."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:expression "\\(MegaJ/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "MJ/K" ; + qudt:ucumCode "MJ.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaOHM a qudt:Unit ; + rdfs:label "Megaohm"@en ; + dcterms:description "1,000,000-fold of the derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA198" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit ohm" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MΩ" ; + qudt:ucumCode "MOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B75" ; + rdfs:isDefinedBy . + +unit:MegaPA-M0pt5 a qudt:Unit ; + rdfs:label "Megapascal Square Root Metre"@en, + "Megapascal Square Root Meter"@en-us ; + dcterms:description "1,000,000-fold of the derived unit Pascal Square Root Meter"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StressIntensityFactor ; + qudt:plainTextDescription "1,000,000-fold of the derived unit Pascal Square Root Meter" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MPa√m" ; + rdfs:isDefinedBy . + +unit:MegaPA-PER-BAR a qudt:Unit ; + rdfs:label "Megapascal Per Bar"@en ; + dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA217" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the unit bar" ; + qudt:symbol "MPa/bar" ; + qudt:ucumCode "MPa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F05" ; + rdfs:isDefinedBy . + +unit:MegaPA-PER-K a qudt:Unit ; + rdfs:label "Megapascal Per Kelvin"@en ; + dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA216" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; + qudt:symbol "MPa/K" ; + qudt:ucumCode "MPa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F85" ; + rdfs:isDefinedBy . + +unit:MegaS-PER-M a qudt:Unit ; + rdfs:label "Megasiemens Per Metre"@en, + "Megasiemens Per Meter"@en-us ; + dcterms:description "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA220" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "MS/m" ; + qudt:ucumCode "MS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B77" ; + rdfs:isDefinedBy . + +unit:MegaV-A_Reactive a qudt:Unit ; + rdfs:label "Megavolt Ampere Reactive"@en ; + dcterms:description "1,000,000-fold of the unit volt ampere reactive"^^rdf:HTML ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAB199" ; + qudt:plainTextDescription "1,000,000-fold of the unit volt ampere reactive" ; + qudt:symbol "MV⋅A{Reactive}" ; + qudt:ucumCode "MV.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAR" ; + rdfs:isDefinedBy . + +unit:MicroBQ a qudt:Unit ; + rdfs:label "Microbecquerel"@en ; + dcterms:description "0.000001-fold of the SI derived unit becquerel"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA058" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit becquerel" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μBq" ; + qudt:ucumCode "uBq"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H08" ; + rdfs:isDefinedBy . + +unit:MicroBQ-PER-KiloGM a qudt:Unit ; + rdfs:label "Microbecquerels per kilogram"@en ; + dcterms:description "One radioactive disintegration per hundred thousand seconds from an SI standard unit of mass of sample."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "µBq/kg" ; + qudt:ucumCode "uBq.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroBQ-PER-L a qudt:Unit ; + rdfs:label "Microbecquerels per litre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "µBq/L" ; + qudt:ucumCode "uBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroC-PER-M3 a qudt:Unit ; + rdfs:label "Microcoulomb Per Cubic Metre"@en, + "Microcoulomb Per Cubic Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; + qudt:iec61360Code "0112/2///62720#UAA061" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "μC/m³" ; + qudt:ucumCode "uC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B87" ; + rdfs:isDefinedBy . + +unit:MicroCi a qudt:Unit ; + rdfs:label "MicroCurie"@en ; + dcterms:description "Another commonly used measure of radioactivity, the microcurie: \\(1 \\micro Ci = 3.7 \\times 10 disintegrations per second = 2.22 \\times 10 disintegrations per minute\\). A radiotherapy machine may have roughly 1000 Ci of a radioisotope such as caesium-137 or cobalt-60. This quantity of radioactivity can produce serious health effects with only a few minutes of close-range, un-shielded exposure. The typical human body contains roughly \\(0.1\\micro Ci\\) of naturally occurring potassium-40. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 37000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA062" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; + qudt:symbol "μCi" ; + qudt:ucumCode "uCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M5" ; + rdfs:isDefinedBy . + +unit:MicroFARAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "microfarad"@en ; + dcterms:description "The \"microfarad\" (symbolized \\(\\mu F\\)) is a unit of capacitance, equivalent to 0.000001 (10 to the -6th power) farad. The microfarad is a moderate unit of capacitance. In utility alternating-current (AC) and audio-frequency (AF) circuits, capacitors with values on the order of \\(1 \\mu F\\) or more are common. At radio frequencies (RF), a smaller unit, the picofarad (pF), is often used."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA063" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µF" ; + qudt:ucumCode "uF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4O" ; + rdfs:isDefinedBy . + +unit:MicroFARAD-PER-KiloM a qudt:Unit ; + rdfs:label "Microfarad Per Kilometre"@en, + "Microfarad Per Kilometer"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA064" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre" ; + qudt:symbol "μF/km" ; + qudt:ucumCode "uF.km-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H28" ; + rdfs:isDefinedBy . + +unit:MicroFARAD-PER-M a qudt:Unit ; + rdfs:label "Microfarad Per Metre"@en, + "Microfarad Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA065" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "μF/m" ; + qudt:ucumCode "uF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B89" ; + rdfs:isDefinedBy . + +unit:MicroG-PER-CentiM2 a qudt:Unit ; + rdfs:label "Microgram per square centimetre"@en ; + dcterms:description "A unit of mass per area, equivalent to 0.01 grammes per square metre"^^rdf:HTML ; + qudt:conversionMultiplier 0.01 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A unit of mass per area, equivalent to 0.01 grammes per square metre" ; + qudt:symbol "µg/cm²" ; + rdfs:isDefinedBy . + +unit:MicroGAL-PER-M a qudt:Unit ; + rdfs:label "MicroGals per metre"@en ; + dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a distance of one metre."@en ; + qudt:conversionMultiplier 1e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µGal/m" ; + qudt:ucumCode "uGal.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-L-HR a qudt:Unit ; + rdfs:label "Micrograms per litre per hour"@en ; + dcterms:description "A rate of change of mass of a measurand equivalent to 10^-9 kilogram (the SI unit of mass) per litre volume of matrix over a period of 1 hour."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(L⋅hr)" ; + qudt:ucumCode "ug.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-M2-DAY a qudt:Unit ; + rdfs:label "Micrograms per square metre per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-14 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "µg/(m²⋅day)" ; + qudt:ucumCode "ug.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-M3-HR a qudt:Unit ; + rdfs:label "Micrograms per cubic metre per hour"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-13 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(m³⋅day)" ; + qudt:ucumCode "ug.m-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGRAY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MicroGray"@en ; + dcterms:description "0.000001 fold of the SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; + qudt:omUnit ; + qudt:prefix prefix1:Micro ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µGy" ; + qudt:ucumCode "uGy"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroKAT-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Microkatal Per Litre"@en, + "Microkatal Per Liter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "µkat/L" ; + qudt:ucumCode "ukat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroL-PER-L a qudt:Unit ; + rdfs:label "Microlitre Per Litre"@en, + "Microlitre Per Liter"@en-us ; + dcterms:description "volume ratio as 0.000001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA089" ; + qudt:plainTextDescription "volume ratio as 0.000001-fold of the unit litre divided by the unit litre" ; + qudt:symbol "μL/L" ; + qudt:ucumCode "uL.L-1"^^qudt:UCUMcs, + "uL/L"^^qudt:UCUMcs ; + qudt:udunitsCode "ppmv" ; + qudt:uneceCommonCode "J36" ; + rdfs:isDefinedBy . + +unit:MicroM-PER-K a qudt:Unit ; + rdfs:label "Micrometre Per Kelvin"@en, + "Micrometer Per Kelvin"@en-us ; + dcterms:description "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA091" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "μm/K" ; + qudt:ucumCode "um.K-1"^^qudt:UCUMcs, + "um/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F50" ; + rdfs:isDefinedBy . + +unit:MicroM-PER-L-DAY a qudt:Unit ; + rdfs:label "Micromoles per litre per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µm/(L⋅day)" ; + qudt:ucumCode "um.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroM-PER-MilliL a qudt:Unit ; + rdfs:label "Square microns per millilitre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µm/mL" ; + qudt:ucumCode "um2.mL-1"^^qudt:UCUMcs, + "um2/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroM-PER-N a qudt:Unit ; + rdfs:label "Mikrometer pro Newton"@de, + "Micro metre per Newton"@en, + "Micro meter per Newton"@en-us ; + dcterms:description "Micro metres measured per Newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:LinearCompressibility ; + qudt:plainTextDescription "Micro metres measured per Newton" ; + qudt:symbol "µJ/N" ; + rdfs:isDefinedBy . + +unit:MicroM3-PER-M3 a qudt:Unit ; + rdfs:label "Cubic microns per cubic metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "µm³/m³" ; + qudt:ucumCode "um3.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroM3-PER-MilliL a qudt:Unit ; + rdfs:label "Cubic microns per millilitre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:symbol "µm³/mL" ; + qudt:ucumCode "um3.mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMHO a qudt:Unit ; + rdfs:label "Micromho"@en ; + dcterms:description "0.000001-fold of the obsolete unit mho of the electric conductance"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:iec61360Code "0112/2///62720#UAB201" ; + qudt:plainTextDescription "0.000001-fold of the obsolete unit mho of the electric conductance" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μmho" ; + qudt:ucumCode "umho"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NR" ; + rdfs:isDefinedBy . + +unit:MicroMOL a qudt:Unit ; + rdfs:label "Micromole"@en ; + dcterms:description "0.000001-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA093" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit mol" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μmol" ; + qudt:ucumCode "umol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FH" ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-GM-HR a qudt:Unit ; + rdfs:label "Micromoles per gram per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(g⋅h)" ; + qudt:ucumCode "umol.g-1.h-1"^^qudt:UCUMcs, + "umol/g/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-GM-SEC a qudt:Unit ; + rdfs:label "Micromoles per gram per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "μmol/(g⋅s)" ; + qudt:ucumCode "umol.g-1.s-1"^^qudt:UCUMcs, + "umol/g/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Micromoles per kilogram"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "µmol/kg" ; + qudt:ucumCode "umol.kg-1"^^qudt:UCUMcs, + "umol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-L-HR a qudt:Unit ; + rdfs:label "Micromoles per litre per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(L⋅hr)" ; + qudt:ucumCode "umol.L-1.h-1"^^qudt:UCUMcs, + "umol/L/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-M2 a qudt:Unit ; + rdfs:label "Micromoles per square metre"@en ; + dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/m²" ; + qudt:ucumCode "umol.m-2"^^qudt:UCUMcs, + "umol/m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Micromoles per square metre per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(m²⋅day)" ; + qudt:ucumCode "umol.m-2.d-1"^^qudt:UCUMcs, + "umol/m2/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-M2-HR a qudt:Unit ; + rdfs:label "Micromoles per square metre per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(m²⋅hr)" ; + qudt:ucumCode "umol.m-2.h-1"^^qudt:UCUMcs, + "umol/m2/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-M2-SEC a qudt:Unit ; + rdfs:label "Micromoles per square metre per second"@en ; + dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area per SI unit of time. This term is based on the number of photons in a certain waveband incident per unit time (s) on a unit area (m2) divided by the Avogadro constant (6.022 x 1023 mol-1). It is used commonly to describe PAR in the 400-700 nm waveband. Definition Source: Thimijan, Richard W., and Royal D. Heins. 1982. Photometric, Radiometric, and Quantum Light Units of Measure: A Review of Procedures for Interconversion. HortScience 18:818-822."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFluxDensity ; + qudt:symbol "µmol/(m²⋅s)" ; + qudt:ucumCode "umol.m-2.s-1"^^qudt:UCUMcs, + "umol/m2/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-MOL a qudt:Unit ; + rdfs:label "Micromoles per mole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "µmol/mol" ; + qudt:ucumCode "umol.mol-1"^^qudt:UCUMcs, + "umol/mol"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-MicroMOL-DAY a qudt:Unit ; + rdfs:label "Micromole per micromole of biomass per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µmol/(µmol⋅day)" ; + qudt:ucumCode "umol.umol-1.d-1"^^qudt:UCUMcs, + "umol/umol/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-SEC a qudt:Unit ; + rdfs:label "Micromoles per second"@en ; + dcterms:description " This unit is used commonly to describe Photosynthetic Photon Flux (PPF) - the total number of photons emitted by a light source each second within the PAR wavelength range. "@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFlux ; + qudt:symbol "µmol/s" ; + qudt:ucumCode "umol.s-1"^^qudt:UCUMcs, + "umol/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroOHM a qudt:Unit ; + rdfs:label "Microohm"@en ; + dcterms:description "0.000001-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA055" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit ohm" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μΩ" ; + qudt:ucumCode "uOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B94" ; + rdfs:isDefinedBy . + +unit:MicroS-PER-CentiM a qudt:Unit ; + rdfs:label "Microsiemens Per Centimetre"@en, + "Microsiemens Per Centimeter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA075" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "μS/cm" ; + qudt:ucumCode "uS.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G42" ; + rdfs:isDefinedBy . + +unit:MicroS-PER-M a qudt:Unit ; + rdfs:label "Microsiemens Per Metre"@en, + "Microsiemens Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA076" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "μS/m" ; + qudt:ucumCode "uS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G43" ; + rdfs:isDefinedBy . + +unit:MicroSV a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MicroSievert"@en ; + dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used. 0.000001-fold of the SI derived unit sievert."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:prefix prefix1:Micro ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µSv" ; + qudt:ucumCode "uSv"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroSV-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MicroSievert per hour"@en ; + dcterms:description "0.000001-fold of the derived SI unit sievert divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.77778e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAB466" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "µSv/hr" ; + qudt:ucumCode "uSv.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P72" ; + rdfs:isDefinedBy . + +unit:MilliA-HR-PER-GM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Milliampere Hour per Gram"@en ; + dcterms:description "\\(\\textbf{Milliampere hour per gram}\\) is a practical unit of electric charge relative to the mass of the (active) parts. 1mAh/g describes the capability of a material to store charge equivalent to 1h charge with 1mA per gram. The unit is often used in electrochemistry to describe the properties of active components like electrodes."^^qudt:LatexString ; + qudt:conversionMultiplier 3600.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:SpecificElectricCharge ; + qudt:symbol "mA⋅h/g" ; + rdfs:isDefinedBy . + +unit:MilliBAR-PER-BAR a qudt:Unit ; + rdfs:label "Millibar Per Bar"@en ; + dcterms:description "0.01-fold of the unit bar divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA812" ; + qudt:plainTextDescription "0.01-fold of the unit bar divided by the unit bar" ; + qudt:symbol "mbar/bar" ; + qudt:ucumCode "mbar.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F04" ; + rdfs:isDefinedBy . + +unit:MilliBAR-PER-K a qudt:Unit ; + rdfs:label "Millibar Per Kelvin"@en ; + dcterms:description "0.001-fold of the unit bar divided by the unit temperature kelvin"^^rdf:HTML ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA811" ; + qudt:plainTextDescription "0.001-fold of the unit bar divided by the unit temperature kelvin" ; + qudt:symbol "mbar/K" ; + qudt:ucumCode "mbar.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F84" ; + rdfs:isDefinedBy . + +unit:MilliBQ a qudt:Unit ; + rdfs:label "MilliBecquerel"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:symbol "mBq" ; + rdfs:isDefinedBy . + +unit:MilliBQ-PER-GM a qudt:Unit ; + rdfs:label "Millibecquerels per gram"@en ; + dcterms:description "One radioactive disintegration per thousand seconds per 1000th SI unit of sample mass."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "mBq/g" ; + qudt:ucumCode "mBq.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliBQ-PER-KiloGM a qudt:Unit ; + rdfs:label "Millibecquerels per kilogram"@en ; + dcterms:description "One radioactive disintegration per thousand seconds from an SI standard unit of mass of sample."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificActivity ; + qudt:symbol "mBq/kg" ; + qudt:ucumCode "mBq.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliBQ-PER-L a qudt:Unit ; + rdfs:label "Millibecquerels per litre"@en ; + dcterms:description "One radioactive disintegration per second from the SI unit of volume (cubic metre). Equivalent to Becquerels per cubic metre."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "mBq/L" ; + qudt:ucumCode "mBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliBQ-PER-M2-DAY a qudt:Unit ; + rdfs:label "Millibecquerels per square metre per day"@en ; + dcterms:description "One radioactive disintegration per thousand seconds in material passing through an area of one square metre during a period of one day (86400 seconds)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mBq/(m²⋅day)" ; + qudt:ucumCode "mBq.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliC-PER-M3 a qudt:Unit ; + rdfs:label "Millicoulomb Per Cubic Metre"@en, + "Millicoulomb Per Cubic Meter"@en-us ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA785" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mC/m³" ; + qudt:ucumCode "mC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D88" ; + rdfs:isDefinedBy . + +unit:MilliCi a qudt:Unit ; + rdfs:label "Millicurie"@en ; + dcterms:description "0.001-fold of the SI derived unit curie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.7e+07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:iec61360Code "0112/2///62720#UAA786" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit curie" ; + qudt:symbol "mCi" ; + qudt:ucumCode "mCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MCU" ; + rdfs:isDefinedBy . + +unit:MilliDARCY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Millidarcy"@en ; + dcterms:description "

The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length2.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 0.0000000000000009869233 ; + qudt:expression "\\(d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:HydraulicPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length²." ; + qudt:symbol "md" ; + rdfs:isDefinedBy . + +unit:MilliFARAD a qudt:Unit ; + rdfs:label "Millifarad"@en ; + dcterms:description "0.001-fold of the SI derived unit farad"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA787" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit farad" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mF" ; + qudt:ucumCode "mF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C10" ; + rdfs:isDefinedBy . + +unit:MilliGAL-PER-MO a qudt:Unit ; + rdfs:label "MilliGals per month"@en ; + dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a time duration of 30.4375 days or 2629800 seconds."@en ; + qudt:conversionMultiplier 3.802571e-10 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mgal/mo" ; + qudt:ucumCode "mGal.mo-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-CentiM2 a qudt:Unit ; + rdfs:label "Milligram Per Square Centimetre"@en, + "Milligram Per Square Centimeter"@en-us ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA818" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/cm²" ; + qudt:ucumCode "mg.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H63" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-DAY a qudt:Unit ; + rdfs:label "Milligram Per Day"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA819" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit day" ; + qudt:symbol "mg/day" ; + qudt:ucumCode "mg.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F32" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-HA a qudt:Unit ; + rdfs:label "Milligram Per Hectare"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA818" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/ha" ; + qudt:ucumCode "mg.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-HR a qudt:Unit ; + rdfs:label "Milligram Per Hour"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA823" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit hour" ; + qudt:symbol "mg/hr" ; + qudt:ucumCode "mg.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4M" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M a qudt:Unit ; + rdfs:label "Milligram Per Metre"@en, + "Milligram Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA828" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre" ; + qudt:symbol "mg/m" ; + qudt:ucumCode "mg.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C12" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M2 a qudt:Unit ; + rdfs:label "Milligram Per Square Metre"@en, + "Milligram Per Square Meter"@en-us ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:iec61360Code "0112/2///62720#UAA829" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mg/m²" ; + qudt:ucumCode "mg.m-2"^^qudt:UCUMcs, + "mg/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GO" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M2-DAY a qudt:Unit ; + rdfs:label "Milligrams per square metre per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅day)" ; + qudt:ucumCode "mg.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M2-HR a qudt:Unit ; + rdfs:label "Milligrams per square metre per hour"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅hr)" ; + qudt:ucumCode "mg.m-2.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M2-SEC a qudt:Unit ; + rdfs:label "Milligrams per square metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "mg/(m²⋅s)" ; + qudt:ucumCode "mg.m-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M3-DAY a qudt:Unit ; + rdfs:label "Milligrams per cubic metre per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅day)" ; + qudt:ucumCode "mg.m-3.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M3-HR a qudt:Unit ; + rdfs:label "Milligrams per cubic metre per hour"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅hr)" ; + qudt:ucumCode "mg.m-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M3-SEC a qudt:Unit ; + rdfs:label "Milligrams per cubic metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mg/(m³⋅s)" ; + qudt:ucumCode "mg.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-MIN a qudt:Unit ; + rdfs:label "Milligram Per Minute"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA833" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit minute" ; + qudt:symbol "mg/min" ; + qudt:ucumCode "mg/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F33" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-SEC a qudt:Unit ; + rdfs:label "Milligram Per Second"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA836" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit second" ; + qudt:symbol "mg/s" ; + qudt:ucumCode "mg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F34" ; + rdfs:isDefinedBy . + +unit:MilliGRAY a qudt:Unit ; + rdfs:label "Milligray"@en ; + dcterms:description "0.001-fold of the SI derived unit gray"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:iec61360Code "0112/2///62720#UAA788" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit gray" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mGy" ; + qudt:ucumCode "mGy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C13" ; + rdfs:isDefinedBy . + +unit:MilliKAT-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Millikatal Per Litre"@en, + "Millikatal Per Liter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; + qudt:symbol "mkat/L" ; + qudt:ucumCode "mkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliL-PER-CentiM2-MIN a qudt:Unit ; + rdfs:label "Millilitre Per Square Centimetre Minute"@en, + "Millilitre Per Square Centimeter Minute"@en-us ; + dcterms:description "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00016666667 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumetricFlux ; + qudt:iec61360Code "0112/2///62720#UAA858" ; + qudt:plainTextDescription "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mL/(cm²⋅min)" ; + qudt:ucumCode "mL.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "35" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-CentiM2-SEC a qudt:Unit ; + rdfs:label "Millilitre Per Square Centimetre Second"@en, + "Millilitre Per Square Centimeter Second"@en-us ; + dcterms:description "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumetricFlux ; + qudt:iec61360Code "0112/2///62720#UAB085" ; + qudt:plainTextDescription "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "mL/(cm²⋅s)" ; + qudt:ucumCode "mL.cm-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "35" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-K a qudt:Unit ; + rdfs:label "Millilitre Per Kelvin"@en, + "Millilitre Per Kelvin"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA845" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit kelvin" ; + qudt:symbol "mL/K" ; + qudt:ucumCode "mL.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G30" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-L a qudt:Unit ; + rdfs:label "Millilitre Per Litre"@en, + "Millilitre Per Liter"@en-us ; + dcterms:description "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA853" ; + qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre" ; + qudt:symbol "mL/L" ; + qudt:ucumCode "mL.L-1"^^qudt:UCUMcs, + "mL/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L19" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Millilitres per square metre per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mL/(m²⋅day)" ; + qudt:ucumCode "mL.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliL-PER-M3 a qudt:Unit ; + rdfs:label "Millilitre Per Cubic Metre"@en, + "Millilitre Per Cubic Meter"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA854" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mL/m³" ; + qudt:ucumCode "mL.m-3"^^qudt:UCUMcs, + "mL/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H65" ; + rdfs:isDefinedBy . + +unit:MilliM-PER-K a qudt:Unit ; + rdfs:label "Millimetre Per Kelvin"@en, + "Millimeter Per Kelvin"@en-us ; + dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAA864" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit kelvin" ; + qudt:symbol "mm/K" ; + qudt:ucumCode "mm.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F53" ; + rdfs:isDefinedBy . + +unit:MilliM3-PER-M3 a qudt:Unit ; + rdfs:label "Cubic Millimetre Per Cubic Metre"@en, + "Cubic Millimeter Per Cubic Meter"@en-us ; + dcterms:description "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:iec61360Code "0112/2///62720#UAA874" ; + qudt:plainTextDescription "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mm³/m³" ; + qudt:ucumCode "mm3.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L21" ; + rdfs:isDefinedBy . + +unit:MilliMOL a qudt:Unit ; + rdfs:label "Millimole"@en ; + dcterms:description "0.001-fold of the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAA877" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mmol" ; + qudt:ucumCode "mmol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C18" ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-M2 a qudt:Unit ; + rdfs:label "Millimoles per square metre"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/m²" ; + qudt:ucumCode "mmol.m-2"^^qudt:UCUMcs ; + qudt:udunitsCode "DU" ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Millimoles per square metre per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/(m²⋅day)" ; + qudt:ucumCode "mmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-M2-SEC a qudt:Unit ; + rdfs:label "Millimoles per square metre per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "µg/(m²⋅s)" ; + qudt:ucumCode "mmol.m-2.s-1"^^qudt:UCUMcs, + "mmol/m2/s1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-M3-DAY a qudt:Unit ; + rdfs:label "Millimoles per cubic metre per day"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mmol/(m³⋅day)" ; + qudt:ucumCode "mmol.m-3.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-MOL a qudt:Unit ; + rdfs:label "Millimoles per mole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "mmol/mol" ; + qudt:ucumCode "mmol.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliOHM a qudt:Unit ; + rdfs:label "Milliohm"@en ; + dcterms:description "0.001-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA741" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit ohm" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mΩ" ; + qudt:ucumCode "mOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E45" ; + rdfs:isDefinedBy . + +unit:MilliRAD_R a qudt:Unit ; + rdfs:label "MilliRad"@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.00001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:symbol "mrad" ; + rdfs:isDefinedBy . + +unit:MilliRAD_R-PER-HR a qudt:Unit ; + rdfs:label "Millirads per hour"@en ; + dcterms:description "One thousandth part of an absorbed ionizing radiation dose equal to 100 ergs per gram of irradiated material received per hour."@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mrad/hr" ; + qudt:ucumCode "mRAD.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliR_man a qudt:Unit ; + rdfs:label "Milliroentgen Equivalent Man"@en ; + dcterms:description "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body."^^rdf:HTML ; + qudt:conversionMultiplier 2.58e-07 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA898", + "0112/2///62720#UAB056" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; + qudt:plainTextDescription "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body." ; + qudt:symbol "mrem" ; + qudt:ucumCode "mREM"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L31" ; + rdfs:isDefinedBy . + +unit:MilliS-PER-CentiM a qudt:Unit ; + rdfs:label "Millisiemens Per Centimetre"@en, + "Millisiemens Per Centimeter"@en-us ; + dcterms:description "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA801" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "mS/cm" ; + qudt:ucumCode "mS.cm-1"^^qudt:UCUMcs, + "mS/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H61" ; + rdfs:isDefinedBy . + +unit:MilliS-PER-M a qudt:Unit ; + rdfs:label "MilliSiemens per metre"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:symbol "mS/m" ; + qudt:ucumCode "mS.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliSV a qudt:Unit ; + rdfs:label "Millisievert"@en ; + dcterms:description "0.001-fold of the SI derived unit sievert"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA802" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit sievert" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mSv" ; + qudt:ucumCode "mSv"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C28" ; + rdfs:isDefinedBy . + +unit:MilliV-PER-MIN a qudt:Unit ; + rdfs:label "Millivolt Per Minute"@en ; + dcterms:description "0.001-fold of the SI derived unit volt divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA806" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit volt divided by the unit minute" ; + qudt:symbol "mV/min" ; + qudt:ucumCode "mV.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H62" ; + rdfs:isDefinedBy . + +unit:MilliW-PER-CentiM2-MicroM-SR a qudt:Unit ; + rdfs:label "Milliwatts per square centimetre per micrometre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅µm⋅sr)" ; + qudt:ucumCode "mW.cm-2.um-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliW-PER-M2-NanoM a qudt:Unit ; + rdfs:label "Milliwatts per square metre per nanometre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅nm)" ; + qudt:ucumCode "mW.m-2.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliW-PER-M2-NanoM-SR a qudt:Unit ; + rdfs:label "Milliwatts per square metre per nanometre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "mW/(cm⋅nm⋅sr)" ; + qudt:ucumCode "mW.m-2.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MillionUSD-PER-YR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Million US Dollars per Year"@en ; + qudt:expression "\\(\\(M\\$/yr\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + rdfs:isDefinedBy . + +unit:N-M-PER-M a qudt:Unit ; + rdfs:label "Newtonmeter pro Meter"@de, + "Newton metre per metre"@en, + "Newton meter per meter"@en-us ; + dcterms:description "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TorquePerLength ; + qudt:plainTextDescription "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton" ; + qudt:symbol "N⋅m/m" ; + qudt:uneceCommonCode "Q27" ; + rdfs:isDefinedBy . + +unit:N-M-SEC-PER-RAD a qudt:Unit ; + rdfs:label "Newtonmetersekunden pro Radian"@de, + "Newton metre seconds per radian"@en, + "Newton meter seconds per radian"@en-us ; + dcterms:description "Newton metre seconds measured per radian"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularMomentumPerAngle ; + qudt:plainTextDescription "Newton metre seconds measured per radian" ; + qudt:symbol "N⋅m⋅s/rad" ; + rdfs:isDefinedBy . + +unit:N-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newton Square Metre"@en, + "Newton Square Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:WarpingMoment ; + qudt:symbol "N⋅m²" ; + rdfs:isDefinedBy . + +unit:N-PER-A a qudt:Unit ; + rdfs:label "Newton Per Ampere"@en ; + dcterms:description "SI derived unit newton divided by the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:iec61360Code "0112/2///62720#UAA236" ; + qudt:plainTextDescription "SI derived unit newton divided by the SI base unit ampere" ; + qudt:symbol "N/A" ; + qudt:ucumCode "N.A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H40" ; + rdfs:isDefinedBy . + +unit:N-PER-C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newton per Coulomb"@en ; + dcterms:description "Newton Per Coulomb ( N/C) is a unit in the category of Electric field strength. It is also known as newtons/coulomb. Newton Per Coulomb ( N/C) has a dimension of MLT-3I-1 where M is mass, L is length, T is time, and I is electric current. It essentially the same as the corresponding standard SI unit V/m."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/C\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerElectricCharge ; + qudt:symbol "N/C" ; + qudt:ucumCode "N.C-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:N-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newton per Kilogram"@en ; + dcterms:description "Gravitational field strength at a point is the gravitational force per unit mass at that point. It is a vector and its S.I. unit is N kg-1."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; + qudt:symbol "N/kg" ; + qudt:ucumCode "N.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:N-PER-M3 a qudt:Unit ; + rdfs:label "Newtons per cubic metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ModulusOfSubgradeReaction ; + qudt:symbol "N/m³" ; + qudt:ucumCode "N.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:N-SEC-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newtonsekunden pro Meter"@de, + "Newton Second per Metre"@en, + "Newton Second per Meter"@en-us ; + dcterms:description "Newton second measured per metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:expression "\\(N-s/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA252" ; + qudt:plainTextDescription "Newton second measured per metre" ; + qudt:symbol "N⋅s/m" ; + qudt:ucumCode "N.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C58" ; + rdfs:isDefinedBy . + +unit:N-SEC-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newton second per Cubic Metre"@en, + "Newton second per Cubic Meter"@en-us ; + dcterms:description "The SI unit of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is \\(1 N \\cdot s \\cdot m^{-3} \\) if unit pressure produces unit velocity."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; + qudt:latexSymbol "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; + qudt:symbol "N⋅s/m³" ; + qudt:ucumCode "N.s.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:N-SEC-PER-RAD a qudt:Unit ; + rdfs:label "Newtonsekunden pro Radian"@de, + "Newton seconds per radian"@en, + "Newton seconds per radian"@en-us ; + dcterms:description "Newton seconds measured per radian"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MomentumPerAngle ; + qudt:plainTextDescription "Newton seconds measured per radian" ; + qudt:symbol "N⋅s/rad" ; + rdfs:isDefinedBy . + +unit:NAT-PER-SEC a qudt:Unit ; + rdfs:label "Nat per Second"@en ; + dcterms:description "\"Nat per Second\" is information rate in natural units."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(nat-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "nat/s" ; + qudt:uneceCommonCode "Q19" ; + rdfs:isDefinedBy . + +unit:NTU a qudt:Unit ; + rdfs:label "Nephelometry Turbidity Unit"@en ; + dcterms:description "\"Nephelometry Turbidity Unit\" is a C.G.S System unit for 'Turbidity' expressed as \\(NTU\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Turbidity ; + qudt:symbol "NTU" ; + rdfs:isDefinedBy . + +unit:NUM-PER-CentiM-KiloYR a qudt:Unit ; + rdfs:label "Number per square centimetre per thousand years"@en ; + qudt:conversionMultiplier 3.168809e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(cm⋅1000 yr)" ; + qudt:ucumCode "{#}.cm-2.ka-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-GM a qudt:Unit ; + rdfs:label "Number per gram"@en ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/g" ; + qudt:ucumCode "{#}.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-HA a qudt:Unit ; + rdfs:label "Number per hectare"@en ; + dcterms:description "Count of an entity or phenomenon's occurrence in 10,000 times the SI unit area (square metre)."@en ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/ha" ; + qudt:ucumCode "{#}.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-HectoGM a qudt:Unit ; + rdfs:label "Number per 100 grams"@en ; + dcterms:description "Count of an entity or phenomenon occurrence in one 10th of the SI unit of mass (kilogram)."@en ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/hg" ; + qudt:ucumCode "{#}.hg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-KiloM2 a qudt:Unit ; + rdfs:label "Number per square kilometre"@en ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/km²" ; + qudt:ucumCode "{#}.km-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-M2 a qudt:Unit ; + rdfs:label "Number per square metre"@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:symbol "/m²" ; + qudt:ucumCode "/m2"^^qudt:UCUMcs, + "{#}.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-M2-DAY a qudt:Unit ; + rdfs:label "Number per square metre per day"@en ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux ; + qudt:symbol "/(m²⋅day)" ; + qudt:ucumCode "{#}.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-MilliGM a qudt:Unit ; + rdfs:label "Number per milligram"@en ; + dcterms:description "Count of an entity or phenomenon occurrence in one millionth of the SI unit of mass (kilogram)."@en ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/mg" ; + qudt:ucumCode "/mg"^^qudt:UCUMcs, + "{#}.mg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoBQ a qudt:Unit ; + rdfs:label "NanoBecquerel"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity ; + qudt:symbol "nBq" ; + rdfs:isDefinedBy . + +unit:NanoBQ-PER-L a qudt:Unit ; + rdfs:label "Nanobecquerels per litre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ActivityConcentration ; + qudt:symbol "nBq/L" ; + qudt:ucumCode "nBq.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoFARAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Nanofarad"@en ; + dcterms:description "A common metric unit of electric capacitance equal to \\(10^{-9} farad\\). This unit was previously called the \\(millimicrofarad\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA903" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nF" ; + qudt:ucumCode "nF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C41" ; + rdfs:isDefinedBy . + +unit:NanoFARAD-PER-M a qudt:Unit ; + rdfs:label "Nanofarad Per Metre"@en, + "Nanofarad Per Meter"@en-us ; + dcterms:description "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA904" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "nF/m" ; + qudt:ucumCode "nF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C42" ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-DAY a qudt:Unit ; + rdfs:label "Nanograms per day"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-17 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerTime ; + qudt:symbol "ng/day" ; + qudt:ucumCode "ng.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-M2-PA-SEC a qudt:Unit ; + rdfs:label "Nanograms per square metre per Pascal per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "kg/(m²⋅s⋅Pa)" ; + rdfs:isDefinedBy . + +unit:NanoKAT-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Nanokatal Per Litre"@en, + "Nanokatal Per Liter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:symbol "nkat/L" ; + qudt:ucumCode "nkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoM-PER-CentiM-MegaPA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Nanometer Per Centimeter Megapascal"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/cm/MPa" ; + qudt:symbol "nm/(cm⋅MPa)" ; + qudt:ucumCode "nm.cm-1.MPa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoM-PER-CentiM-PSI a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Nanometer Per Centimeter PSI"@en ; + qudt:conversionMultiplier 1.450377e-11 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/cm/PSI" ; + qudt:symbol "nm/(cm⋅PSI)" ; + qudt:ucumCode "nm.cm-1.PSI-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoM-PER-MilliM-MegaPA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Nanometer Per Millimeter Megapascal"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:siUnitsExpression "nm/mm/MPa" ; + qudt:symbol "nm/(mm⋅MPa)" ; + qudt:ucumCode "nm.mm-1.MPa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-CentiM3-HR a qudt:Unit ; + rdfs:label "Nanomoles per cubic centimetre per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(cm³⋅hr)" ; + qudt:ucumCode "nmol.cm-3.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-GM-SEC a qudt:Unit ; + rdfs:label "Nanomoles per gram per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(g⋅s)" ; + qudt:ucumCode "nmol.g-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Nanomoles per kilogram"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "nmol/kg" ; + qudt:ucumCode "nmol.kg-1"^^qudt:UCUMcs, + "nmol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-L-DAY a qudt:Unit ; + rdfs:label "Nanomoles per litre per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(L⋅day)" ; + qudt:ucumCode "nmol.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-L-HR a qudt:Unit ; + rdfs:label "Nanomoles per litre per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(L⋅hr)" ; + qudt:ucumCode "nmol.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Nanomoles per square metre per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-14 ; + qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(m²⋅day)" ; + qudt:ucumCode "nmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-MicroGM-HR a qudt:Unit ; + rdfs:label "Nanomoles per microgram per hour"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(µg⋅hr)" ; + qudt:ucumCode "nmol.ug-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-MicroMOL a qudt:Unit ; + rdfs:label "Nanomoles per micromole"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; + qudt:symbol "nmol/µmol" ; + qudt:ucumCode "nmol.umol-1"^^qudt:UCUMcs, + "nmol/umol"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-MicroMOL-DAY a qudt:Unit ; + rdfs:label "Nanomoles per micromole per day"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "nmol/(µmol⋅day)" ; + qudt:ucumCode "nmol.umol-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoS-PER-CentiM a qudt:Unit ; + rdfs:label "Nanosiemens Per Centimetre"@en, + "Nanosiemens Per Centimeter"@en-us ; + dcterms:description "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-07 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA907" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre" ; + qudt:symbol "nS/cm" ; + qudt:ucumCode "nS.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G44" ; + rdfs:isDefinedBy . + +unit:NanoS-PER-M a qudt:Unit ; + rdfs:label "Nanosiemens Per Metre"@en, + "Nanosiemens Per Meter"@en-us ; + dcterms:description "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA908" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "nS/m" ; + qudt:ucumCode "nS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G45" ; + rdfs:isDefinedBy . + +unit:OERSTED-CentiM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Oersted Centimetre"@en, + "Oersted Centimeter"@en-us ; + dcterms:description "\"Oersted Centimeter\" is a C.G.S System unit for 'Magnetomotive Force' expressed as \\(Oe-cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.795774715 ; + qudt:expression "\\(Oe-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; + qudt:symbol "Oe⋅cm" ; + qudt:ucumCode "Oe.cm"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OHM-M2-PER-M a qudt:Unit ; + rdfs:label "Ohm Square Metre per Metre"@en, + "Ohm Square Meter per Meter"@en-us ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistivity ; + qudt:symbol "Ω⋅m²/m" ; + qudt:ucumCode "Ohm2.m.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OHM_Ab a qudt:Unit ; + rdfs:label "Abohm"@en ; + dcterms:description "\\(\\textit{abohm}\\) is the basic unit of electrical resistance in the emu-cgs system of units. One abohm is equal to \\(10^{-9} ohms\\) in the SI system of units; one abohm is a nano ohm."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abohm"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abohm?oldid=480725336"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abΩ" ; + qudt:ucumCode "nOhm"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OHM_Stat a qudt:Unit ; + rdfs:label "Statohm"@en ; + dcterms:description "\"StatOHM\" is the unit of resistance, reactance, and impedance in the electrostatic C.G.S system of units, equal to the resistance between two points of a conductor when a constant potential difference of 1 statvolt between these points produces a current of 1 statampere; it is equal to approximately \\(8.9876 \\times 10^{11} ohms\\). The statohm is an extremely large unit of resistance. In fact, an object with a resistance of 1 stat W would make an excellent insulator or dielectric . In practical applications, the ohm, the kilohm (k W ) and the megohm (M W or M) are most often used to quantify resistance."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e+11 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://whatis.techtarget.com/definition/statohm-stat-W"^^xsd:anyURI ; + qudt:latexSymbol "\\(stat\\Omega\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "statΩ" ; + rdfs:isDefinedBy . + +unit:OZ-FT a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Foot"@en ; + dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0086409 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB133" ; + qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units" ; + qudt:symbol "oz⋅ft" ; + qudt:ucumCode "[oz_av].[ft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4R" ; + rdfs:isDefinedBy . + +unit:OZ-IN a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Inch"@en ; + dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.000694563 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LengthMass ; + qudt:iec61360Code "0112/2///62720#UAB132" ; + qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "oz⋅in" ; + qudt:ucumCode "[oz_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4Q" ; + rdfs:isDefinedBy . + +unit:OZ-PER-DAY a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Day"@en ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 3.2812e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA919" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day" ; + qudt:symbol "oz/day" ; + qudt:ucumCode "[oz_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L33" ; + rdfs:isDefinedBy . + +unit:OZ-PER-FT2 a qudt:Unit ; + rdfs:label "Imperial Mass Ounce per Square Foot"@en ; + dcterms:description "\"Ounce per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.305151727 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "oz/ft^{2}" ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "oz/ft²{US}" ; + qudt:ucumCode "[oz_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OZ-PER-HR a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Hour"@en ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA920" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour" ; + qudt:symbol "oz/hr" ; + qudt:ucumCode "[oz_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L34" ; + rdfs:isDefinedBy . + +unit:OZ-PER-MIN a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Minute"@en ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.000472492 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA921" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute" ; + qudt:symbol "oz/min" ; + qudt:ucumCode "[oz_av].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L35" ; + rdfs:isDefinedBy . + +unit:OZ-PER-SEC a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Second"@en ; + dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.02834952 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA922" ; + qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second" ; + qudt:symbol "oz/s" ; + qudt:ucumCode "[oz_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L36" ; + rdfs:isDefinedBy . + +unit:OZ-PER-YD2 a qudt:Unit ; + rdfs:label "Imperial Mass Ounce per Square Yard"@en ; + dcterms:description "\"Ounce per Square Yard\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/yd^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0339057474748823 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "oz/yd^{2}" ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "oz/yd³{US}" ; + qudt:ucumCode "[oz_av].[syd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OZ_VOL_US a qudt:Unit ; + rdfs:label "US Liquid Ounce"@en ; + dcterms:description "\"US Liquid Ounce\" is a unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.957353e-05 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "fl oz{US}" ; + qudt:ucumCode "[foz_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "fl oz" ; + qudt:uneceCommonCode "OZA" ; + rdfs:isDefinedBy . + +unit:PA-M a qudt:Unit ; + rdfs:label "Pascal metres"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m" ; + qudt:ucumCode "Pa.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-M-PER-SEC a qudt:Unit ; + rdfs:label "Pascal metres per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m/s" ; + qudt:ucumCode "Pa.m.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-M-PER-SEC2 a qudt:Unit ; + rdfs:label "Pascal metres per square second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa⋅m/s²" ; + qudt:ucumCode "Pa.m.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-M0pt5 a qudt:Unit ; + rdfs:label "Pascal Square Root Meter"@en ; + dcterms:description "A metric unit for stress intensity factor and fracture toughness."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:StressIntensityFactor ; + qudt:plainTextDescription "A metric unit for stress intensity factor and fracture toughness." ; + qudt:symbol "Pa√m" ; + rdfs:isDefinedBy . + +unit:PA-PER-BAR a qudt:Unit ; + rdfs:label "Pascal Per Bar"@en ; + dcterms:description "SI derived unit pascal divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA260" ; + qudt:plainTextDescription "SI derived unit pascal divided by the unit bar" ; + qudt:symbol "Pa/bar" ; + qudt:ucumCode "Pa.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F07" ; + rdfs:isDefinedBy . + +unit:PA-PER-HR a qudt:Unit ; + rdfs:label "Pascal per Hour"@en ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one hour."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:expression "\\(P / hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/hr" ; + qudt:ucumCode "Pa.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-PER-K a qudt:Unit ; + rdfs:label "Pascal per Kelvin"@en ; + qudt:applicableSystem sou:SI ; + qudt:expression "\\(pascal-per-kelvin\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:PressureCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA259" ; + qudt:symbol "P/K" ; + qudt:ucumCode "Pa.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C64" ; + rdfs:isDefinedBy . + +unit:PA-PER-M a qudt:Unit ; + rdfs:label "Pascal Per Metre"@en, + "Pascal Per Meter"@en-us ; + dcterms:description "SI derived unit pascal divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA262" ; + qudt:plainTextDescription "SI derived unit pascal divided by the SI base unit metre" ; + qudt:symbol "Pa/m" ; + qudt:ucumCode "Pa.m-1"^^qudt:UCUMcs, + "Pa/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H42" ; + rdfs:isDefinedBy . + +unit:PA-PER-MIN a qudt:Unit ; + rdfs:label "Pascal per Minute"@en ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one minute."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0166666667 ; + qudt:expression "\\(P / min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/min" ; + qudt:ucumCode "Pa.min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-PER-SEC a qudt:Unit ; + rdfs:label "Pascal per Second"@en ; + dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(P / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:symbol "P/s" ; + qudt:ucumCode "Pa.s-1"^^qudt:UCUMcs, + "Pa/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA-SEC-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "باسكال ثانية لكل متر مكعب"@ar, + "pascal sekunda na metr krychlový"@cs, + "Pascalsekunde je Kubikmeter"@de, + "pascal second per cubic metre"@en, + "Pascal Second Per Cubic Meter"@en-us, + "pascal segundo por metro cúbico"@es, + "نیوتون ثانیه بر متر مکعب"@fa, + "pascal-seconde par mètre cube"@fr, + "पास्कल सैकण्ड प्रति घन मीटर"@hi, + "pascal per secondo al metro cubo"@it, + "パスカル秒毎立方メートル"@ja, + "pascal saat per meter kubik"@ms, + "paskalosekunda na metr sześcienny"@pl, + "pascal-segundo por metro cúbico"@pt, + "pascal-secundă pe metru cub"@ro, + "паскаль-секунда на кубический метр"@ru, + "pascal saniye bölü metre küp"@tr ; + dcterms:description "\\(\\textit{Pascal Second Per Cubic Meter}\\) (\\(Pa-s/m^3\\)) is a unit in the category of Acoustic impedance. It is also known as \\(\\textit{pascal-second/cubic meter}\\). It has a dimension of \\(ML^{-4}T^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa-s/m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAA263" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--acoustic_impedance--pascal_second_per_cubic_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa.s/m3" ; + qudt:symbol "Pa⋅s/m³" ; + qudt:ucumCode "Pa.s.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C66" ; + rdfs:isDefinedBy . + +unit:PA2-PER-SEC2 a qudt:Unit ; + rdfs:label "Square pascal per square second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-6D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "Pa²⋅m/s²" ; + qudt:ucumCode "Pa2.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PA2-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Pascal Second"@en ; + dcterms:description "Square Pascal Second (\\(Pa^2\\cdot s\\)) is a unit in the category of sound exposure."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa2-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; + qudt:hasQuantityKind quantitykind:SoundExposure ; + qudt:iec61360Code "0112/2///62720#UAB339" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa2.s" ; + qudt:symbol "Pa²⋅s" ; + qudt:ucumCode "Pa2.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P42" ; + rdfs:isDefinedBy . + +unit:PER-CentiM3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Centimetre"@en, + "Reciprocal Cubic Centimeter"@en-us ; + dcterms:description "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA383" ; + qudt:plainTextDescription "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "/cm³" ; + qudt:ucumCode "cm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H50" ; + rdfs:isDefinedBy . + +unit:PER-EV2 a qudt:Unit ; + rdfs:label "Reciprocal Square Electron Volt"@en ; + dcterms:description "Per Square Electron Volt is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 38956440500000000000000000000000000000.0 ; + qudt:expression "\\(/eV^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/eV²" ; + qudt:ucumCode "eV-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-FT3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Foot"@en ; + dcterms:description "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 35.31466 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA453" ; + qudt:plainTextDescription "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/ft³" ; + qudt:ucumCode "[cft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K20" ; + rdfs:isDefinedBy . + +unit:PER-GM a qudt:Unit ; + rdfs:label "Reciprocal gram"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/g" ; + qudt:ucumCode "g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-H a qudt:Unit ; + rdfs:label "Reciprocal Henry"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/H" ; + qudt:ucumCode "H-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C89" ; + rdfs:isDefinedBy . + +unit:PER-IN3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Inch"@en ; + dcterms:description "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 61023.76 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA546" ; + qudt:plainTextDescription "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/in³" ; + qudt:ucumCode "[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K49" ; + rdfs:isDefinedBy . + +unit:PER-J-M3 a qudt:Unit ; + rdfs:label "Reciprocal Joule Cubic Metre"@en, + "Reciprocal Joule Cubic Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(j^{-1}-m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensityOfStates ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "/(J⋅m³)" ; + qudt:ucumCode "J-1.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C90" ; + rdfs:isDefinedBy . + +unit:PER-J2 a qudt:Unit ; + rdfs:label "Reciprocal Square Joule"@en ; + dcterms:description "Per Square Joule is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/J^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/J²" ; + qudt:ucumCode "J-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-KiloGM2 a qudt:Unit ; + rdfs:label "Reciprocal Square Kilogram"@en ; + dcterms:description "Per Square Kilogram is a denominator unit with dimensions \\(/kg^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/kg^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseMass_Squared ; + qudt:symbol "/kg²" ; + qudt:ucumCode "kg-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-KiloV-A-HR a qudt:Unit ; + rdfs:label "Reciprocal Kilovolt Ampere Hour"@en ; + dcterms:description "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy ; + qudt:iec61360Code "0112/2///62720#UAA098" ; + qudt:plainTextDescription "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour" ; + qudt:symbol "/(kV⋅A⋅hr)" ; + rdfs:isDefinedBy . + +unit:PER-L a qudt:Unit ; + rdfs:label "Reciprocal Litre"@en, + "Reciprocal Liter"@en-us ; + dcterms:description "reciprocal value of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA667" ; + qudt:plainTextDescription "reciprocal value of the unit litre" ; + qudt:symbol "/L" ; + qudt:ucumCode "/L"^^qudt:UCUMcs, + "L-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K63" ; + rdfs:isDefinedBy . + +unit:PER-M-NanoM a qudt:Unit ; + rdfs:label "Reciprocal metre per nanometre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅nm)" ; + qudt:ucumCode "m-1.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M-NanoM-SR a qudt:Unit ; + rdfs:label "Reciprocal metre per nanometre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅nm⋅sr)" ; + qudt:ucumCode "m-1.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M-SEC a qudt:Unit ; + rdfs:label "Reciprocal metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅s)" ; + qudt:ucumCode "m-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M-SR a qudt:Unit ; + rdfs:label "Reciprocal metre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(m⋅sr)" ; + qudt:ucumCode "m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Square Metre"@en, + "Reciprocal Square Meter"@en-us ; + dcterms:description "\"Per Square Meter\" is a denominator unit with dimensions \\(/m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ParticleFluence ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/m²" ; + qudt:ucumCode "/m2"^^qudt:UCUMcs, + "m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C93" ; + rdfs:isDefinedBy . + +unit:PER-MicroMOL-L a qudt:Unit ; + rdfs:label "Reciprocal micromole per litre"@en ; + dcterms:description "Units used to describe the sensitivity of detection of a spectrophotometer."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A-1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(mmol⋅L)" ; + qudt:ucumCode "umol-1.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-MilliL a qudt:Unit ; + rdfs:label "Reciprocal Millilitre"@en, + "Reciprocal Milliliter"@en-us ; + dcterms:description "reciprocal value of the unit Millilitre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:plainTextDescription "reciprocal value of the unit millilitre" ; + qudt:symbol "/mL" ; + qudt:ucumCode "/mL"^^qudt:UCUMcs, + "mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-MilliM3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Millimetre"@en, + "Reciprocal Cubic Millimeter"@en-us ; + dcterms:description "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAA870" ; + qudt:plainTextDescription "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "/mm³" ; + qudt:ucumCode "/mm3"^^qudt:UCUMcs, + "mm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L20" ; + rdfs:isDefinedBy . + +unit:PER-PA-SEC a qudt:Unit ; + rdfs:label "Reciprocal Pascal per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/(Pa⋅s)" ; + qudt:ucumCode "Pa-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-SEC-M2 a qudt:Unit ; + rdfs:label "Reciprocal Second Square Metre"@en, + "Reciprocal Second Square Meter"@en-us ; + dcterms:description "\\(\\textit{Per Second Square Meter}\\) is a measure of flux with dimensions \\(/sec-m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(per-sec-m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux ; + qudt:symbol "/s⋅m²" ; + qudt:ucumCode "/(s1.m2)"^^qudt:UCUMcs, + "s-1.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-SEC-M2-SR a qudt:Unit ; + rdfs:label "Reciprocal Second Square Metre Steradian"@en, + "Reciprocal Second Square Meter Steradian"@en-us ; + dcterms:description "Per Second Square Meter Steradian is a denominator unit with dimensions \\(/sec-m^2-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/sec-m^2-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotonRadiance ; + qudt:symbol "/s⋅m²⋅sr" ; + qudt:ucumCode "/(s.m2.sr)"^^qudt:UCUMcs, + "s-1.m-2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D2" ; + rdfs:comment "It is not clear this unit is ever used. [Editor]" ; + rdfs:isDefinedBy . + +unit:PER-SEC2 a qudt:Unit ; + rdfs:label "Reciprocal square second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/s²" ; + qudt:ucumCode "s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-SR a qudt:Unit ; + rdfs:label "Reciprocal steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "/sr" ; + qudt:ucumCode "sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-YD3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Yard"@en ; + dcterms:description "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.307951 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume ; + qudt:iec61360Code "0112/2///62720#UAB033" ; + qudt:plainTextDescription "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "/yd³" ; + qudt:ucumCode "[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M10" ; + rdfs:isDefinedBy . + +unit:PERCENT-PER-M a qudt:Unit ; + rdfs:label "Percent per metre"@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; + qudt:symbol "%/m" ; + qudt:ucumCode "%.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H99" ; + rdfs:isDefinedBy . + +unit:PERCENT_RH a qudt:Unit ; + rdfs:label "Percent Relative Humidity"@en ; + dcterms:description "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:RelativeHumidity ; + qudt:plainTextDescription "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage." ; + qudt:symbol "%RH" ; + rdfs:isDefinedBy . + +unit:PERMEABILITY_EM_REL a qudt:Unit ; + rdfs:label "Relative Electromagnetic Permeability"@en ; + dcterms:description "Relative permeability, denoted by the symbol \\(\\mu _T\\), is the ratio of the permeability of a specific medium to the permeability of free space \\(\\mu _0\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeabilityRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\,T\\)"^^qudt:LatexString ; + qudt:symbol "μₜ" ; + qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PERMEABILITY_REL a qudt:Unit ; + rdfs:label "Relative Permeability"@en ; + dcterms:description "In multiphase flow in porous media, the relative permeability of a phase is a dimensionless measure of the effective permeability of that phase. It is the ratio of the effective permeability of that phase to the absolute permeability. It can be viewed as an adaptation of Darcy's law to multiphase flow. For two-phase flow in porous media given steady-state conditions, we can write where is the flux, is the pressure drop, is the viscosity."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU ; + qudt:conversionMultiplier 1.256637e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PermeabilityRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; + qudt:symbol "kᵣ" ; + rdfs:isDefinedBy . + +unit:PERM_Metric a qudt:Unit ; + rdfs:label "Metric Perm"@en ; + dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The metric perm (not an SI unit) is defined as 1 gram of water vapor per day, per square meter, per millimeter of mercury."@en ; + qudt:conversionMultiplier 8.68127e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "perm{Metric}" ; + rdfs:isDefinedBy . + +unit:PERM_US a qudt:Unit ; + rdfs:label "U.S. Perm"@en ; + dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The U.S. perm is defined as 1 grain of water vapor per hour, per square foot, per inch of mercury."@en ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.72135e-11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "perm{US}" ; + rdfs:isDefinedBy . + +unit:PINT_US a qudt:Unit ; + rdfs:label "US Liquid Pint"@en ; + dcterms:description "\"US Liquid Pint\" is a unit for 'Liquid Volume' expressed as \\(pt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004731765 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume ; + qudt:symbol "pt{US}" ; + qudt:ucumCode "[pt_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "pt" ; + qudt:uneceCommonCode "PTL" ; + rdfs:isDefinedBy . + +unit:PINT_US_DRY a qudt:Unit ; + rdfs:label "US Dry Pint"@en ; + dcterms:description "\"US Dry Pint\" is a C.G.S System unit for 'Dry Volume' expressed as \\(dry_pt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000550610471 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "pt{US Dry}" ; + qudt:ucumCode "[dpt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTD" ; + rdfs:isDefinedBy . + +unit:PK_US_DRY a qudt:Unit ; + rdfs:label "US Peck"@en ; + dcterms:description "A peck is an imperial and U.S. customary unit of dry volume, equivalent to 2 gallons or 8 dry quarts or 16 dry pints. Two pecks make a kenning (obsolete), and four pecks make a bushel. In Scotland, the peck was used as a dry measure until the introduction of imperial units as a result of the Weights and Measures Act of 1824. The peck was equal to about 9 litres (in the case of certain crops, such as wheat, peas, beans and meal) and about 13 litres (in the case of barley, oats and malt). A firlot was equal to 4 pecks and the peck was equal to 4 lippies or forpets. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00880976754 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "peck{US Dry}" ; + qudt:ucumCode "[pk_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "pk" ; + qudt:uneceCommonCode "PY" ; + rdfs:isDefinedBy . + +unit:PPTH-PER-HR a qudt:Unit ; + rdfs:label "Parts per thousand per hour"@en ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "‰/hr" ; + qudt:ucumCode "[ppth].h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PPTR_VOL a qudt:Unit ; + rdfs:label "Parts per trillion by volume"@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pptr" ; + qudt:ucumCode "[pptr]{vol}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PSI-PER-PSI a qudt:Unit ; + rdfs:label "Psi Per Psi"@en ; + dcterms:description "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:PressureRatio ; + qudt:iec61360Code "0112/2///62720#UAA951" ; + qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "psi/psi" ; + qudt:ucumCode "[psi].[psi]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L52" ; + rdfs:isDefinedBy . + +unit:PSU a qudt:Unit ; + rdfs:label "Practical Salinity Unit"@en ; + dcterms:description "Practical salinity scale 1978 (PSS-78) is used for ionic content of seawater determined by electrical conductivity. Salinities measured using PSS-78 do not have units, but are approximately scaled to parts-per-thousand for the valid range. The suffix psu or PSU (denoting practical salinity unit) is sometimes added to PSS-78 measurement values. The addition of PSU as a unit after the value is \"formally incorrect and strongly discouraged\"."^^rdf:HTML ; + dcterms:source ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Salinity#PSU"^^xsd:anyURI ; + qudt:symbol "PSU" ; + rdfs:isDefinedBy ; + rdfs:seeAlso unit:PPTH . + +unit:PicoA-PER-MicroMOL-L a qudt:Unit ; + rdfs:label "Picoamps per micromole per litre"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E1L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pA/(mmol⋅L)" ; + qudt:ucumCode "pA.umol-1.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoFARAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Picofarad"@en ; + dcterms:description "\"PicoF\" is a common unit of electric capacitance equal to \\(10^{-12} farad\\). This unit was formerly called the micromicrofarad."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Capacitance ; + qudt:iec61360Code "0112/2///62720#UAA930" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pF" ; + qudt:ucumCode "pF"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4T" ; + rdfs:isDefinedBy . + +unit:PicoFARAD-PER-M a qudt:Unit ; + rdfs:label "Picofarad Per Metre"@en, + "Picofarad Per Meter"@en-us ; + dcterms:description "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA931" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; + qudt:symbol "pF/m" ; + qudt:ucumCode "pF.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C72" ; + rdfs:isDefinedBy . + +unit:PicoKAT-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Picokatal Per Litre"@en, + "Picokatal Per Liter"@en-us ; + dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000000001 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; + qudt:symbol "pkat/L" ; + qudt:ucumCode "pkat/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Picomoles per kilogram"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:symbol "pmol/kg" ; + qudt:ucumCode "pmol.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-L-DAY a qudt:Unit ; + rdfs:label "Picomoles per litre per day"@en ; + dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 86400 seconds."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-14 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/day" ; + qudt:ucumCode "pmol.L-1.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-L-HR a qudt:Unit ; + rdfs:label "Picomoles per litre per hour"@en ; + dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 3600 seconds."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 2.777778e-13 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(L⋅hr)" ; + qudt:ucumCode "pmol.L-1.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-M-W-SEC a qudt:Unit ; + rdfs:label "Picomoles per metre per watt per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m⋅W⋅s)" ; + qudt:ucumCode "pmol.m-1.W-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-M2-DAY a qudt:Unit ; + rdfs:label "Picomoles per square metre per day"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.157407e-17 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m²⋅day)" ; + qudt:ucumCode "pmol.m-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-M3-SEC a qudt:Unit ; + rdfs:label "Picomoles per cubic metre per second"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pmol/(m³⋅s)" ; + qudt:ucumCode "pmol.m-3.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoS-PER-M a qudt:Unit ; + rdfs:label "Picosiemens Per Metre"@en, + "Picosiemens Per Meter"@en-us ; + dcterms:description "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA934" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; + qudt:symbol "pS/m" ; + qudt:ucumCode "pS.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L42" ; + rdfs:isDefinedBy . + +unit:PicoW-PER-CentiM2-L a qudt:Unit ; + rdfs:label "Picowatts per square centimetre per litre"@en ; + dcterms:description "The power (scaled by 10^-12) per SI unit of area (scaled by 10^-4) produced per SI unit of volume (scaled by 10^-3)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "pW/(cm²⋅L)" ; + qudt:ucumCode "pW.cm-2.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PlanckCurrentDensity a qudt:Unit ; + rdfs:label "Planck Current Density"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.331774e+95 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:symbol "planckcurrentdensity" ; + rdfs:isDefinedBy . + +unit:PlanckImpedance a qudt:Unit ; + rdfs:label "Planck Impedance"@en ; + dcterms:description "The Planck impedance is the unit of electrical resistance, denoted by ZP, in the system of natural units known as Planck units. The Planck impedance is directly coupled to the impedance of free space, Z0, and differs in value from Z0 only by a factor of \\(4\\pi\\). If the Planck charge were instead defined to normalize the permittivity of free space, \\(\\epsilon_0\\), rather than the Coulomb constant, \\(1/(4\\pi\\epsilon_0)\\), then the Planck impedance would be identical to the characteristic impedance of free space."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 29.9792458 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_P = \\frac{V_P}{I_P}= \\frac{1}{4\\pi\\epsilon_0c}=\\frac{\\mu_oc}{4\\pi}=\\frac{Z_0}{4\\pi}=29.9792458\\Omega\\)\\where \\(V_P\\) is the Planck voltage, \\(I_P\\) is the Planck current, \\(c\\) is the speed of light in a vacuum, \\(\\epsilon_0\\) is the permittivity of free space, \\(\\mu_0\\) is the permeability of free space, and \\(Z_0\\) is the impedance of free space."^^qudt:LatexString ; + qudt:symbol "Zₚ" ; + rdfs:isDefinedBy . + +unit:QT_US_DRY a qudt:Unit ; + rdfs:label "US Dry Quart"@en ; + dcterms:description "\"US Dry Quart\" is a unit for 'Dry Volume' expressed as \\(dry_qt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.001101220942715 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DryVolume ; + qudt:symbol "qt{US Dry}" ; + qudt:ucumCode "[dqt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTD" ; + rdfs:isDefinedBy . + +unit:RAD-M2-PER-KiloGM a qudt:Unit ; + rdfs:label "Radian Square Metre per Kilogram"@en, + "Radian Square Meter per Kilogram"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad m^2 / kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificOpticalRotatoryPower ; + qudt:iec61360Code "0112/2///62720#UAB162" ; + qudt:symbol "rad⋅m²/kg" ; + qudt:ucumCode "rad.m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C83" ; + rdfs:isDefinedBy . + +unit:RAD-M2-PER-MOL a qudt:Unit ; + rdfs:label "Radian Square Metre per Mole"@en, + "Radian Square Meter per Mole"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad m^2 / mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarOpticalRotatoryPower ; + qudt:iec61360Code "0112/2///62720#UAB161" ; + qudt:symbol "rad⋅m²/mol" ; + qudt:ucumCode "rad.m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C82" ; + rdfs:isDefinedBy . + +unit:RAD-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Radian per Square Second"@en ; + dcterms:description "Angular acceleration is the rate of change of angular velocity. In SI units, it is measured in radians per Square second (\\(rad/s^2\\)), and is usually denoted by the Greek letter \\(\\alpha\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(rad/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA969" ; + qudt:symbol "rad/s²" ; + qudt:ucumCode "rad.s-2"^^qudt:UCUMcs, + "rad/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2B" ; + rdfs:isDefinedBy . + +unit:RAD_R a qudt:Unit ; + rdfs:label "Rad"@en ; + dcterms:description "The \\(rad\\) is a deprecated unit of absorbed radiation dose, defined as \\(1 rad = 0.01\\,Gy = 0.01 J/kg\\). It was originally defined in CGS units in 1953 as the dose causing 100 ergs of energy to be absorbed by one gram of matter. It has been replaced by the gray in most of the world. A related unit, the \\(roentgen\\), was formerly used to quantify the number of rad deposited into a target when it was exposed to radiation. The F-factor can used to convert between rad and roentgens. The material absorbing the radiation can be human tissue or silicon microchips or any other medium (for example, air, water, lead shielding, etc.)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/RAD"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose ; + qudt:informativeReference "http://en.wikipedia.org/wiki/RAD?oldid=493716376"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rad" ; + qudt:ucumCode "RAD"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C80" ; + rdfs:isDefinedBy . + +unit:RAYL a qudt:Unit ; + rdfs:label "Rayl"@en ; + dcterms:description "The \\(Rayl\\) is one of two units of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is one rayl if unit pressure produces unit velocity. It is defined as follows: \\(1\\; rayl = 1 dyn\\cdot s\\cdot cm^{-3}\\) Or in SI as: \\(1 \\; rayl = 10^{-1}Pa\\cdot s\\cdot m^{-1}\\), which equals \\(10\\,N \\cdot s\\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rayl"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rayl?oldid=433570842"^^xsd:anyURI ; + qudt:symbol "rayl" ; + rdfs:isDefinedBy . + +unit:REM a qudt:Unit ; + rdfs:label "Rem"@en ; + dcterms:description "A Rem is a deprecated unit used to measure the biological effects of ionizing radiation. The rem is defined as equal to 0.01 sievert, which is the more commonly used unit outside of the United States. Equivalent dose, effective dose, and committed dose can all be measured in units of rem. These quantities are products of the absorbed dose in rads and weighting factors. These factors must be selected for each exposure situation; there is no universally applicable conversion constant from rad to rem. A rem is a large dose of radiation, so the millirem (mrem), which is one thousandth of a rem, is often used for the dosages commonly encountered, such as the amount of radiation received from medical x-rays and background sources."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA971" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rem" ; + qudt:ucumCode "REM"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D91" ; + rdfs:isDefinedBy . + +unit:REV-PER-SEC2 a qudt:Unit ; + rdfs:label "Revolution per Square Second"@en ; + dcterms:description "\"Revolution per Square Second\" is a C.G.S System unit for 'Angular Acceleration' expressed as \\(rev-per-s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 6.28318531 ; + qudt:expression "\\(rev/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AngularAcceleration ; + qudt:symbol "rev/s²" ; + qudt:ucumCode "{#}.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:S-M2-PER-MOL a qudt:Unit ; + rdfs:label "Siemens Square metre per mole"@en, + "Siemens Square meter per mole"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(s-m2-per-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:MolarConductivity ; + qudt:iec61360Code "0112/2///62720#UAA280" ; + qudt:symbol "S⋅m²/mol" ; + qudt:ucumCode "S.m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D12" ; + rdfs:isDefinedBy . + +unit:S-PER-CentiM a qudt:Unit ; + rdfs:label "Siemens Per Centimetre"@en, + "Siemens Per Centimeter"@en-us ; + dcterms:description "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity ; + qudt:iec61360Code "0112/2///62720#UAA278" ; + qudt:plainTextDescription "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "S/cm" ; + qudt:ucumCode "S.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H43" ; + rdfs:isDefinedBy . + +unit:SEC-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Second Square Foot"@en ; + dcterms:description "\"Second Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(s-ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(s-ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:AreaTime ; + qudt:symbol "s⋅ft²" ; + qudt:ucumCode "s.[ft_i]2"^^qudt:UCUMcs, + "s.[sft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:SEC-PER-M a qudt:Unit ; + rdfs:label "Seconds per metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "s/m" ; + qudt:ucumCode "s.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:SEC-PER-RAD-M3 a qudt:Unit ; + rdfs:label "Second per Radian Cubic Metre"@en, + "Second per Radian Cubic Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:expression "\\(sec/rad-m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:DensityOfStates ; + qudt:iec61360Code "0112/2///62720#UAB352" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "s/rad⋅m³" ; + qudt:ucumCode "s.rad-1.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q22" ; + rdfs:isDefinedBy . + +unit:SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Second"@en ; + dcterms:description "\"Square Second\" is a unit for 'Square Time' expressed as \\(s^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI, + sou:USCS ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + qudt:hasQuantityKind quantitykind:Time_Squared ; + qudt:symbol "s²" ; + qudt:ucumCode "s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:SHANNON-PER-SEC a qudt:Unit ; + rdfs:label "Shannon per Second"@en ; + dcterms:description "The \"Shannon per Second\" is a unit of information rate."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Sh/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:InformationFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB346" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "Sh/s" ; + qudt:uneceCommonCode "Q17" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-DAY a qudt:Unit ; + rdfs:label "Slug Per Day"@en ; + dcterms:description "unit slug for mass according to an English engineering system divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.689109e-04 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA979" ; + qudt:plainTextDescription "unit slug for mass according to an English engineering system divided by the unit day" ; + qudt:symbol "slug/day" ; + qudt:uneceCommonCode "L63" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-FT a qudt:Unit ; + rdfs:label "Slug per Foot"@en ; + dcterms:description "\"Slug per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(slug/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 47.8802591863517 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:symbol "slug/ft" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-FT2 a qudt:Unit ; + rdfs:label "Slug per Square Foot"@en ; + dcterms:description "\"Slug per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(slug/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 157.08746452215124 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:symbol "slug/ft²" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-HR a qudt:Unit ; + rdfs:label "Slug Per Hour"@en ; + dcterms:description "unit slug for mass slug according to the English engineering system divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.004053861111111 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA982" ; + qudt:plainTextDescription "unit slug for mass slug according to the English engineering system divided by the unit hour" ; + qudt:symbol "slug/hr" ; + qudt:uneceCommonCode "L66" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-MIN a qudt:Unit ; + rdfs:label "Slug Per Minute"@en ; + dcterms:description "unit slug for the mass according to the English engineering system divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.243231666666667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA983" ; + qudt:plainTextDescription "unit slug for the mass according to the English engineering system divided by the unit minute" ; + qudt:symbol "slug/min" ; + qudt:uneceCommonCode "L67" ; + rdfs:isDefinedBy . + +unit:SR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ستراديان"@ar, + "стерадиан"@bg, + "steradián"@cs, + "Steradiant"@de, + "στερακτίνιο"@el, + "steradian"@en, + "estereorradián"@es, + "استرادیان"@fa, + "stéradian"@fr, + "סטרדיאן"@he, + "घन मीटर"@hi, + "szteradián"@hu, + "steradiante"@it, + "ステラジアン"@ja, + "steradian"@la, + "steradian"@ms, + "steradian"@pl, + "esterradiano"@pt, + "steradian"@ro, + "стерадиан"@ru, + "steradian"@sl, + "steradyan"@tr, + "球面度"@zh ; + dcterms:description "The steradian (symbol: sr) is the SI unit of solid angle. It is used to describe two-dimensional angular spans in three-dimensional space, analogous to the way in which the radian describes angles in a plane. The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SolidAngle ; + qudt:iec61360Code "0112/2///62720#UAA986" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "sr" ; + qudt:ucumCode "sr"^^qudt:UCUMcs ; + qudt:udunitsCode "sr" ; + qudt:uneceCommonCode "D27" ; + rdfs:isDefinedBy . + +unit:ST a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Stokes"@en ; + dcterms:description "\\(\\textbf{Stokes (St)}\\) is a unit in the category of Kinematic viscosity. This unit is commonly used in the cgs unit system. Stokes (St) has a dimension of \\(L^2T^{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(m^2/s\\) by multiplying its value by a factor of 0.0001."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.0001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stokes"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:KinematicViscosity ; + qudt:iec61360Code "0112/2///62720#UAA281" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stokes?oldid=426159512"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--kinematic_viscosity--stokes.cfm"^^xsd:anyURI ; + qudt:latexDefinition "\\((cm^2/s\\))"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "St" ; + qudt:ucumCode "St"^^qudt:UCUMcs ; + qudt:udunitsCode "St" ; + qudt:uneceCommonCode "91" ; + rdfs:isDefinedBy . + +unit:STILB a qudt:Unit ; + rdfs:label "Stilb"@en ; + dcterms:description "\\(The \\textit{stilb (sb)} is the CGS unit of luminance for objects that are not self-luminous. It is equal to one candela per square centimeter or 10 nits (candelas per square meter). The name was coined by the French physicist A. Blondel around 1920. It comes from the Greek word stilbein meaning 'to glitter'. It was in common use in Europe up to World War I. In North America self-explanatory terms such as candle per square inch and candle per square meter were more common. The unit has since largely been replaced by the SI unit: candela per square meter.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Stilb"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Luminance ; + qudt:iec61360Code "0112/2///62720#UAB260" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stilb?oldid=375748497"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "sb" ; + qudt:ucumCode "sb"^^qudt:UCUMcs ; + qudt:udunitsCode "sb" ; + qudt:uneceCommonCode "P31" ; + rdfs:isDefinedBy . + +unit:S_Ab a qudt:Unit ; + rdfs:label "Absiemen"@en ; + dcterms:description "The CGS electromagnetic unit of conductance; one absiemen is the conductance at which a potential of one abvolt forces a current of one abampere; equal to \\(10^{9}\\) siemens. One siemen is the conductance at which a potential of one volt forces a current of one ampere and named for Karl Wilhem Siemens."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+09 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; + qudt:symbol "aS" ; + qudt:ucumCode "GS"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:T-M a qudt:Unit ; + rdfs:label "T-M"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:symbol "T⋅m" ; + qudt:ucumCode "T.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:T-SEC a qudt:Unit ; + rdfs:label "T-SEC"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerElectricCharge ; + qudt:symbol "T⋅s" ; + qudt:ucumCode "T.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TEX a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Tex"@en ; + dcterms:description "Tex is a unit of measure for the linear mass density of fibers and is defined as the mass in grams per 1000 meters. Tex is more likely to be used in Canada and Continental Europe, while denier remains more common in the United States and United Kingdom. The unit code is 'tex'. The most commonly used unit is actually the decitex, abbreviated dtex, which is the mass in grams per 10,000 meters. When measuring objects that consist of multiple fibers the term 'filament tex' is sometimes used, referring to the mass in grams per 1000 meters of a single filament. Tex is used for measuring fiber size in many products, including cigarette filters, optical cable, yarn, and fabric."^^rdf:HTML ; + qudt:conversionMultiplier 1e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tex"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB246" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tex?oldid=457265525"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Units_of_textile_measurement"^^xsd:anyURI ; + qudt:symbol "tex" ; + qudt:ucumCode "tex"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D34" ; + rdfs:isDefinedBy . + +unit:TONNE-PER-HA-YR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "tonne per hectare per year"@en ; + dcterms:description "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.17e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/(ha⋅year)" ; + qudt:ucumCode "t.har-1.year-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_UK-PER-DAY a qudt:Unit ; + rdfs:label "Long Ton (uk) Per Day"@en ; + dcterms:description "unit British ton according to the Imperial system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.011759259259259 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB010" ; + qudt:plainTextDescription "unit British ton according to the Imperial system of units divided by the unit day" ; + qudt:symbol "t{long}/day" ; + qudt:ucumCode "[lton_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L85" ; + rdfs:isDefinedBy . + +unit:TON_US-PER-DAY a qudt:Unit ; + rdfs:label "Short Ton (us) Per Day"@en ; + dcterms:description "unit American ton according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.010497685185185 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB014" ; + qudt:plainTextDescription "unit American ton according to the Anglo-American system of units divided by the unit day" ; + qudt:symbol "ton{US}/day" ; + qudt:ucumCode "[ston_av].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L88" ; + rdfs:isDefinedBy . + +unit:TeraOHM a qudt:Unit ; + rdfs:label "Teraohm"@en ; + dcterms:description "1,000,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+12 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA286" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit ohm" ; + qudt:prefix prefix1:Tera ; + qudt:symbol "TΩ" ; + qudt:ucumCode "TOhm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H44" ; + rdfs:isDefinedBy . + +unit:V-A_Reactive a qudt:Unit ; + rdfs:label "Volt Ampere Reactive"@en ; + dcterms:description "unit with special name for reactive power"^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ReactivePower ; + qudt:iec61360Code "0112/2///62720#UAB023" ; + qudt:plainTextDescription "unit with special name for reactive power" ; + qudt:symbol "V⋅A{Reactive}" ; + qudt:ucumCode "V.A{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D44" ; + rdfs:isDefinedBy . + +unit:V-M a qudt:Unit ; + rdfs:label "V-M"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFlux ; + qudt:symbol "V⋅m" ; + qudt:ucumCode "V.m"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V-PER-MicroSEC a qudt:Unit ; + rdfs:label "Volt Per Microsecond"@en ; + dcterms:description "SI derived unit volt divided by the 0.000001-fold of the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA297" ; + qudt:plainTextDescription "SI derived unit volt divided by the 0.000001-fold of the SI base unit second" ; + qudt:symbol "V/µs" ; + qudt:ucumCode "V.us-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H24" ; + rdfs:isDefinedBy . + +unit:V-PER-SEC a qudt:Unit ; + rdfs:label "Volt per second"@en ; + dcterms:description "'Volt per Second' is a unit of magnetic flux equaling one weber. This is the flux passing through a conducting loop and reduced to zero at a uniform rate in one second inducing an electric potential of one volt in the loop. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V / sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA304" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1512"^^xsd:anyURI, + "http://www.thefreedictionary.com/Webers"^^xsd:anyURI ; + qudt:symbol "V/s" ; + qudt:ucumCode "V.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H46" ; + rdfs:isDefinedBy . + +unit:V2-PER-K2 a qudt:Unit ; + rdfs:label "Square Volt per Square Kelvin"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(v^2/k^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; + qudt:hasQuantityKind quantitykind:LorenzCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB172" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "V²/K²" ; + qudt:ucumCode "V2.K-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D45" ; + rdfs:isDefinedBy . + +unit:V_Stat-CentiM a qudt:Unit ; + rdfs:label "V_Stat-CentiM"@en ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(statvolt-centimeter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFlux ; + qudt:symbol "statV⋅cm" ; + rdfs:isDefinedBy . + +unit:W-M-PER-M2-SR a qudt:Unit ; + rdfs:label "Watts per square metre per inverse metre per steradian"@en ; + dcterms:description "The power per unit area of radiation of a given wavenumber illuminating a target at a given incident angle."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W⋅m/m²⋅sr" ; + qudt:ucumCode "W.m-2.m.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Kelvin"@en ; + dcterms:description "Watt Per Kelvin (\\(W/K\\)) is a unit in the category of Thermal conductivity."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(w-per-K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductance ; + qudt:iec61360Code "0112/2///62720#UAA307" ; + qudt:symbol "w/K" ; + qudt:ucumCode "W.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D52" ; + rdfs:isDefinedBy . + +unit:W-PER-M a qudt:Unit ; + rdfs:label "Watts per metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m" ; + qudt:ucumCode "W.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H74" ; + rdfs:isDefinedBy . + +unit:W-PER-M-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Metre Kelvin"@en, + "Watt per Meter Kelvin"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W-per-MK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA309" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:latexSymbol "\\(W \\cdot m^{-1} \\cdot K^{-1}\\)"^^qudt:LatexString ; + qudt:symbol "W/(m⋅K)" ; + qudt:ucumCode "W.m-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D53" ; + rdfs:isDefinedBy . + +unit:W-PER-M2-M a qudt:Unit ; + rdfs:label "Watts per square metre per metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅m" ; + qudt:ucumCode "W.m-2.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-M2-M-SR a qudt:Unit ; + rdfs:label "Watts per square metre per metre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅m⋅sr" ; + qudt:ucumCode "W.m-2.m-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-M2-NanoM a qudt:Unit ; + rdfs:label "Watts per square metre per nanometre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅nm" ; + qudt:ucumCode "W.m-2.nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-M2-NanoM-SR a qudt:Unit ; + rdfs:label "Watts per square metre per nanometre per steradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "W/m²⋅nm⋅sr" ; + qudt:ucumCode "W.m-2.nm-1.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-M2-PA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Square Metre Pascal"@en, + "Watt per Square Meter Pascal"@en-us ; + dcterms:description "Watt Per Square Meter Per Pascal (\\(W/m^2-pa\\)) is a unit of Evaporative Heat Transfer."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(W/(m^2.pa)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:EvaporativeHeatTransferCoefficient ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:symbol "W/(m²⋅pa)" ; + qudt:ucumCode "W.m-2.Pa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-M2-SR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Square Metre Steradian"@en, + "Watt per Square Meter Steradian"@en-us ; + dcterms:description "\\(\\textbf{Watt per steradian per square metre}\\) is the SI unit of radiance (\\(W·sr^{-1}·m^{-2}\\)), while that of spectral radiance in frequency is the watt per steradian per square metre per hertz (\\(W·sr^{-1}·m^{-2}·Hz^{-1}\\)) and that of spectral radiance in wavelength is the watt per steradian per square metre, per metre (\\(W·sr^{-1}·m^{-3}\\)), commonly the watt per steradian per square metre per nanometre (\\(W·sr^{-1}·m^{-2}·nm^{-1}\\)). It has a dimension of \\(ML^{-4}T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/(m^2.sr)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Radiance ; + qudt:informativeReference "http://asd-www.larc.nasa.gov/Instrument/ceres_units.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--radiance--watt_per_square_meter_per_steradian.cfm"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; + qudt:symbol "W/(m²⋅sr)" ; + qudt:ucumCode "W.m-2.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D58" ; + rdfs:isDefinedBy . + +unit:W-PER-M3 a qudt:Unit ; + rdfs:label "Watt Per Cubic Metre"@en, + "Watt Per Cubic Meter"@en-us ; + dcterms:description "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAA312" ; + qudt:plainTextDescription "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "W/m³" ; + qudt:ucumCode "W.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H47" ; + rdfs:isDefinedBy . + +unit:W-PER-SR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Steradian"@en ; + dcterms:description "\\(\\textbf{Watt Per Steradian (W/sr)}\\) is the unit in the category of Radiant intensity. It is also known as watts per steradian. This unit is commonly used in the SI unit system. Watt Per Steradian (W/sr) has a dimension of \\(M\\cdot L^{-2}\\cdot T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W sr^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:RadiantIntensity ; + qudt:iec61360Code "0112/2///62720#UAA314" ; + qudt:symbol "W/sr" ; + qudt:ucumCode "W.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D57" ; + rdfs:isDefinedBy . + +unit:WB-PER-M a qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "weberů na metr"@cs, + "Weber je Meter"@de, + "weber per metre"@en, + "Weber Per Meter"@en-us, + "weber por metro"@es, + "وبر بر متر"@fa, + "weber par mètre"@fr, + "प्रति मीटर वैबर"@hi, + "weber al metro"@it, + "ウェーバ毎メートル"@ja, + "weber per meter"@ms, + "weber na metr"@pl, + "weber por metro"@pt, + "weber pe metru"@ro, + "вебер на метр"@ru, + "weber bölü metre"@tr, + "韦伯每米"@zh ; + dcterms:description "SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAA318" ; + qudt:plainTextDescription "SI derived unit weber divided by the SI base unit metre" ; + qudt:symbol "Wb/m" ; + qudt:ucumCode "Wb.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D59" ; + rdfs:isDefinedBy . + +unit:WB-PER-MilliM a qudt:Unit ; + rdfs:label "Weber Per Millimetre"@en, + "Weber Per Millimeter"@en-us ; + dcterms:description "derived SI unit weber divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; + qudt:iec61360Code "0112/2///62720#UAB074" ; + qudt:plainTextDescription "derived SI unit weber divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "Wb/mm" ; + qudt:ucumCode "Wb.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D60" ; + rdfs:isDefinedBy . + +unit:YD-PER-DEG_F a qudt:Unit ; + rdfs:label "Yard Per Degree Fahrenheit"@en ; + dcterms:description "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.6459200164592 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAB031" ; + qudt:plainTextDescription "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "yd/°F" ; + qudt:ucumCode "[yd_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L98" ; + rdfs:isDefinedBy . + +unit:YD3-PER-DEG_F a qudt:Unit ; + rdfs:label "Cubic Yard Per Degree Fahrenheit"@en ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.376198881991088 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:iec61360Code "0112/2///62720#UAB036" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; + qudt:symbol "yd³/°F" ; + qudt:ucumCode "[cyd_i].[degF]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M11" ; + rdfs:isDefinedBy . + +unit:Z a qudt:Unit ; + rdfs:label "atomic-number"@en ; + dcterms:description "In chemistry and physics, the atomic number (also known as the proton number) is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. It is conventionally represented by the symbol Z. The atomic number uniquely identifies a chemical element. In an atom of neutral charge, the atomic number is also equal to the number of electrons."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_number"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:AtomicNumber ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number?oldid=490723437"^^xsd:anyURI ; + qudt:symbol "Z" ; + rdfs:isDefinedBy . + +s223:AbstractSensor a s223:Class, + sh:NodeShape ; + rdfs:label "Abstract sensor" ; + s223:abstract true ; + rdfs:comment "This is an abstract class that represents properties that are common to all sensor types." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "If the relation hasMeasurementResolution is present it must associate the AbstractSensor with a QuantifiableProperty." ; + sh:class s223:QuantifiableProperty ; + sh:path s223:hasMeasurementResolution ], + [ rdfs:comment "An AbstractSensor must be associated with exactly one ObservableProperty using the relation observes." ; + sh:class s223:ObservableProperty ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:observes ] . + +s223:Aspect-Effectiveness a s223:Aspect-Effectiveness, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Effectiveness" ; + rdfs:comment "This class enumerates the possible states of effectiveness" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:DCNegativeVoltage-190.0V a s223:Class, + s223:DCNegativeVoltage-190.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-190.0V" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-190.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-2.5V a s223:Class, + s223:DCNegativeVoltage-2.5V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-2.5V" ; + s223:hasVoltage s223:Voltage-2V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-2.5V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-3.0V a s223:Class, + s223:DCNegativeVoltage-3.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-3.0V" ; + s223:hasVoltage s223:Voltage-3V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-3.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-380.0V a s223:Class, + s223:DCNegativeVoltage-380.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-380.0V" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-380.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-48.0V a s223:Class, + s223:DCNegativeVoltage-48.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-48.0V" ; + s223:hasVoltage s223:Voltage-48V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-48.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-5.0V a s223:Class, + s223:DCNegativeVoltage-5.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-5.0V" ; + s223:hasVoltage s223:Voltage-5V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-5.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCPositiveVoltage-190.0V a s223:Class, + s223:DCPositiveVoltage-190.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-190.0V" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-190.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-2.5V a s223:Class, + s223:DCPositiveVoltage-2.5V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-2.5V" ; + s223:hasVoltage s223:Voltage-2V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-2.5V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-3.0V a s223:Class, + s223:DCPositiveVoltage-3.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-3.0V" ; + s223:hasVoltage s223:Voltage-3V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-3.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-380.0V a s223:Class, + s223:DCPositiveVoltage-380.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-380.0V" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-380.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-48.0V a s223:Class, + s223:DCPositiveVoltage-48.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-48.0V" ; + s223:hasVoltage s223:Voltage-48V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-48.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-5.0V a s223:Class, + s223:DCPositiveVoltage-5.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-5.0V" ; + s223:hasVoltage s223:Voltage-5V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-5.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DomainSpace a s223:Class, + sh:NodeShape ; + rdfs:label "Domain Space" ; + rdfs:comment "A DomainSpace is a member (or component) of a Zone and is associated with a Domain such as Lighting, HVAC, PhysicalSecurity, etc. Physical spaces enclose Domain spaces." ; + rdfs:subClassOf s223:Connectable ; + sh:property [ rdfs:comment "A DomainSpace must be associated with exactly one EnumerationKind-Domain using the relation hasDomain." ; + sh:class s223:EnumerationKind-Domain ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasDomain ], + [ rdfs:comment "A DomainSpace must be enclosed by a PhysicalSpace." ; + sh:message "A DomainSpace must be enclosed by a PhysicalSpace." ; + sh:minCount 1 ; + sh:path [ sh:inversePath s223:encloses ] ; + sh:severity sh:Info ] ; + sh:rule [ a sh:TripleRule ; + rdfs:comment "Infer a hasDomain relation by checking any enclosing Zone to determine the domain." ; + sh:object [ sh:path ( [ sh:inversePath s223:hasDomainSpace ] s223:hasDomain ) ] ; + sh:predicate s223:hasDomain ; + sh:subject sh:this ] . + +s223:EnumerableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Enumerable Property" ; + rdfs:comment "An EnumerableProperty is a property with an enumerated (fixed) set of possible values." ; + rdfs:subClassOf s223:Property ; + sh:property [ rdfs:comment "An EnumerableProperty must be associated with exactly one EnumerationKind using the relation hasEnumerationKind." ; + sh:class s223:EnumerationKind ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasEnumerationKind ], + [ rdfs:comment "Checks for valid enumeration value consistent with the stated EnumerationKind." ; + sh:path s223:hasValue ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks for valid enumeration value consistent with the stated EnumerationKind." ; + sh:message "{$this} has an enumeration value of {?value} which is not a valid {?kind}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?value ?kind +WHERE { +$this s223:hasValue ?value . +$this s223:hasEnumerationKind ?kind . +FILTER (NOT EXISTS {?value a/rdfs:subClassOf* ?kind}) . +} +""" ] ] . + +s223:ExternalReference a s223:Class, + sh:NodeShape ; + rdfs:label "ExternalReference" ; + s223:abstract true ; + rdfs:comment "ExternalReference is an abstract class that represents a thing that contains API or protocol parameter values necessary to associate a property with a value." ; + rdfs:subClassOf s223:Concept . + +s223:Fan a s223:Class, + sh:NodeShape ; + rdfs:label "Fan" ; + rdfs:comment "A machine used to create flow within a gas such as air. " ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A Fan shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Fan shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . + +s223:Medium-NaturalGas a s223:Class, + s223:Medium-NaturalGas, + sh:NodeShape ; + rdfs:label "Medium-NaturalGas" ; + rdfs:comment "This class has enumerated subclasses of natural gas in various states." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:Phase-Gas a s223:Class, + s223:Phase-Gas, + sh:NodeShape ; + rdfs:label "Phase-Gas" ; + rdfs:comment "This class has enumerated subclasses of gas in various thermodynamic states." ; + rdfs:subClassOf s223:EnumerationKind-Phase . + +s223:Phase-Liquid a s223:Class, + s223:Phase-Liquid, + sh:NodeShape ; + rdfs:label "Phase-Liquid" ; + rdfs:comment "This class has enumerated subclasses of liquid in various thermodynamic states." ; + rdfs:subClassOf s223:EnumerationKind-Phase . + +s223:QuantifiableObservableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Quantifiable Observable Property" ; + rdfs:comment "This class is for quantifiable properties of which numerical values cannot be modified by a user or a machine outside of the model, but only observed, like a temperature reading or a voltage measure." ; + rdfs:subClassOf s223:ObservableProperty, + s223:QuantifiableProperty . + +s223:Valve a s223:Class, + sh:NodeShape ; + rdfs:label "Valve" ; + rdfs:comment "A device to regulate or stop the flow of fluid in a pipe or a duct by throttling." ; + rdfs:subClassOf s223:Equipment ; + sh:or ( [ sh:property [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Valve shall have at least one inlet and one outlet or two bidirectional connection points." ; + sh:minCount 2 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 2 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) . + +s223:Voltage-0V a s223:Class, + s223:Voltage-0V, + sh:NodeShape ; + rdfs:label "0V Voltage" ; + s223:hasValue 0.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "0V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-10000V a s223:Class, + s223:Voltage-10000V, + sh:NodeShape ; + rdfs:label "10000V Voltage" ; + s223:hasValue 10000.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "10000V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-110V a s223:Class, + s223:Voltage-110V, + sh:NodeShape ; + rdfs:label "110V Voltage" ; + s223:hasValue 110.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "110V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-120V a s223:Class, + s223:Voltage-120V, + sh:NodeShape ; + rdfs:label "120V Voltage" ; + s223:hasValue 120.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "120V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-127V a s223:Class, + s223:Voltage-127V, + sh:NodeShape ; + rdfs:label "127V Voltage" ; + s223:hasValue 127.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "127V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-139V a s223:Class, + s223:Voltage-139V, + sh:NodeShape ; + rdfs:label "139V Voltage" ; + s223:hasValue 139.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "139V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-1730V a s223:Class, + s223:Voltage-1730V, + sh:NodeShape ; + rdfs:label "1730V Voltage" ; + s223:hasValue 1730.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "1730V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-1900V a s223:Class, + s223:Voltage-1900V, + sh:NodeShape ; + rdfs:label "1900V Voltage" ; + s223:hasValue 1900.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "1900V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-219V a s223:Class, + s223:Voltage-219V, + sh:NodeShape ; + rdfs:label "219V Voltage" ; + s223:hasValue 219.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "219V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-220V a s223:Class, + s223:Voltage-220V, + sh:NodeShape ; + rdfs:label "220V Voltage" ; + s223:hasValue 220.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "220V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-231V a s223:Class, + s223:Voltage-231V, + sh:NodeShape ; + rdfs:label "231V Voltage" ; + s223:hasValue 231.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "231V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-2400V a s223:Class, + s223:Voltage-2400V, + sh:NodeShape ; + rdfs:label "2400V Voltage" ; + s223:hasValue 2400.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "2400V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-277V a s223:Class, + s223:Voltage-277V, + sh:NodeShape ; + rdfs:label "277V Voltage" ; + s223:hasValue 277.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "277V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-3000V a s223:Class, + s223:Voltage-3000V, + sh:NodeShape ; + rdfs:label "3000V Voltage" ; + s223:hasValue 3000.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3000V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-3300V a s223:Class, + s223:Voltage-3300V, + sh:NodeShape ; + rdfs:label "3300V Voltage" ; + s223:hasValue 3300.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3300V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-3460V a s223:Class, + s223:Voltage-3460V, + sh:NodeShape ; + rdfs:label "3460V Voltage" ; + s223:hasValue 3460.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3460V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-347V a s223:Class, + s223:Voltage-347V, + sh:NodeShape ; + rdfs:label "347V Voltage" ; + s223:hasValue 347.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "347V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-3810V a s223:Class, + s223:Voltage-3810V, + sh:NodeShape ; + rdfs:label "3810V Voltage" ; + s223:hasValue 3810.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3810V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-400V a s223:Class, + s223:Voltage-400V, + sh:NodeShape ; + rdfs:label "400V Voltage" ; + s223:hasValue 400.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "400V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-415V a s223:Class, + s223:Voltage-415V, + sh:NodeShape ; + rdfs:label "415V Voltage" ; + s223:hasValue 415.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "415V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-4160V a s223:Class, + s223:Voltage-4160V, + sh:NodeShape ; + rdfs:label "4160V Voltage" ; + s223:hasValue 4160.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "4160V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-480V a s223:Class, + s223:Voltage-480V, + sh:NodeShape ; + rdfs:label "480V Voltage" ; + s223:hasValue 480.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "480V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-5770V a s223:Class, + s223:Voltage-5770V, + sh:NodeShape ; + rdfs:label "5770V Voltage" ; + s223:hasValue 5770.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "5770V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-6000V a s223:Class, + s223:Voltage-6000V, + sh:NodeShape ; + rdfs:label "6000V Voltage" ; + s223:hasValue 6000.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "6000V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-600V a s223:Class, + s223:Voltage-600V, + sh:NodeShape ; + rdfs:label "600V Voltage" ; + s223:hasValue 600.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "600V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-6600V a s223:Class, + s223:Voltage-6600V, + sh:NodeShape ; + rdfs:label "6600V Voltage" ; + s223:hasValue 6600.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "6600V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:commandedByProperty a rdf:Property ; + rdfs:label "commanded by Property" ; + rdfs:comment "The relation commandedByProperty binds an Actuator to the ActuatableProperty that it responds to. This Property will be owned by the equipment that it actuates (see `s223:actuates`)." . + +s223:connectedThrough a rdf:Property ; + rdfs:label "connected through" ; + rdfs:comment "The relation connectedThrough associates a Connectable with a Connection." . + +s223:encloses a rdf:Property ; + rdfs:label "encloses" ; + rdfs:comment "The relation encloses is used to indicate that a domain space (see: `s223:DomainSpace`) can be found inside a physical space (see `s223:PhysicalSpace`). " . + +s223:hasElectricalPhase a rdf:Property ; + rdfs:label "has electrical phase" ; + rdfs:comment "The relation hasElectricalPhase is used to indicate the electrical phase identifier or the relevant electrical phases for a voltage difference for AC electricity inside a Connection." . + +s223:hasOutput a rdf:Property ; + rdfs:label "has function output" ; + rdfs:comment "The relation hasOutput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is calculated by the FunctionBlock." . + +qudt:BitEncoding a qudt:BitEncodingType ; + rdfs:label "Bit Encoding" ; + qudt:bits 1 ; + rdfs:isDefinedBy . + +qudt:ShortUnsignedIntegerEncoding a qudt:BooleanEncodingType, + qudt:IntegerEncodingType ; + rdfs:label "Short Unsigned Integer Encoding" ; + qudt:bytes 2 ; + rdfs:isDefinedBy . + +qudt:UCUMcs a rdfs:Datatype, + sh:NodeShape ; + rdfs:label "case-sensitive UCUM code" ; + dcterms:source ; + rdfs:comment "Lexical pattern for the case-sensitive version of UCUM code" ; + rdfs:isDefinedBy ; + rdfs:seeAlso ; + rdfs:subClassOf xsd:string . + +qudt:UnitConversionGroup a sh:PropertyGroup ; + rdfs:label "Conversion" ; + rdfs:isDefinedBy ; + sh:order 60.0 . + +qudt:bits a rdf:Property ; + rdfs:label "bits" ; + rdfs:isDefinedBy . + +qudt:bytes a rdf:Property ; + rdfs:label "bytes" ; + rdfs:isDefinedBy . + +qudt:coherentUnitOfSystem a rdf:Property ; + rdfs:label "is coherent unit of system" ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one. A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. For example, the 'newton' and the 'joule'. These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per second per second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per second per second, and the work done by 1 dyne acting over 1 centimetre. So \\(1 newton = 10^5\\,dyne\\), \\(1 joule = 10^7\\,erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein."^^qudt:LatexString ; + qudt:deprecated true ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:definedUnitOfSystem . + +qudt:dataStructure a rdf:Property ; + rdfs:label "data structure" ; + rdfs:isDefinedBy . + +qudt:dbpediaMatch a rdf:Property ; + rdfs:label "dbpedia match" ; + rdfs:isDefinedBy . + +qudt:definedUnitOfSystem a rdf:Property ; + rdfs:label "defined unit of system" ; + dcterms:description "This property relates a unit of measure with the unit system that defines the unit."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:isUnitOfSystem . + +qudt:exactConstant a rdf:Property ; + rdfs:label "exact constant" ; + rdfs:isDefinedBy . + +qudt:expression a rdf:Property ; + rdfs:label "expression" ; + dcterms:description "An 'expression' is a finite combination of symbols that are well-formed according to rules that apply to units of measure, quantity kinds and their dimensions."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:hasBaseQuantityKind a rdf:Property ; + rdfs:label "has base quantity kind" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasQuantityKind . + +qudt:hasUnitSystem a rdf:Property ; + rdfs:label "has unit system" ; + rdfs:isDefinedBy . + +qudt:id a rdf:Property ; + rdfs:label "qudt id" ; + dcterms:description "The \"qudt:id\" is an identifier string that uniquely identifies a QUDT concept. The identifier is constructed using a prefix. For example, units are coded using the pattern: \"UCCCENNNN\", where \"CCC\" is a numeric code or a category and \"NNNN\" is a digit string for a member element of that category. For scaled units there may be an addition field that has the format \"QNN\" where \"NN\" is a digit string representing an exponent power, and \"Q\" is a qualifier that indicates with the code \"P\" that the power is a positive decimal exponent, or the code \"N\" for a negative decimal exponent, or the code \"B\" for binary positive exponents."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:isoNormativeReference a rdf:Property ; + rdfs:label "normative reference (ISO)" ; + dcterms:description "Provides a way to reference the ISO unit definition."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:normativeReference . + +qudt:lowerBound a rdf:Property ; + rdfs:label "lower bound" ; + rdfs:isDefinedBy . + +qudt:permissibleMaths a rdf:Property ; + rdfs:label "permissible maths" ; + rdfs:isDefinedBy . + +qudt:permissibleTransformation a rdf:Property ; + rdfs:label "permissible transformation" ; + rdfs:isDefinedBy . + +qudt:prefix a rdf:Property ; + rdfs:label "prefix" ; + rdfs:comment "Associates a unit with the appropriate prefix, if any." ; + rdfs:isDefinedBy . + +qudt:qkdvDenominator a rdf:Property ; + rdfs:label "denominator dimension vector" ; + rdfs:isDefinedBy . + +qudt:qkdvNumerator a rdf:Property ; + rdfs:label "numerator dimension vector" ; + rdfs:isDefinedBy . + +qudt:rationale a rdf:Property ; + rdfs:label "rationale" ; + rdfs:isDefinedBy . + +qudt:unit a rdf:Property ; + rdfs:label "unit" ; + dcterms:description "A reference to the unit of measure of a quantity (variable or constant) of interest."^^rdf:HTML ; + dcterms:isReplacedBy qudt:hasUnit ; + qudt:deprecated true ; + rdfs:isDefinedBy . + +qudt:upperBound a rdf:Property ; + rdfs:label "upper bound" ; + rdfs:isDefinedBy . + +qudt:url a rdf:Property ; + rdfs:label "url" ; + rdfs:isDefinedBy . + +qudt:value a rdf:Property ; + rdfs:label "value" ; + dcterms:description "A property to relate an observable thing with a value that can be of any simple XSD type"^^rdf:HTML ; + rdfs:isDefinedBy . + +constant:ElectromagneticPermeabilityOfVacuum a qudt:PhysicalConstant ; + rdfs:label "Permeability of Vacuum"@en ; + dcterms:description "\\(\\textbf{Permeability of Vacuum}\\), also known as \\(\\textit{Magnetic Constant}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product wuth the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:H-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:exactMatch constant:MagneticConstant ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Field magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,henry\\,per\\,metre\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_MagneticConstant ; + qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +constant:PermittivityOfVacuum a qudt:PhysicalConstant ; + rdfs:label "Permittivity of Vacuum"@en ; + dcterms:description "\\(\\textbf{Permittivity of Vacuum}\\), also known as the \\(\\textit{electric constant}\\) is a constant whose value is \\(\\approx\\,6.854188e-12\\, farad\\,per\\,metre\\). Sometimes also referred to as the \\(textit{Permittivity of Free Space}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:FARAD-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon = \\frac{\\mathbf{D}}{\\mathbf{E}}\\), where \\(\\mathbf{D}\\) is electric flux density and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_PermittivityOfVacuum ; + qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFieldStrength, + quantitykind:ElectricFluxDensity, + quantitykind:Permittivity . + +constant:Value_MagneticConstant a qudt:ConstantValue ; + rdfs:label "Value for magnetic constant" ; + qudt:hasUnit unit:FARAD-PER-M ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:value 1.256637e-06 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu0#mid"^^xsd:anyURI . + +constant:Value_MolarGasConstant a qudt:ConstantValue ; + rdfs:label "Value for molar gas constant" ; + qudt:hasUnit unit:J-PER-MOL-K ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 1.5e-05 ; + qudt:value 8.314463e+00 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?r#mid"^^xsd:anyURI . + +constant:Value_MolarVolumeOfIdealGas a qudt:ConstantValue ; + rdfs:label "Value for molar volume of ideal gas 273.15 K 101.325 kPa" ; + qudt:hasUnit unit:M3-PER-MOL ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 3.9e-08 ; + qudt:value 2.271098e-02 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvol#mid"^^xsd:anyURI, + "http://physics.nist.gov/cgi-bin/cuu/Value?mvolstd#mid"^^xsd:anyURI . + +constant:Value_PlanckConstantOver2Pi a qudt:ConstantValue ; + rdfs:label "Value for Planck constant over 2 pi" ; + qudt:hasUnit unit:J-SEC ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:standardUncertainty 5.3e-42 ; + qudt:value 1.054572e-34 ; + vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbar#mid"^^xsd:anyURI . + +qkdv:A-1E0L2I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L2I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarAngularMomentum ; + qudt:latexDefinition "\\(L^2 M T^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A-1E0L3I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L3I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthMolarEnergy ; + qudt:latexDefinition "\\(L^3 M T^-2 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A-1E2L0I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E2L0I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E-1L0I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L0I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerElectricCharge ; + qudt:latexDefinition "\\(M T^-1 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-1L0I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L0I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:latexDefinition "\\(M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-1L3I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L3I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E-2L3I0M1H0T-4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L3I0M1H0T-4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InversePermittivity ; + qudt:latexDefinition "\\(L^3 M T^-4 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-2L4I0M2H-2T-6D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L4I0M2H-2T-6D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature -2 ; + qudt:dimensionExponentForTime -6 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseLengthTemperature ; + qudt:latexDefinition "\\(L^-1 Θ^-1\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L^{-1} \\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseEnergy ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M2H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M2H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I1M-1H0T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I1M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I1M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I1M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 J T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M0H0T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-1H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-1H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H-4T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H-4T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -4 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:latexDefinition "\\(M T^{-3}.H^{-4}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(M T^{-3}.\\Theta^{-4}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H1T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H1T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaThermalExpansion ; + qudt:latexDefinition "\\(L^2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H-1T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H-1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^2 M T^-3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M-1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M-1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^3 M^-1 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M2H0T-4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M2H0T-4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SquareEnergy ; + qudt:latexDefinition "\\(L^4 M^2 T^-4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L5I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L5I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L6I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L6I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 6 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E1L-1I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-1I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticReluctivity ; + qudt:latexDefinition "\\(L^{-1} M^{-1} T^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-2I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-2I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-2I0M0H-2T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-2I0M0H-2T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -2 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M-1H0T4D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M-1H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M-1H1T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M-1H1T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:latexDefinition "\\(M^-1 T^2 I Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; + rdfs:isDefinedBy . + +qkdv:A0E1L2I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L2I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:latexDefinition "\\(L^2 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-2I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-2I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M1H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassAmountOfSubstance ; + rdfs:isDefinedBy . + +qkdv:A1E0L1I0M-2H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L1I0M-2H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; + rdfs:isDefinedBy . + +prefix1:Deka a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Deka"@en ; + dcterms:description "deka is a decimal prefix for expressing a value with a scaling of \\(10^{1}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; + qudt:exactMatch prefix1:Deca ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deca?oldid=480093935"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+01 ; + qudt:symbol "da" ; + qudt:ucumCode "da" ; + rdfs:isDefinedBy . + +prefix1:Kibi a qudt:BinaryPrefix, + qudt:Prefix ; + rdfs:label "Kibi"@en ; + dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024\\), or \\(2^{10}\\)."^^qudt:LatexString ; + qudt:prefixMultiplier 1.024e+03 ; + qudt:symbol "Ki" ; + rdfs:isDefinedBy . + +prefix1:Yocto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Yocto"@en ; + dcterms:description "'yocto' is a decimal prefix for expressing a value with a scaling of \\(10^{-24}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yocto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yocto-?oldid=488155799"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-24 ; + qudt:symbol "y" ; + qudt:ucumCode "y" ; + rdfs:isDefinedBy . + +prefix1:Yotta a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Yotta"@en ; + dcterms:description "'yotta' is a decimal prefix for expressing a value with a scaling of \\(10^{24}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yotta-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yotta-?oldid=494538119"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+24 ; + qudt:symbol "Y" ; + qudt:ucumCode "Y" ; + rdfs:isDefinedBy . + +prefix1:Zepto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Zepto"@en ; + dcterms:description "'zepto' is a decimal prefix for expressing a value with a scaling of \\(10^{-21}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zepto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zepto-?oldid=476974663"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-21 ; + qudt:symbol "z" ; + qudt:ucumCode "z" ; + rdfs:isDefinedBy . + +prefix1:Zetta a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Zetta"@en ; + dcterms:description "'zetta' is a decimal prefix for expressing a value with a scaling of \\(10^{21}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Zetta-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Zetta-?oldid=495223080"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+21 ; + qudt:symbol "Z" ; + qudt:ucumCode "Z" ; + rdfs:isDefinedBy . + +quantitykind:AcousticImpedance a qudt:QuantityKind ; + rdfs:label "Acoustic Impediance"@en ; + dcterms:description "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface."^^rdf:HTML ; + qudt:applicableUnit unit:PA-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z_a= \\frac{p}{q} = \\frac{p}{vS}\\), where \\(p\\) is the sound pressure, \\(q\\) is the sound volume velocity, \\(v\\) is sound particle velocity, and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; + qudt:plainTextDescription "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:MassPerAreaTime . + +quantitykind:AmountOfSubstanceFraction a qudt:QuantityKind ; + rdfs:label "Fractional Amount of Substance"@en ; + dcterms:description "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; + qudt:symbol "X_B" ; + rdfs:isDefinedBy . + +quantitykind:AmountOfSubstancePerUnitMassPressure a qudt:QuantityKind ; + rdfs:label "Molar Mass variation due to Pressure"@en ; + dcterms:description "The \"Variation of Molar Mass\" of a gas as a function of pressure."^^rdf:HTML ; + qudt:applicableUnit unit:MOL-PER-KiloGM-PA ; + qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; + qudt:plainTextDescription "The \"Variation of Molar Mass\" of a gas as a function of pressure." ; + rdfs:isDefinedBy . + +quantitykind:AngularWavenumber a qudt:QuantityKind ; + rdfs:label "تكرار زاوى"@ar, + "عدد موجى زاوى"@ar, + "Kreisrepetenz"@de, + "Kreiswellenzahl"@de, + "angular repetency"@en, + "angular wavenumber"@en, + "número de onda angular"@es, + "nombre d'onde angulaire"@fr, + "répétence angulaire"@fr, + "numero d'onda angolare"@it, + "角波数"@ja, + "liczba falowa kątowa"@pl, + "repetencja kątowa"@pl, + "número de onda angular"@pt, + "repetência angular"@pt, + "角波数"@zh ; + dcterms:description "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector."^^rdf:HTML ; + qudt:applicableUnit unit:RAD-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:latexDefinition """\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave. + +Alternatively: + +\\(k = \\frac{p}{\\hbar}\\), where \\(p\\) is the linear momentum of quasi free electrons in an electron gas and \\(\\hbar\\) is the reduced Planck constant (\\(h\\) divided by \\(2\\pi\\)); for phonons, its magnitude is \\(k = \\frac{2\\pi}{\\lambda}\\), where \\(\\lambda\\) is the wavelength of the lattice vibrations."""^^qudt:LatexString ; + qudt:plainTextDescription "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector." ; + qudt:symbol "k" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseLength . + +quantitykind:ApparentPower a qudt:QuantityKind ; + rdfs:label "القدرة الظاهرية"@ar, + "Scheinleistung"@de, + "apparent power"@en, + "potencia aparente"@es, + "puissance apparente"@fr, + "potenza apparente"@it, + "皮相電力"@ja, + "moc pozorna"@pl, + "potência aparente"@pt, + "表观功率"@zh, + "视在功率"@zh ; + dcterms:description "\"Apparent Power\" is the product of the rms voltage \\(U\\) between the terminals of a two-terminal element or two-terminal circuit and the rms electric current I in the element or circuit. Under sinusoidal conditions, the apparent power is the modulus of the complex power."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A, + unit:MegaV-A, + unit:V-A ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-41"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\left | \\underline{S} \\right | = UI\\), where \\(U\\) is rms value of voltage and \\(I\\) is rms value of electric current."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\left | \\underline{S} \\right |\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrent, + quantitykind:Voltage ; + skos:broader quantitykind:ComplexPower . + +quantitykind:AreaThermalExpansion a qudt:QuantityKind ; + rdfs:label "Area Thermal Expansion"@en ; + dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/area_thermal_expansion"^^xsd:anyURI ; + qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion." ; + rdfs:isDefinedBy . + +quantitykind:AtmosphericHydroxylationRate a qudt:QuantityKind ; + rdfs:label "Atmospheric Hydroxylation Rate"@en ; + dcterms:description "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL-SEC, + unit:M3-PER-MOL-SEC ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:plainTextDescription "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SecondOrderReactionRateConstant . + +quantitykind:BloodGlucoseLevel a qudt:QuantityKind ; + rdfs:label "Blood Glucose Level"@en ; + dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; + qudt:applicableUnit unit:MilliMOL-PER-L ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; + rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:BloodGlucoseLevel_Mass . + +quantitykind:BloodGlucoseLevel_Mass a qudt:QuantityKind ; + rdfs:label "Blood Glucose Level by Mass"@en ; + dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; + qudt:applicableUnit unit:MilliGM-PER-DeciL ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; + rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:BloodGlucoseLevel . + +quantitykind:BulkModulus a qudt:QuantityKind ; + rdfs:label "Bulk Modulus"@en ; + dcterms:description "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume."^^rdf:HTML ; + qudt:applicableUnit unit:PA, + unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bulk_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(K = \\frac{p}{\\vartheta}\\), where \\(p\\) is pressure and \\(\\vartheta\\) is volume strain."^^qudt:LatexString ; + qudt:plainTextDescription "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume." ; + qudt:symbol "K" ; + rdfs:isDefinedBy . + +quantitykind:Circulation a qudt:QuantityKind ; + rdfs:label "Circulation"@en ; + dcterms:description "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM2-PER-SEC, + unit:FT2-PER-HR, + unit:FT2-PER-SEC, + unit:IN2-PER-SEC, + unit:M2-HZ, + unit:M2-PER-SEC, + unit:MilliM2-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Circulation_%28fluid_dynamics%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AreaPerTime . + +quantitykind:Concentration a qudt:QuantityKind ; + rdfs:label "Concentration"@en ; + dcterms:description "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions."^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Concentration"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Concentration"^^xsd:anyURI ; + qudt:plainTextDescription "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions." ; + rdfs:isDefinedBy . + +quantitykind:ConductionSpeed a qudt:QuantityKind ; + rdfs:label "Conduction Speed"@en ; + dcterms:description "\"Conduction Speed\" is the speed of impulses in nerve fibers."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M, + unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:plainTextDescription "\"Conduction Speed\" is the speed of impulses in nerve fibers." ; + qudt:symbol "c" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Speed . + +quantitykind:CorrelatedColorTemperature a qudt:QuantityKind ; + rdfs:label "Correlated Colour Temperature"@en, + "Correlated Color Temperature"@en-us ; + dcterms:description "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity."^^rdf:HTML ; + qudt:applicableUnit unit:K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "https://www.lrc.rpi.edu/programs/nlpip/lightinganswers/lightsources/whatiscct.asp#:~:text=Correlated%20color%20temperature%20(CCT)%20is,required%20to%20specify%20a%20chromaticity."^^xsd:anyURI ; + qudt:plainTextDescription "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Duv ; + skos:broader quantitykind:ThermodynamicTemperature . + +quantitykind:CubicElectricDipoleMomentPerSquareEnergy a qudt:QuantityKind ; + rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; + dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + rdfs:isDefinedBy . + +quantitykind:CurieTemperature a qudt:QuantityKind ; + rdfs:label "درجة حرارة كوري"@ar, + "Curieova teplota"@cs, + "Curie-Temperatur"@de, + "Curie temperature"@en, + "temperatura de Curie"@es, + "نقطه کوری"@fa, + "température de Curie"@fr, + "क्यूरी ताप"@hi, + "punto di Curie"@it, + "キュリー温度"@ja, + "Suhu Curie"@ms, + "temperatura Curie"@pl, + "temperatura de Curie"@pt, + "Punct Curie"@ro, + "Точка Кюри"@ru, + "Curie sıcaklığı"@tr, + "居里点"@zh ; + dcterms:description "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curie_temperature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet." ; + qudt:symbol "T_C" ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:NeelTemperature, + quantitykind:SuperconductionTransitionTemperature . + +quantitykind:CurrencyPerFlight a qudt:QuantityKind ; + rdfs:label "Currency Per Flight"@en ; + qudt:applicableUnit unit:MegaDOLLAR_US-PER-FLIGHT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:DisplacementCurrent a qudt:QuantityKind ; + rdfs:label "Displacement Current"@en ; + dcterms:description "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_current"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_D= \\int_S J_D \\cdot e_n dA\\), over a surface \\(S\\), where \\(J_D\\) is displacement current density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:plainTextDescription "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization." ; + qudt:symbol "I_D" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFluxDensity . + +quantitykind:DisplacementCurrentDensity a qudt:QuantityKind ; + rdfs:label "Displacement Current Density"@en ; + dcterms:description "\\(\\textbf{Displacement Current Density}\\) is the time rate of change of the \\(\\textit{Electric Flux Density}\\). This is a measure of how quickly the electric field changes if we observe it as a function of time. This is different than if we look at how the electric field changes spatially, that is, over a region of space for a fixed amount of time."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-M2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.maxwells-equations.com/math/partial-electric-flux.php"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_D = \\frac{\\partial D}{\\partial t}\\), where \\(D\\) is electric flux density and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(J_D\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFluxDensity . + +quantitykind:ElectricChargeLineDensity a qudt:QuantityKind ; + rdfs:label "Electric Charge Line Density"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot \\), \\(m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ElectricCurrentPerUnitLength a qudt:QuantityKind ; + rdfs:label "Electric Current per Unit Length"@en ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricCurrentPerUnitTemperature a qudt:QuantityKind ; + rdfs:label "Electric Current per Unit Temperature"@en ; + dcterms:description "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-DEG_C ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; + qudt:plainTextDescription "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature." ; + rdfs:isDefinedBy . + +quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared a qudt:QuantityKind ; + rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; + qudt:applicableUnit unit:C3-M-PER-J2 ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic a qudt:QuantityKind ; + rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; + qudt:applicableUnit unit:C4-M4-PER-J3 ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricPower a qudt:QuantityKind ; + rdfs:label "القدرة الفعالة"@ar, + "Wirkleistung"@de, + "electric power"@en, + "potencia activa"@es, + "puissance active"@fr, + "potenza attiva"@it, + "有効電力"@ja, + "moc czynna"@pl, + "potência activa"@pt, + "有功功率"@zh ; + dcterms:description "\"Electric Power\" is the rate at which electrical energy is transferred by an electric circuit. In the simple case of direct current circuits, electric power can be calculated as the product of the potential difference in the circuit (V) and the amount of current flowing in the circuit (I): \\(P = VI\\), where \\(P\\) is the power, \\(V\\) is the potential difference, and \\(I\\) is the current. However, in general electric power is calculated by taking the integral of the vector cross-product of the electrical and magnetic fields over a specified area."^^qudt:LatexString ; + qudt:applicableSIUnit unit:KiloW, + unit:MegaW, + unit:MilliW, + unit:W ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:symbol "P_E" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:ElectromagneticEnergyDensity a qudt:QuantityKind ; + rdfs:label "Electromagnetic Energy Density"@en ; + dcterms:description "\\(\\textbf{Electromagnetic Energy Density}\\), also known as the \\(\\color{indigo} {\\textit{Volumic Electromagnetic Energy}}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:exactMatch quantitykind:VolumicElectromagneticEnergy ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:symbol "w" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFieldStrength, + quantitykind:ElectricFluxDensity, + quantitykind:MagneticFieldStrength_H, + quantitykind:MagneticFluxDensity . + +quantitykind:EnergyFluence a qudt:QuantityKind ; + rdfs:label "Energy Fluence"@en ; + dcterms:description "\"Energy Fluence\" can be used to describe the energy delivered per unit area"^^rdf:HTML ; + qudt:applicableUnit unit:GigaJ-PER-M2, + unit:J-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\frac{dR}{dA}\\), where \\(dR\\) describes the sum of radiant energies, exclusive of rest energy, of all particles incident on a small spherical domain, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Energy Fluence\" can be used to describe the energy delivered per unit area" ; + rdfs:isDefinedBy . + +quantitykind:EnergyInternal a qudt:QuantityKind ; + rdfs:label "طاقة داخلية"@ar, + "vnitřní energie"@cs, + "innere Energie"@de, + "thermodynamische Energie"@de, + "internal energy"@en, + "thermodynamic energy"@en, + "energía interna"@es, + "انرژی درونی"@fa, + "énergie interne"@fr, + "énergie thermodynamique"@fr, + "आन्तरिक ऊर्जा"@hi, + "energia interna"@it, + "energia termodinamica"@it, + "内部エネルギー"@ja, + "Tenaga dalaman"@ms, + "tenaga termodinamik"@ms, + "energia wewnętrzna"@pl, + "energia interna"@pt, + "energie internă"@ro, + "внутренняя энергия"@ru, + "Notranja energija"@sl, + "İç enerji"@tr, + "内能"@zh ; + dcterms:description "The internal energy is the total energy contained by a thermodynamic system. It is the energy needed to create the system, but excludes the energy to displace the system's surroundings, any energy associated with a move as a whole, or due to external force fields. Internal energy has two major components, kinetic energy and potential energy. The internal energy (U) is the sum of all forms of energy (Ei) intrinsic to a thermodynamic system: \\( U = \\sum_i E_i \\)"^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; + qudt:exactMatch quantitykind:InternalEnergy, + quantitykind:ThermodynamicEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_energy"^^xsd:anyURI ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:EnergyPerMagneticFluxDensity_Squared a qudt:QuantityKind ; + rdfs:label "Energy Per Square Magnetic Flux Density"@en ; + dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-T2 ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerSquareMagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "Energy Per Square Magnetic Flux Density"@en ; + dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; + dcterms:isReplacedBy quantitykind:EnergyPerMagneticFluxDensity_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; + rdfs:isDefinedBy . + +quantitykind:ExposureRate a qudt:QuantityKind ; + rdfs:label "Exposure Rate"@en ; + dcterms:description "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-KiloGM-SEC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + qudt:informativeReference "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{X} = \\frac{dX}{dt}\\), where \\(X\\) is the increment of exposure during time interval with duration \\(t\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{X}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)." ; + rdfs:isDefinedBy . + +quantitykind:ForcePerAngle a qudt:QuantityKind ; + rdfs:label "Force per Angle"@en ; + qudt:applicableUnit unit:N-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:Friction a qudt:QuantityKind ; + rdfs:label "Friction"@en ; + dcterms:description "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI, + "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; + qudt:plainTextDescription "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:Fugacity a qudt:QuantityKind ; + rdfs:label "انفلاتية"@ar, + "fugacita"@cs, + "Fugazität"@de, + "fugacity"@en, + "fugacidad"@es, + "بی‌دوامی"@fa, + "fugacité"@fr, + "fugacità"@it, + "フガシティー"@ja, + "Fugasiti"@ms, + "Lotność"@pl, + "fugacidade"@pt, + "fugacitate"@ro, + "fügasite"@tr, + "逸度"@zh ; + dcterms:description "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas."^^rdf:HTML ; + qudt:applicableUnit unit:PA, + unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fugacity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\tilde{p}_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas." ; + rdfs:isDefinedBy . + +quantitykind:GravitationalAttraction a qudt:QuantityKind ; + rdfs:label "Gravitational Attraction"@en ; + dcterms:description "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.thefreedictionary.com/gravitational+attraction"^^xsd:anyURI ; + qudt:plainTextDescription "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:GroupSpeedOfSound a qudt:QuantityKind ; + rdfs:label "Group Speed of Sound"@en ; + dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M, + unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_g = \\frac{d\\omega}{dk}\\), where \\(\\omega\\) is the angular frequency and \\(k\\) is angular wavenumber."^^qudt:LatexString ; + qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpeedOfSound . + +quantitykind:Illuminance a qudt:QuantityKind ; + rdfs:label "شدة الضوء"@ar, + "Осветеност"@bg, + "Intenzita osvětlení"@cs, + "Beleuchtungsstärke"@de, + "illuminance"@en, + "luminosidad"@es, + "شدت روشنایی"@fa, + "éclairement"@fr, + "éclairement lumineux"@fr, + "הארה (שטף ליחידת שטח)"@he, + "प्रदीपन"@hi, + "megvilágítás"@hu, + "illuminamento"@it, + "照度"@ja, + "Pencahayaan"@ms, + "natężenie oświetlenia"@pl, + "iluminamento"@pt, + "iluminare"@ro, + "Освещённость"@ru, + "osvetljenost"@sl, + "aydınlanma şiddeti"@tr, + "照度"@zh ; + dcterms:description "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception."^^rdf:HTML ; + qudt:applicableUnit unit:FC, + unit:LUX, + unit:PHOT ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Illuminance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_v = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the luminous flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:LuminousFluxPerArea . + +quantitykind:InverseEnergy a qudt:QuantityKind ; + rdfs:label "Inverse Energy"@en ; + qudt:applicableUnit unit:PER-KiloV-A-HR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; + rdfs:isDefinedBy . + +quantitykind:InversePermittivity a qudt:QuantityKind ; + rdfs:label "Inverse Permittivity"@en ; + qudt:applicableUnit unit:M-PER-FARAD ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseSquareEnergy a qudt:QuantityKind ; + rdfs:label "Inverse Square Energy"@en ; + dcterms:isReplacedBy quantitykind:InverseEnergy_Squared ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseTime a qudt:QuantityKind ; + rdfs:label "Inverse Time"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:IonizationEnergy a qudt:QuantityKind ; + rdfs:label "Ionization Energy"@en ; + dcterms:description "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase." ; + qudt:symbol "E_i" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:IsentropicCompressibility a qudt:QuantityKind ; + rdfs:label "Isentropic Compressibility"@en ; + dcterms:description "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy."^^rdf:HTML ; + qudt:applicableUnit unit:PER-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa_S = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_S\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(S\\) is entropy,"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa_S\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy." ; + rdfs:isDefinedBy . + +quantitykind:IsentropicExponent a qudt:QuantityKind ; + rdfs:label "نسبة السعة الحرارية"@ar, + "Poissonova konstanta"@cs, + "Isentropenexponent"@de, + "isentropic exponent"@en, + "Coeficiente de dilatación adiabática"@es, + "exposant isoentropique"@fr, + "indice adiabatique"@fr, + "Coefficiente di dilatazione adiabatica"@it, + "indice adiabatico"@it, + "比熱比"@ja, + "Wykładnik adiabaty"@pl, + "Coeficiente de expansão adiabática"@pt, + "Coeficient de transformare adiabatică"@ro, + "Показатель адиабаты"@ru, + "adiabatni eksponent"@sl, + "ısı sığası oranı; adyabatik indeks"@tr, + "绝热指数"@zh ; + dcterms:description "Isentropic exponent is a variant of \"Specific Heat Ratio Capacities}. For an ideal gas \\textit{Isentropic Exponent\"\\(, \\varkappa\\). is equal to \\(\\gamma\\), the ratio of its specific heat capacities \\(c_p\\) and \\(c_v\\) under steady pressure and volume."^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa = -\\frac{V}{p}\\left \\{ \\frac{\\partial p}{\\partial V}\\right \\}_S\\), where \\(V\\) is volume, \\(p\\) is pressure, and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:IsentropicCompressibility . + +quantitykind:LinearDensity a qudt:QuantityKind ; + rdfs:label "Linear Density"@en ; + dcterms:description "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M, + unit:KiloGM-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_l = \\frac{dm}{dl}\\), where \\(m\\) is mass and \\(l\\) is length."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects." ; + rdfs:isDefinedBy . + +quantitykind:MagneticTension a qudt:QuantityKind ; + rdfs:label "Magnetic Tension"@en ; + dcterms:description "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-57"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_m = \\int_{r_a(C)}^{r_b} \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is the position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b." ; + qudt:symbol "U_m" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H . + +quantitykind:Magnetization a qudt:QuantityKind ; + rdfs:label "مغنطة"@ar, + "Magnetisierung"@de, + "magnetization"@en, + "magnetización"@es, + "aimantation"@fr, + "magnetizzazione"@it, + "磁化"@ja, + "magnetyzacia"@pl, + "magnetização"@pt, + "намагниченность"@ru ; + dcterms:description "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:A-PER-CentiM, + unit:A-PER-M, + unit:A-PER-MilliM, + unit:KiloA-PER-M, + unit:MilliA-PER-IN, + unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-52"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = dm/dV\\), where \\(m\\) is magentic moment of a substance in a domain with Volume \\(V\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; + qudt:symbol "H_i", + "M" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:LinearElectricCurrent . + +quantitykind:MassAmountOfSubstance a qudt:QuantityKind ; + rdfs:label "Mass Amount of Substance"@en ; + qudt:applicableUnit unit:LB-MOL ; + qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:MassFractionOfDryMatter a qudt:QuantityKind ; + rdfs:label "Mass Fraction of Dry Matter"@en ; + dcterms:description "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_d= 1 - w_{h2o}\\), where \\(w_{h2o}\\) is mass fraction of water."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w_d" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassFractionOfWater . + +quantitykind:MassFractionOfWater a qudt:QuantityKind ; + rdfs:label "Mass Fraction of Water"@en ; + dcterms:description "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(w_{H_2o} = \\frac{u}{1+u}\\), where \\(u\\) is mass ratio of water to dry water."^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; + qudt:symbol "w_{H_2o}" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassFractionOfDryMatter . + +quantitykind:MassPerElectricCharge a qudt:QuantityKind ; + rdfs:label "Mass per Electric Charge"@en ; + dcterms:description "The mass-to-charge ratio ratio (\\(m/Q\\)) is a physical quantity that is widely used in the electrodynamics of charged particles, for example, in electron optics and ion optics. The importance of the mass-to-charge ratio, according to classical electrodynamics, is that two particles with the same mass-to-charge ratio move in the same path in a vacuum when subjected to the same electric and magnetic fields. Its SI units are \\(kg/C\\), but it can also be measured in Thomson (\\(Th\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:T-SEC ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass-to-charge_ratio"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:MeanMassRange a qudt:QuantityKind ; + rdfs:label "Mean Mass Range"@en ; + dcterms:description "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2, + unit:LB-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://goldbook.iupac.org/M03783.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(R_\\rho = R\\rho\\), where \\(R\\) is the mean linear range and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; + qudt:latexSymbol "\\(R_\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material." ; + rdfs:isDefinedBy . + +quantitykind:MolarAbsorptionCoefficient a qudt:QuantityKind ; + rdfs:label "Molar Absorption Coefficient"@en ; + dcterms:description "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-MOL ; + qudt:exactMatch quantitykind:MolarAttenuationCoefficient ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/molar+absorption+coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(x = aV_m\\), where \\(a\\) is the linear absorption coefficient and \\(V_m\\) is the molar volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter." ; + qudt:symbol "x" ; + rdfs:isDefinedBy . + +quantitykind:MolecularViscosity a qudt:QuantityKind ; + rdfs:label "Molecular Viscosity"@en ; + dcterms:description "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:informativeReference "http://oceanworld.tamu.edu/resources/ocng_textbook/chapter08/chapter08_01.htm"^^xsd:anyURI ; + qudt:plainTextDescription "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:DynamicViscosity, + quantitykind:KinematicViscosity . + +quantitykind:NeelTemperature a qudt:QuantityKind ; + rdfs:label "Neel Temperature"@en ; + dcterms:description "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Néel_temperature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet." ; + qudt:symbol "T_C" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature ; + skos:closeMatch quantitykind:CurieTemperature, + quantitykind:SuperconductionTransitionTemperature . + +quantitykind:NuclearQuadrupoleMoment a qudt:QuantityKind ; + rdfs:label "Nuclear Quadrupole Moment"@en ; + dcterms:description "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus."^^rdf:HTML ; + qudt:applicableUnit unit:M2, + unit:NanoM2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_quadrupole_resonance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q = (\\frac{1}{e}) \\int (3z^2 - r^2)\\rho(x, y, z)dV\\), in the quantum state with the nuclear spin in the field direction \\((z)\\), where \\(\\rho(x, y, z)\\) is the nuclear electric charge density, \\(e\\) is the elementary charge, \\(r^2 = x^2 + y^2 + z^2\\), and \\(dV\\) is the volume element \\(dx\\) \\(dy\\) \\(dz\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy . + +quantitykind:PhaseSpeedOfSound a qudt:QuantityKind ; + rdfs:label "Phase speed of sound"@en ; + dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M, + unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = \\frac{\\omega}{k} = \\lambda f\\), where \\(\\omega\\) is the angular frequency, \\(k\\) is angular wavenumber, \\(\\lambda\\) is the wavelength, and \\(f\\) is the frequency."^^qudt:LatexString ; + qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpeedOfSound . + +quantitykind:Population a qudt:QuantityKind ; + rdfs:label "Population"@en ; + dcterms:description "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Population"^^xsd:anyURI ; + qudt:plainTextDescription "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Count . + +quantitykind:PowerAreaPerSolidAngle a qudt:QuantityKind ; + rdfs:label "Power Area per Solid Angle"@en ; + qudt:applicableUnit unit:W-M2-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + rdfs:isDefinedBy . + +quantitykind:QualityFactor a qudt:QuantityKind ; + rdfs:label "Quality Factor"@en ; + dcterms:description "\"Quality Factor\", of a resonant circuit, is a measure of the \"goodness\" or quality of a resonant circuit. A higher value for this figure of merit correspondes to a more narrow bandwith, which is desirable in many applications. More formally, \\(Q\\) is the ratio of power stored to power dissipated in the circuit reactance and resistance, respectively"^^qudt:LatexString ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.sourcetronic.com/electrical-measurement-glossary/quality-factor.html"^^xsd:anyURI, + "http://www.allaboutcircuits.com/vol_2/chpt_6/6.html"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "If \\(\\underline{Z} = R + jX\\), then \\(Q = \\left | X \\right |/R\\), where \\(\\underline{Z}\\) is impedance, \\(R\\) is resistance, and \\(X\\) is reactance."^^qudt:LatexString ; + qudt:symbol "Q" ; + vaem:todo "Resolve Quality Facor - electronics and also doses" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Impedance, + quantitykind:Resistance . + +quantitykind:QuarticElectricDipoleMomentPerCubicEnergy a qudt:QuantityKind ; + rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; + dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; + qudt:deprecated true ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + rdfs:isDefinedBy . + +quantitykind:RadiantFluence a qudt:QuantityKind ; + rdfs:label "Radiant Fluence"@en ; + dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; + qudt:applicableUnit unit:GigaJ-PER-M2, + unit:J-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:latexDefinition "\\(H_0 = \\int_{0}^{\\Delta t}{E_0}{dt}\\), where \\(E_0\\) is the spherical radiance acting during time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; + qudt:symbol "H_e,0" ; + rdfs:isDefinedBy . + +quantitykind:RadiantIntensity a qudt:QuantityKind ; + rdfs:label "Radiant Intensity"@en ; + dcterms:description "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle."^^rdf:HTML ; + qudt:applicableUnit unit:W-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_intensity"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{d\\Phi}{d\\Omega}\\), where \\(d\\Phi\\) is the radiant flux leaving the source in an elementary cone containing the given direction with the solid angle \\(d\\Omega\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle." ; + qudt:symbol "I" ; + rdfs:isDefinedBy . + +quantitykind:Radius a qudt:QuantityKind ; + rdfs:label "Radius"@en ; + dcterms:description "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radius"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radius"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(r = \\frac{d}{2}\\), where \\(d\\) is the circle diameter."^^qudt:LatexString ; + qudt:plainTextDescription "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment." ; + qudt:symbol "r" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Length . + +quantitykind:Reactance a qudt:QuantityKind ; + rdfs:label "Reactance"@en ; + dcterms:description "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance."^^rdf:HTML ; + qudt:applicableUnit unit:OHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_reactance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_reactance?oldid=494180019"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-46"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(X = im \\underline{Z}\\), where \\(\\underline{Z}\\) is impedance and \\(im\\) denotes the imaginary part."^^qudt:LatexString ; + qudt:plainTextDescription "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance." ; + qudt:symbol "X" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Impedance . + +quantitykind:Resistivity a qudt:QuantityKind ; + rdfs:label "Resistivity"@en ; + dcterms:description "\"Resistivity\" is the inverse of the conductivity when this inverse exists."^^rdf:HTML ; + qudt:applicableUnit unit:OHM-M, + unit:OHM-M2-PER-M ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-04"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{1}{\\sigma}\\), if it exists, where \\(\\sigma\\) is conductivity."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Resistivity\" is the inverse of the conductivity when this inverse exists." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Conductivity . + +quantitykind:SecondPolarMomentOfArea a qudt:QuantityKind ; + rdfs:label "Second Polar Moment of Area"@en ; + dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; + qudt:applicableUnit unit:M4, + unit:MilliM4 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_p = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; + qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy . + +quantitykind:SerumOrPlasmaLevel a qudt:QuantityKind ; + rdfs:label "Serum or Plasma Level"@en ; + qudt:applicableUnit unit:IU-PER-L, + unit:IU-PER-MilliL ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AmountOfSubstancePerUnitVolume . + +quantitykind:SoundParticleVelocity a qudt:QuantityKind ; + rdfs:label "سرعة جسيم"@ar, + "Schallschnelle"@de, + "sound particle velocity"@en, + "velocidad acústica de una partícula"@es, + "vitesse acoustique d‘une particule"@fr, + "velocità di spostamento"@it, + "粒子速度"@ja, + "prędkość akustyczna"@pl, + "prędkość cząstki"@pl, + "velocidade acústica de uma partícula"@pt ; + dcterms:description "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes."^^rdf:HTML ; + qudt:applicableUnit unit:GigaHZ-M, + unit:KiloHZ-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_velocity"^^xsd:anyURI ; + qudt:latexDefinition "\\(v = \\frac{\\partial\\delta }{\\partial t}\\), where \\(\\delta\\) is sound particle displacement and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes." ; + qudt:symbol "v" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +quantitykind:SpecificAcousticImpedance a qudt:QuantityKind ; + rdfs:label "Specific Acoustic Impedance"@en ; + qudt:applicableUnit unit:N-SEC-PER-M3, + unit:RAYL ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:SpecificElectricCharge a qudt:QuantityKind ; + rdfs:label "Specific Electric Charge" ; + dcterms:description "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity "^^rdf:HTML ; + qudt:applicableUnit unit:MilliA-HR-PER-GM ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:plainTextDescription "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity " ; + rdfs:isDefinedBy . + +quantitykind:SpecificElectricCurrent a qudt:QuantityKind ; + rdfs:label "Specific Electrical Current" ; + dcterms:description "\"Specific Electric Current\" is a measure to specify the applied current relative to a corresponding mass. This measure is often used for standardization within electrochemistry."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-GM ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:SpecificHeatPressure a qudt:QuantityKind ; + rdfs:label "Specific Heat Pressure"@en ; + dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM-K-PA ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat at a constant pressure." ; + rdfs:isDefinedBy . + +quantitykind:SpecificHeatVolume a qudt:QuantityKind ; + rdfs:label "Specific Heat Volume"@en ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM-K-M3 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat per constant volume." ; + rdfs:isDefinedBy . + +quantitykind:SpeedOfSound a qudt:QuantityKind ; + rdfs:label "سرعة الصوت"@ar, + "rychlost zvuku"@cs, + "Schallausbreitungsgeschwindigkeit"@de, + "Schallgeschwindigkeit"@de, + "speed of sound"@en, + "velocidad del sonido"@es, + "سرعت صوت"@fa, + "célérité du son"@fr, + "vitesse du son"@fr, + "ध्वनि का वेग"@hi, + "velocità del suono"@it, + "音速"@ja, + "Kelajuan bunyi"@ms, + "prędkość dźwięku"@pl, + "velocidade do som"@pt, + "viteza sunetului"@ro, + "скорость звука"@ru, + "Hitrost zvoka"@sl, + "Ses hızı"@tr, + "音速"@zh ; + dcterms:description "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium."^^rdf:HTML ; + qudt:applicableUnit unit:BFT, + unit:FT3-PER-MIN-FT2, + unit:GigaC-PER-M3, + unit:GigaHZ-M, + unit:HZ-M, + unit:M-PER-SEC, + unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_sound"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; + qudt:latexDefinition "\\(c = \\sqrt{\\frac{K}{\\rho}}\\), where \\(K\\) is the coefficient of stiffness, the bulk modulus (or the modulus of bulk elasticity for gases), and \\(\\rho\\) is the density. Also, \\(c^2 = \\frac{\\partial p}{\\partial \\rho}\\), where \\(p\\) is the pressure and \\(\\rho\\) is the density."^^qudt:LatexString ; + qudt:plainTextDescription "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium." ; + qudt:symbol "c" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Speed . + +quantitykind:Stress a qudt:QuantityKind ; + rdfs:label "Stress"@en ; + dcterms:description "Stress is a measure of the average amount of force exerted per unit area of a surface within a deformable body on which internal forces act. In other words, it is a measure of the intensity or internal distribution of the total internal forces acting within a deformable body across imaginary surfaces. These internal forces are produced between the particles in the body as a reaction to external forces applied on the body. Stress is defined as \\({\\rm{Stress}} = \\frac{F}{A}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; + qudt:latexDefinition "\\({\\rm{Stress}} = \\frac{F}{A}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerArea . + +quantitykind:SuperconductionTransitionTemperature a qudt:QuantityKind ; + rdfs:label "Superconduction Transition Temperature"@en ; + dcterms:description "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Superconductivity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:plainTextDescription "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor." ; + qudt:symbol "T_c" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature ; + skos:closeMatch quantitykind:CurieTemperature, + quantitykind:NeelTemperature . + +quantitykind:TemperatureGradient a qudt:QuantityKind ; + rdfs:label "Temperature Gradient"@en ; + dcterms:description "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C-PER-M, + unit:K-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifctemperaturegradientmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m." ; + rdfs:isDefinedBy . + +quantitykind:ThermodynamicEnergy a qudt:QuantityKind ; + rdfs:label "Thermodynamic Energy"@en ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:exactMatch quantitykind:EnergyInternal, + quantitykind:InternalEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +quantitykind:Time_Squared a qudt:QuantityKind ; + rdfs:label "Time Squared"@en ; + qudt:applicableUnit unit:SEC2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; + rdfs:isDefinedBy . + +quantitykind:TorquePerAngle a qudt:QuantityKind ; + rdfs:label "Torque per Angle"@en ; + qudt:applicableUnit unit:N-M-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:VoltagePhasor a qudt:QuantityKind ; + rdfs:label "Voltage Phasor"@en ; + dcterms:description "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "When \\(u = \\hat{U} \\cos{(\\omega t + \\alpha)}\\), where \\(u\\) is the voltage, \\(\\omega\\) is angular frequency, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{U} = Ue^{ja}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{U}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; + rdfs:isDefinedBy . + +quantitykind:VolumePerArea a qudt:QuantityKind ; + rdfs:label "Volume per Unit Area"@en ; + qudt:applicableUnit unit:M3-PER-HA, + unit:M3-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:VolumetricFlux a qudt:QuantityKind ; + rdfs:label "Volumetric Flux"@en ; + dcterms:description "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:MilliL-PER-CentiM2-MIN, + unit:MilliL-PER-CentiM2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Volumetric_flux"^^xsd:anyURI ; + qudt:plainTextDescription "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]" ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:VolumicElectromagneticEnergy a qudt:QuantityKind ; + rdfs:label "Volumic Electromagnetic Energy"@en ; + dcterms:description "\\(\\textit{Volumic Electromagnetic Energy}\\), also known as the \\(\\textit{Electromagnetic Energy Density}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3 ; + qudt:exactMatch quantitykind:ElectromagneticEnergyDensity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(w\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFieldStrength, + quantitykind:ElectricFluxDensity, + quantitykind:MagneticFieldStrength_H, + quantitykind:MagneticFluxDensity . + +quantitykind:WarpingMoment a qudt:QuantityKind ; + rdfs:label "Warping Moment"@en ; + dcterms:description "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²."^^rdf:HTML ; + qudt:applicableUnit unit:KiloN-M2, + unit:N-M2 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingmomentmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²." ; + rdfs:isDefinedBy . + +unit:A-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Square Metre"@en, + "Ampere Square Meter"@en-us ; + dcterms:description "The SI unit of electromagnetic moment."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(A-M^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment, + quantitykind:MagneticMoment ; + qudt:iec61360Code "0112/2///62720#UAA106" ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+meter+squared"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "A⋅m²" ; + qudt:ucumCode "A.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A5" ; + rdfs:isDefinedBy . + +unit:A-PER-J a qudt:Unit ; + rdfs:label "Ampere per Joule"@en ; + dcterms:description "The inverse measure of \\(joule-per-ampere\\) or \\(weber\\). The measure for the reciprical of magnetic flux."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/J\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; + qudt:symbol "A/J" ; + qudt:ucumCode "A.J-1"^^qudt:UCUMcs, + "A/J"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:AT-PER-IN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Turn per Inch"@en ; + dcterms:description "The \\(\\textit{Ampere Turn per Inch}\\) is a measure of magnetic field intensity and is equal to 12.5664 Oersted."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 39.3700787 ; + qudt:expression "\\(At/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:symbol "At/in" ; + rdfs:isDefinedBy . + +unit:AT-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Turn per Metre"@en, + "Ampere Turn per Meter"@en-us ; + dcterms:description "The \\(\\textit{Ampere Turn per Metre}\\) is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (12.566 371 millioersteds) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001 emu per cubic centimeter\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(At/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:symbol "At/m" ; + rdfs:isDefinedBy . + +unit:A_Stat a qudt:Unit ; + rdfs:label "Statampere"@en ; + dcterms:description "\"Statampere\" (statA) is a unit in the category of Electric current. It is also known as statamperes. This unit is commonly used in the cgs unit system. Statampere (statA) has a dimension of I where I is electric current. It can be converted to the corresponding standard SI unit A by multiplying its value by a factor of 3.355641E-010."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 3.335641e-10 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_current--statampere.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statA" ; + rdfs:isDefinedBy . + +unit:BAN a qudt:Unit ; + rdfs:label "Ban"@en ; + dcterms:description "A ban is a logarithmic unit which measures information or entropy, based on base 10 logarithms and powers of 10, rather than the powers of 2 and base 2 logarithms which define the bit. One ban is approximately \\(3.32 (log_2 10) bits\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 2.30258509 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ban"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban?oldid=472969907"^^xsd:anyURI ; + qudt:symbol "ban" ; + qudt:uneceCommonCode "Q15" ; + rdfs:isDefinedBy . + +unit:BIT a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Bit"@en ; + dcterms:description "In information theory, a bit is the amount of information that, on average, can be stored in a discrete bit. It is thus the amount of information carried by a choice between two equally likely outcomes. One bit corresponds to about 0.693 nats (ln(2)), or 0.301 hartleys (log10(2))."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA339" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bit?oldid=495288173"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "b" ; + qudt:ucumCode "bit"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J63" ; + rdfs:isDefinedBy . + +unit:BQ-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Becquerel per Kilogram"@en ; + dcterms:description "The only unit in the category of Specific radioactivity. It is also known as becquerels per kilogram, becquerel/kilogram. This unit is commonly used in the SI unit system. Becquerel Per Kilogram (Bq/kg) has a dimension of \\(M{-1}T{-1}\\) where \\(M\\) is mass, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/kg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Bq/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassicActivity, + quantitykind:SpecificActivity ; + qudt:iec61360Code "0112/2///62720#UAA112" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_radioactivity--becquerel_per_kilogram.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Becquerel per Kilogram\" is used to describe radioactivity, which is often expressed in becquerels per unit of volume or weight, to express how much radioactive material is contained in a sample." ; + qudt:symbol "Bq/kg" ; + qudt:ucumCode "Bq.kg-1"^^qudt:UCUMcs, + "Bq/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A18" ; + rdfs:isDefinedBy . + +unit:BTU_IT-IN-PER-FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot Degree Fahrenheit"@en ; + dcterms:description "\\(BTU_{th}\\) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(hr-ft^{2}-degF)\\). An International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.144227889 ; + qudt:exactMatch unit:BTU_IT-IN-PER-HR-FT2-DEG_F ; + qudt:expression "\\(Btu(it)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA117" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:latexSymbol "\\(Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; + qudt:plainTextDescription "BTU (th) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity', an International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units." ; + qudt:symbol "Btu{IT}⋅in/(ft²⋅hr⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J41" ; + vaem:comment "qudt:exactMatch: unit:BTU_IT-IN-PER-HR-FT2-DEG_F" ; + rdfs:isDefinedBy . + +unit:BTU_IT-IN-PER-FT2-SEC-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU (IT) Inch per Square Foot Second Degree Fahrenheit"@en ; + dcterms:description "\\(BTU_{IT}\\), Inch per Square Foot Second Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 519.220399911 ; + qudt:exactMatch unit:BTU_IT-IN-PER-SEC-FT2-DEG_F ; + qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA118" ; + qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; + qudt:plainTextDescription "British thermal unit (international table) inch per second Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; + qudt:symbol "Btu{IT}⋅in/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J42" ; + rdfs:isDefinedBy . + +unit:BTU_IT-IN-PER-HR-FT2-DEG_F a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot degree Fahrenheit"@en ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.1442279 ; + qudt:exactMatch unit:BTU_IT-IN-PER-FT2-HR-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA117" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}⋅in/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT].[in_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J41" ; + rdfs:isDefinedBy . + +unit:BTU_IT-IN-PER-SEC-FT2-DEG_F a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Inch Per Second Square Foot degree Fahrenheit"@en ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 519.2204 ; + qudt:exactMatch unit:BTU_IT-IN-PER-FT2-SEC-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:ThermalConductivity ; + qudt:iec61360Code "0112/2///62720#UAA118" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; + qudt:symbol "Btu{IT}⋅in/(s⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[in_i].s-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT].[in_i]/(s.[ft_i]2.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J42" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Pound Degree Fahrenheit"@en ; + dcterms:description "British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb- degF) is a unit in the category of Specific heat. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb-degF) has a dimension of \\(L2T^{-2}Q^{-1}\\) where \\(L\\) is length, \\(T\\) is time, and \\(Q\\) is temperature. It can be converted to the corresponding standard SI unit \\(J/kg-K\\) by multiplying its value by a factor of 4183.99895."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(lb-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅°F)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/([lb_av].[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB-DEG_R a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Pound Degree Rankine"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Degree \\, Rankine}\\) is a unit for 'Specific Heat Capacity' expressed as \\(Btu/(lb-degR)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(Btu/(lb-degR)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "Btu{IT}/(lb⋅°R)" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1.[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/([lb_av].[degR])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB_F-DEG_F a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Pound Degree Fahrenheit"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA119" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit" ; + qudt:symbol "Btu{IT}/(lbf⋅°F)" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/([lbf_av].[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J43" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB_F-DEG_R a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Pound Degree Rankine"@en ; + dcterms:description "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 426.9 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAB141" ; + qudt:plainTextDescription "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units" ; + qudt:symbol "Btu{IT}/(lbf⋅°R)" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/([lbf_av].[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A21" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-MIN a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Minute"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 17.58 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA120" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "Btu{IT}/min" ; + qudt:ucumCode "[Btu_IT].min-1"^^qudt:UCUMcs, + "[Btu_IT]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J44" ; + rdfs:isDefinedBy . + +unit:BTU_MEAN a qudt:Unit ; + rdfs:label "British Thermal Unit (mean)"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA113" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units" ; + qudt:symbol "BTU{mean}" ; + qudt:ucumCode "[Btu_m]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J39" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "British Thermal Unit (thermochemical) Per Hour"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.2929 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA124" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "Btu{th}/hr" ; + qudt:ucumCode "[Btu_th].h-1"^^qudt:UCUMcs, + "[Btu_th]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J47" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-LB-DEG_F a qudt:Unit ; + rdfs:label "British Thermal Unit (thermochemical) Per Pound Degree Fahrenheit"@en ; + dcterms:description "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 426.654 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA127" ; + qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit" ; + qudt:symbol "Btu{th}/(lb⋅°F)" ; + qudt:ucumCode "[Btu_th].[lb_av]-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_th]/([lb_av].[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J50" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-MIN a qudt:Unit ; + rdfs:label "British Thermal Unit (thermochemical) Per Minute"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 17.573 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA128" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "Btu{th}/min" ; + qudt:ucumCode "[Btu_th].min-1"^^qudt:UCUMcs, + "[Btu_th]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J51" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-SEC a qudt:Unit ; + rdfs:label "British Thermal Unit (thermochemical) Per Second"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1054.35 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA129" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "Btu{th}/s" ; + qudt:ucumCode "[Btu_th].s-1"^^qudt:UCUMcs, + "[Btu_th]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J52" ; + rdfs:isDefinedBy . + +unit:BYTE a qudt:CountingUnit, + qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Byte"@en ; + dcterms:description "The byte is a unit of digital information in computing and telecommunications that most commonly consists of eight bits."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.5451774444795624753378569716654 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA354" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "B" ; + qudt:ucumCode "By"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AD" ; + rdfs:isDefinedBy . + +unit:C-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "كولوم متر"@ar, + "coulomb metr"@cs, + "Coulombmeter"@de, + "coulomb metre"@en, + "Coulomb Meter"@en-us, + "culombio metro"@es, + "نیوتون متر"@fa, + "coulomb-mètre"@fr, + "कूलम्ब मीटर"@hi, + "coulomb per metro"@it, + "クーロンメートル"@ja, + "coulomb meter"@ms, + "coulomb-metro"@pt, + "coulomb-metru"@ro, + "кулон-метр"@ru, + "coulomb metre"@tr, + "库伦米"@zh ; + dcterms:description "Coulomb Meter (C-m) is a unit in the category of Electric dipole moment. It is also known as atomic unit, u.a., au, ua. This unit is commonly used in the SI unit system. Coulomb Meter (C-m) has a dimension of LTI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:iec61360Code "0112/2///62720#UAA133" ; + qudt:symbol "C⋅m" ; + qudt:ucumCode "C.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A26" ; + rdfs:isDefinedBy . + +unit:C-M2 a qudt:Unit ; + rdfs:label "Coulomb mal Quadratmeter"@de, + "coulomb square metre"@en, + "Coulomb Square Meter"@en-us, + "کولن متر مربع"@fa, + "coulomb per metro quadrato"@it, + "coulomb meter persegi"@ms, + "库仑平方米"@zh ; + dcterms:description "Coulomb Square Meter (C-m2) is a unit in the category of Electric quadrupole moment. This unit is commonly used in the SI unit system. Coulomb Square Meter (C-m2) has a dimension of L2TI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; + qudt:symbol "C⋅m²" ; + qudt:ucumCode "C.m2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:C-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Coulomb per Metre"@en, + "Coulomb per Meter"@en-us ; + dcterms:description "\"Coulomb per Meter\" is a unit for 'Electric Charge Line Density' expressed as \\(C/m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeLineDensity, + quantitykind:ElectricChargeLinearDensity ; + qudt:iec61360Code "0112/2///62720#UAB337" ; + qudt:symbol "C/m" ; + qudt:ucumCode "C.m-1"^^qudt:UCUMcs, + "C/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P10" ; + rdfs:isDefinedBy . + +unit:C2-M2-PER-J a qudt:Unit ; + rdfs:label "Square Coulomb Square Metre per Joule"@en, + "Square Coulomb Square Meter per Joule"@en-us ; + dcterms:description "\"Square Coulomb Square Meter per Joule\" is a unit for 'Polarizability' expressed as \\(C^{2} m^{2} J^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^{2} m^{2} J^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Polarizability ; + qudt:symbol "C²⋅m²/J" ; + qudt:ucumCode "C2.m2.J-1"^^qudt:UCUMcs, + "C2.m2/J"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:C3-M-PER-J2 a qudt:Unit ; + rdfs:label "Cubic Coulomb Metre per Square Joule"@en, + "Cubic Coulomb Meter per Square Joule"@en-us ; + dcterms:description "\"Cubic Coulomb Meter per Square Joule\" is a unit for 'Cubic Electric Dipole Moment Per Square Energy' expressed as \\(C^{3} m^{3} J^{-2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^{3} m J^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; + qudt:symbol "C³⋅m/J²" ; + qudt:ucumCode "C3.m.J-2"^^qudt:UCUMcs, + "C3.m/J2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:C4-M4-PER-J3 a qudt:Unit ; + rdfs:label "Quartic Coulomb Metre per Cubic Energy"@en, + "Quartic Coulomb Meter per Cubic Energy"@en-us ; + dcterms:description "\"Quartic Coulomb Meter per Cubic Energy\" is a unit for 'Quartic Electric Dipole Moment Per Cubic Energy' expressed as \\(C^{4} m^{4} J^{-3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C^4m^4/J^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; + qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; + qudt:symbol "C⁴m⁴/J³" ; + qudt:ucumCode "C4.m4.J-3"^^qudt:UCUMcs, + "C4.m4/J3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CAL_15_DEG_C a qudt:Unit ; + rdfs:label "Calorie (15 Degrees C)"@en ; + dcterms:description "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.1855 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAB139" ; + qudt:plainTextDescription "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius" ; + qudt:symbol "cal{15 °C}" ; + qudt:ucumCode "cal_[15]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A1" ; + rdfs:isDefinedBy . + +unit:CAL_IT-PER-GM-DEG_C a qudt:Unit ; + rdfs:label "Calorie (international Table) Per Gram Degree Celsius"@en ; + dcterms:description "unit calorieIT divided by the products of the units gram and degree Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA362" ; + qudt:plainTextDescription "unit calorieIT divided by the products of the units gram and degree Celsius" ; + qudt:symbol "cal{IT}/(g⋅°C)" ; + qudt:ucumCode "cal_IT.g-1.Cel-1"^^qudt:UCUMcs, + "cal_IT/(g.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J76" ; + rdfs:isDefinedBy . + +unit:CAL_IT-PER-GM-K a qudt:Unit ; + rdfs:label "Calorie (international Table) Per Gram Kelvin"@en ; + dcterms:description "unit calorieIT divided by the product of the SI base unit gram and Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA363" ; + qudt:plainTextDescription "unit calorieIT divided by the product of the SI base unit gram and Kelvin" ; + qudt:symbol "cal{IT}/(g⋅K)" ; + qudt:ucumCode "cal_IT.g-1.K-1"^^qudt:UCUMcs, + "cal_IT/(g.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D76" ; + rdfs:isDefinedBy . + +unit:CAL_MEAN a qudt:Unit ; + rdfs:label "Calorie (mean)"@en ; + dcterms:description "unit used particularly for calorific values of foods"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.19 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA360" ; + qudt:plainTextDescription "unit used particularly for calorific values of foods" ; + qudt:symbol "cal{mean}" ; + qudt:ucumCode "cal_m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J75" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-GM-DEG_C a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Gram Degree Celsius"@en ; + dcterms:description "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA366" ; + qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius" ; + qudt:symbol "cal{th}/(g⋅°C)" ; + qudt:ucumCode "cal_th.g-1.Cel-1"^^qudt:UCUMcs, + "cal_th/(g.Cel)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J79" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-GM-K a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Gram Kelvin"@en ; + dcterms:description "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA367" ; + qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin" ; + qudt:symbol "cal{th}/(g⋅K)" ; + qudt:ucumCode "cal_th.g-1.K-1"^^qudt:UCUMcs, + "cal_th/(g.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D37" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-MIN a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Minute"@en ; + dcterms:description "unit calorie divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.06973 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA368" ; + qudt:plainTextDescription "unit calorie divided by the unit minute" ; + qudt:symbol "cal{th}/min" ; + qudt:ucumCode "cal_th.min-1"^^qudt:UCUMcs, + "cal_th/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J81" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-SEC a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Second"@en ; + dcterms:description "unit calorie divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.184 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA369" ; + qudt:plainTextDescription "unit calorie divided by the SI base unit second" ; + qudt:symbol "cal{th}/s" ; + qudt:ucumCode "cal_th.s-1"^^qudt:UCUMcs, + "cal_th/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J82" ; + rdfs:isDefinedBy . + +unit:CD a qudt:Unit ; + rdfs:label "قنديلة"@ar, + "кандела"@bg, + "kandela"@cs, + "Candela"@de, + "καντέλα"@el, + "candela"@en, + "candela"@es, + "کاندلا"@fa, + "candela"@fr, + "קנדלה"@he, + "कॅन्डेला"@hi, + "kandela"@hu, + "candela"@it, + "カンデラ"@ja, + "candela"@la, + "kandela"@ms, + "kandela"@pl, + "candela"@pt, + "candelă"@ro, + "кандела"@ru, + "kandela"@sl, + "candela"@tr, + "坎德拉"@zh ; + dcterms:description "\\(\\textit{Candela}\\) is a unit for 'Luminous Intensity' expressed as \\(cd\\). The candela is the SI base unit of luminous intensity; that is, power emitted by a light source in a particular direction, weighted by the luminosity function (a standardized model of the sensitivity of the human eye to different wavelengths, also known as the luminous efficiency function). A common candle emits light with a luminous intensity of roughly one candela."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Candela"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousIntensity ; + qudt:iec61360Code "0112/2///62720#UAA370", + "0112/2///62720#UAD719" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Candela?oldid=484253082"^^xsd:anyURI, + "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "cd" ; + qudt:ucumCode "cd"^^qudt:UCUMcs ; + qudt:udunitsCode "cd" ; + qudt:uneceCommonCode "CDL" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-MOL a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Mole"@en, + "Cubic Centimeter Per Mole"@en-us ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity, + quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA398" ; + qudt:plainTextDescription "0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; + qudt:symbol "cm³/mol" ; + qudt:ucumCode "cm3.mol-1"^^qudt:UCUMcs, + "cm3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A36" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-MOL-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Centimeter per Mole Second"@en, + "Cubic Centimeter per Mole Second"@en-us ; + dcterms:description "A unit that is the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate, + quantitykind:SecondOrderReactionRateConstant ; + qudt:symbol "cm³/(mol⋅s)" ; + rdfs:isDefinedBy . + +unit:CentiMOL a qudt:Unit ; + rdfs:label "CentiMole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance, + quantitykind:ExtentOfReaction ; + qudt:symbol "cmol" ; + rdfs:isDefinedBy . + +unit:CentiMOL-PER-L a qudt:Unit ; + rdfs:label "Centimole per litre"@en ; + dcterms:description "1/100 of SI unit of amount of substance per litre"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:symbol "cmol/L" ; + qudt:ucumCode "cmol.L-1"^^qudt:UCUMcs, + "cmol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiPOISE a qudt:Unit ; + rdfs:label "Centipoise"@en ; + dcterms:description "\\(\\textbf{Centipoise}\\) is a C.G.S System unit for 'Dynamic Viscosity' expressed as \\(cP\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA356" ; + qudt:plainTextDescription "0,01-fold of the CGS unit of the dynamic viscosity poise" ; + qudt:symbol "cP" ; + qudt:ucumCode "cP"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C7" ; + rdfs:isDefinedBy . + +unit:DEATHS-PER-KiloINDIV-YR a qudt:Unit ; + rdfs:label "Deaths per 1000 individuals per year"@en ; + dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; + qudt:symbol "deaths/1000 individuals/yr" ; + rdfs:isDefinedBy . + +unit:DEATHS-PER-MegaINDIV-YR a qudt:Unit ; + rdfs:label "Deaths per Million individuals per year"@en ; + dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MortalityRate ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; + qudt:symbol "deaths/million individuals/yr" ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-HR a qudt:Unit ; + rdfs:label "Degree Celsius per Hour"@en ; + dcterms:description "\\(\\textbf{Degree Celsius per Hour} is a unit for 'Temperature Per Time' expressed as \\(degC / hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(degC / hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA036" ; + qudt:symbol "°C/hr" ; + qudt:ucumCode "Cel.h-1"^^qudt:UCUMcs, + "Cel/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H12" ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-MIN a qudt:Unit ; + rdfs:label "Degree Celsius per Minute"@en ; + dcterms:description "\\(\\textbf{Degree Celsius per Minute} is a unit for 'Temperature Per Time' expressed as \\(degC / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(degC / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA037" ; + qudt:symbol "°C/m" ; + qudt:ucumCode "Cel.min-1"^^qudt:UCUMcs, + "Cel/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H13" ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-SEC a qudt:Unit ; + rdfs:label "Degree Celsius per Second"@en ; + dcterms:description "\\(\\textbf{Degree Celsius per Second} is a unit for 'Temperature Per Time' expressed as \\(degC / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:expression "\\(degC / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA038" ; + qudt:symbol "°C/s" ; + qudt:ucumCode "Cel.s-1"^^qudt:UCUMcs, + "Cel/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H14" ; + rdfs:isDefinedBy . + +unit:DEG_C-PER-YR a qudt:Unit ; + rdfs:label "Degrees Celsius per year"@en ; + dcterms:description "A rate of change of temperature expressed on the Celsius scale over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 3.168809e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:symbol "°C/yr" ; + qudt:ucumCode "Cel.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_F-PER-HR a qudt:Unit ; + rdfs:label "Degree Fahrenheit per Hour"@en ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Hour} is a unit for 'Temperature Per Time' expressed as \\(degF / h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA044" ; + qudt:symbol "°F/h" ; + qudt:ucumCode "[degF].h-1"^^qudt:UCUMcs, + "[degF]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J23" ; + rdfs:isDefinedBy . + +unit:DEG_F-PER-MIN a qudt:Unit ; + rdfs:label "Degree Fahrenheit per Minute"@en ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Minute} is a unit for 'Temperature Per Time' expressed as \\(degF / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA045" ; + qudt:symbol "°F/m" ; + qudt:ucumCode "[degF].min-1"^^qudt:UCUMcs, + "[degF]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J24" ; + rdfs:isDefinedBy . + +unit:DEG_F-PER-SEC a qudt:Unit ; + rdfs:label "Degree Fahrenheit per Second"@en ; + dcterms:description "\\(\\textbf{Degree Fahrenheit per Second} is a unit for 'Temperature Per Time' expressed as \\(degF / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA046" ; + qudt:symbol "°F/s" ; + qudt:ucumCode "[degF].s-1"^^qudt:UCUMcs, + "[degF]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J25" ; + rdfs:isDefinedBy . + +unit:DEG_R-PER-HR a qudt:Unit ; + rdfs:label "Degree Rankine per Hour"@en ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one hour.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA051" ; + qudt:symbol "°R/h" ; + qudt:ucumCode "[degR].h-1"^^qudt:UCUMcs, + "[degR]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J28" ; + rdfs:isDefinedBy . + +unit:DEG_R-PER-MIN a qudt:Unit ; + rdfs:label "Degree Rankine per Minute"@en ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one minute\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA052" ; + qudt:symbol "°R/m" ; + qudt:ucumCode "[degR].min-1"^^qudt:UCUMcs, + "[degR]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J29" ; + rdfs:isDefinedBy . + +unit:DEG_R-PER-SEC a qudt:Unit ; + rdfs:label "Degree Rankine per Second"@en ; + dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one second.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:expression "\\(degR / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA053" ; + qudt:symbol "°R/s" ; + qudt:ucumCode "[degR].s-1"^^qudt:UCUMcs, + "[degR]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J30" ; + rdfs:isDefinedBy . + +unit:DPI a qudt:Unit ; + rdfs:label "Dots Per Inch"@en ; + dcterms:description "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 39.37008 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAA421" ; + qudt:plainTextDescription "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "DPI" ; + qudt:ucumCode "{dot}/[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E39" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-MOL a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Mole"@en, + "Cubic Decimeter Per Mole"@en-us ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity, + quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA419" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; + qudt:symbol "dm³/mol" ; + qudt:ucumCode "dm3.mol-1"^^qudt:UCUMcs, + "dm3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A37" ; + rdfs:isDefinedBy . + +unit:DeciS a qudt:Unit ; + rdfs:label "DeciSiemens"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:symbol "dS" ; + rdfs:isDefinedBy . + +unit:ERG-PER-GM-SEC a qudt:Unit ; + rdfs:label "Erg Per Gram Second"@en ; + dcterms:description "CGS unit of the mass-related power"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate, + quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAB147" ; + qudt:plainTextDescription "CGS unit of the mass-related power" ; + qudt:symbol "erg/(g⋅s)" ; + qudt:ucumCode "erg.g-1.s-1"^^qudt:UCUMcs, + "erg/(g.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A62" ; + rdfs:isDefinedBy . + +unit:ERLANG a qudt:Unit ; + rdfs:label "Erlang"@en ; + dcterms:description "The \"Erlang\" is a dimensionless unit that is used in telephony as a measure of offered load or carried load on service-providing elements such as telephone circuits or telephone switching equipment."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Erlang_(unit)"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB340" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Erlang_(unit)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:symbol "E" ; + qudt:uneceCommonCode "Q11" ; + rdfs:isDefinedBy . + +unit:EV-PER-K a qudt:Unit ; + rdfs:label "Electron Volt per Kelvin"@en ; + dcterms:description "\\(\\textbf{Electron Volt per Kelvin} is a unit for 'Heat Capacity' expressed as \\(ev/K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:expression "\\(ev/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:HeatCapacity ; + qudt:symbol "ev/K" ; + qudt:ucumCode "eV.K-1"^^qudt:UCUMcs, + "eV/K"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:ExaBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "ExaByte"@en ; + dcterms:description "The exabyte is a multiple of the unit byte for digital information. The prefix exa means 10^18 in the International System of Units (SI), so ExaByte is 10^18 Bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.545177e+18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Exa ; + qudt:symbol "EB" ; + qudt:ucumCode "EBy"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:ExbiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "ExbiByte"@en ; + dcterms:description "The exbibyte is a multiple of the unit byte for digital information. The prefix exbi means 1024^6"^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 6.393154e+18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exbibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Exbi ; + qudt:symbol "EiB" ; + qudt:uneceCommonCode "E59" ; + rdfs:isDefinedBy . + +unit:FemtoMOL a qudt:Unit ; + rdfs:label "FemtoMole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance, + quantitykind:ExtentOfReaction ; + qudt:symbol "fmol" ; + qudt:ucumCode "fmol"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GibiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "GibiByte"@en ; + dcterms:description "The gibibyte is a multiple of the unit byte for digital information storage. The prefix gibi means 1024^3"^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.954089e+09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gibibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Gibi ; + qudt:symbol "GiB" ; + qudt:uneceCommonCode "E62" ; + rdfs:isDefinedBy . + +unit:GigaBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "GigaByte"@en ; + dcterms:description "The gigabyte is a multiple of the unit byte for digital information storage. The prefix giga means \\(10^9\\) in the International System of Units (SI), therefore 1 gigabyte is \\(1,000,000,000 \\; bytes\\). The unit symbol for the gigabyte is \\(GB\\) or \\(Gbyte\\), but not \\(Gb\\) (lower case b) which is typically used for the gigabit. Historically, the term has also been used in some fields of computer science and information technology to denote the \\(gibibyte\\), or \\(1073741824 \\; bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.545177e+09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gigabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB185" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gigabyte?oldid=493019145"^^xsd:anyURI ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GB" ; + qudt:ucumCode "GBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E34" ; + rdfs:isDefinedBy ; + skos:altLabel "gbyte" . + +unit:H a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "هنري"@ar, + "хенри"@bg, + "henry"@cs, + "Henry"@de, + "χένρι"@el, + "henry"@en, + "henrio"@es, + "هنری"@fa, + "henry"@fr, + "הנרי"@he, + "हेनरी"@hi, + "henry"@hu, + "henry"@it, + "ヘンリー"@ja, + "henrium"@la, + "henry"@ms, + "henr"@pl, + "henry"@pt, + "henry"@ro, + "генри"@ru, + "henry"@sl, + "henry"@tr, + "亨利"@zh ; + dcterms:description "The SI unit of electric inductance. A changing magnetic field induces an electric current in a loop of wire (or in a coil of many loops) located in the field. Although the induced voltage depends only on the rate at which the magnetic flux changes, measured in webers per second, the amount of the current depends also on the physical properties of the coil. A coil with an inductance of one henry requires a flux of one weber for each ampere of induced current. If, on the other hand, it is the current which changes, then the induced field will generate a potential difference within the coil: if the inductance is one henry a current change of one ampere per second generates a potential difference of one volt. The henry is a large unit; inductances in practical circuits are measured in millihenrys (mH) or microhenrys (u03bc H). The unit is named for the American physicist Joseph Henry (1797-1878), one of several scientists who discovered independently how magnetic fields can be used to generate alternating currents. \\(\\text{H} \\; \\equiv \\; \\text{henry}\\; \\equiv\\; \\frac{\\text{Wb}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{weber}}{\\text{amp}}\\; \\equiv\\ \\frac{\\text{V}\\cdot\\text{s}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{volt} \\cdot \\text{second}}{\\text{amp}}\\; \\equiv\\ \\Omega\\cdot\\text{s}\\; \\equiv\\; \\text{ohm.second}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Henry"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA165" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "Wb/A" ; + qudt:symbol "H" ; + qudt:ucumCode "H"^^qudt:UCUMcs ; + qudt:uneceCommonCode "81" ; + rdfs:isDefinedBy . + +unit:HART a qudt:Unit ; + rdfs:label "Hartley"@en ; + dcterms:description "The \"Hartley\" is a unit of information."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 2.3025850929940456840179914546844 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB344" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Hart" ; + qudt:uneceCommonCode "Q15" ; + rdfs:isDefinedBy . + +unit:H_Ab a qudt:Unit ; + rdfs:label "Abhenry"@en ; + dcterms:description "Abhenry is the centimeter-gram-second electromagnetic unit of inductance, equal to one billionth of a henry."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abhenry"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abhenry?oldid=477198643"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abH" ; + qudt:ucumCode "nH"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:H_Stat a qudt:Unit ; + rdfs:label "Stathenry"@en ; + dcterms:description "\"Stathenry\" (statH) is a unit in the category of Electric inductance. It is also known as stathenries. This unit is commonly used in the cgs unit system. Stathenry (statH) has a dimension of \\(ML^2T^{-2}I^{-2}\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit H by multiplying its value by a factor of \\(8.987552 \\times 10^{11}\\) ."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e+11 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_inductance--stathenry.cfm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statH" ; + rdfs:isDefinedBy . + +unit:H_Stat-PER-CentiM a qudt:Unit ; + rdfs:label "Stathenry per Centimetre"@en, + "Stathenry per Centimeter"@en-us ; + dcterms:description "The Stathenry per Centimeter is a unit of measure for the absolute permeability of free space."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 8.9876e+13 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(stath-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability, + quantitykind:Permeability ; + qudt:symbol "statH/cm" ; + rdfs:isDefinedBy . + +unit:IU a qudt:Unit ; + rdfs:label "International Unit"@en ; + dcterms:description """ +

International Unit is a unit for Amount Of Substance expressed as IU. +Note that the magnitude depends on the substance, thus there is no fixed conversion multiplier. +

"""^^rdf:HTML ; + qudt:dbpediaMatch "http://dbpedia.org/resource/International_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB603" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/International_unit?oldid=488801913"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "IU" ; + qudt:ucumCode "[IU]"^^qudt:UCUMcs, + "[iU]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-M-PER-MOL a qudt:Unit ; + rdfs:label "Joule Metre per Mole"@en, + "Joule Meter per Mole"@en-us ; + dcterms:description "\\(\\textbf{Joule Meter per Mole} is a unit for 'Length Molar Energy' expressed as \\(J \\cdot m \\cdot mol^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J m mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; + qudt:symbol "J⋅m/mol" ; + qudt:ucumCode "J.m.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-PER-KiloGM-K-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Kilogram Kelvin Cubic Metre"@en, + "Joule per Kilogram Kelvin Cubic Meter"@en-us ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-kg-k-m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume, + quantitykind:SpecificHeatVolume ; + qudt:symbol "J/(kg⋅K⋅m³)" ; + qudt:ucumCode "J.kg-1.K.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-PER-KiloGM-K-PA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Kilogram Kelvin per Pascal"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-kg-k-pa\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatPressure ; + qudt:symbol "J/(kg⋅K⋅Pa)" ; + qudt:ucumCode "J.kg-1.K-1.Pa-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule Per Metre"@en, + "Joule Per Meter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; + qudt:expression "\\(j/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LinearEnergyTransfer, + quantitykind:TotalLinearStoppingPower ; + qudt:iec61360Code "0112/2///62720#UAA178" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "J/m" ; + qudt:ucumCode "J.m-1"^^qudt:UCUMcs, + "J/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B12" ; + rdfs:isDefinedBy . + +unit:J-PER-T2 a qudt:Unit ; + rdfs:label "Joule per Square Tesla"@en ; + dcterms:description "A measure of the diamagnetic energy, for a Bohr-radius spread around a magnetic axis, per square Tesla."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J T^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerMagneticFluxDensity_Squared ; + qudt:informativeReference "http://www.eng.fsu.edu/~dommelen/quantum/style_a/elecmagfld.html"^^xsd:anyURI ; + qudt:symbol "J/T²" ; + qudt:ucumCode "J.T-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-SEC-PER-MOL a qudt:Unit ; + rdfs:label "Joule Second per Mole"@en ; + dcterms:description "\\(\\textbf{Joule Second per Mole} is a unit for 'Molar Angular Momentum' expressed as \\(J s mol^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J s mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; + qudt:symbol "J⋅s/mol" ; + qudt:ucumCode "J.s.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:K-PER-HR a qudt:Unit ; + rdfs:label "Kelvin per Hour"@en ; + dcterms:description "\\(\\textbf{Kelvin per Hour} is a unit for 'Temperature Per Time' expressed as \\(K / h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:expression "\\(K / h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA189" ; + qudt:symbol "K/h" ; + qudt:ucumCode "K.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F10" ; + rdfs:isDefinedBy . + +unit:K-PER-MIN a qudt:Unit ; + rdfs:label "Kelvin per Minute"@en ; + dcterms:description "\\(\\textbf{Kelvin per Minute} is a unit for 'Temperature Per Time' expressed as \\(K / m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:expression "\\(K / min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA191" ; + qudt:symbol "K/min" ; + qudt:ucumCode "K.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F11" ; + rdfs:isDefinedBy . + +unit:K-PER-SEC a qudt:Unit ; + rdfs:label "Kelvin per Second"@en ; + dcterms:description "\\(\\textbf{Kelvin per Second} is a unit for 'Temperature Per Time' expressed as \\(K / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerTime ; + qudt:iec61360Code "0112/2///62720#UAA192" ; + qudt:symbol "K/s" ; + qudt:ucumCode "K.s-1"^^qudt:UCUMcs, + "K/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F12" ; + rdfs:isDefinedBy . + +unit:KY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kayser"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 100.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kayser"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(\\(cm^{-1}\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kayser?oldid=458489166"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "K" ; + qudt:ucumCode "Ky"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KibiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "KibiByte"@en ; + dcterms:description "The kibibyte is a multiple of the unit byte for digital information equivalent to 1024 bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5678.2617031470719747459655389854 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Kibi ; + qudt:symbol "KiB" ; + qudt:uneceCommonCode "E64" ; + rdfs:isDefinedBy . + +unit:KiloA a qudt:Unit ; + rdfs:label "kiloampere"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA557" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kA" ; + qudt:ucumCode "kA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B22" ; + rdfs:isDefinedBy . + +unit:KiloBTU_TH-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilo British Thermal Unit (thermochemical) Per Hour"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 292.9 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "kBtu{th}/hr" ; + qudt:ucumCode "k[Btu_th].h-1"^^qudt:UCUMcs, + "k[Btu_th]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Kilo Byte"@en ; + dcterms:description "The kilobyte is a multiple of the unit byte for digital information equivalent to 1000 bytes. Although the prefix kilo- means 1000, the term kilobyte and symbol kB have historically been used to refer to either 1024 (210) bytes or 1000 (103) bytes, dependent upon context, in the fields of computer science and information technology. This ambiguity is removed in QUDT, with KibiBYTE used to refer to 1024 bytes."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5545.17744447956 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; + qudt:prefix prefix1:Kibi ; + qudt:symbol "kB" ; + qudt:ucumCode "kBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2P" ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-GM-DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Calorie per Gram Degree Celsius"@en ; + dcterms:description "\\(\\textbf{Calorie per Gram Degree Celsius} is a unit for 'Specific Heat Capacity' expressed as \\(kcal/(gm-degC)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kcal/(gm-degC)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:symbol "kcal/(g⋅°C)" ; + qudt:ucumCode "cal.g-1.Cel-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL_IT a qudt:Unit ; + rdfs:label "Kilocalorie (international Table)"@en ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA589" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{IT}" ; + qudt:ucumCode "kcal_IT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E14" ; + rdfs:isDefinedBy . + +unit:KiloCAL_Mean a qudt:Unit ; + rdfs:label "Kilocalorie (mean)"@en ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4190.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA587" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{mean}" ; + qudt:ucumCode "kcal_m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K51" ; + rdfs:isDefinedBy . + +unit:KiloCAL_TH a qudt:Unit ; + rdfs:label "Kilocalorie (thermochemical)"@en ; + dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA590" ; + qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; + qudt:symbol "kcal{th}" ; + qudt:ucumCode "[Cal]"^^qudt:UCUMcs, + "kcal_th"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K53" ; + rdfs:isDefinedBy . + +unit:KiloCAL_TH-PER-HR a qudt:Unit ; + rdfs:label "Kilocalorie (thermochemical) Per Hour"@en ; + dcterms:description "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.162230555555556 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB184" ; + qudt:plainTextDescription "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour" ; + qudt:symbol "kcal{th}/hr" ; + qudt:ucumCode "kcal_th.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E15" ; + rdfs:isDefinedBy . + +unit:KiloCAL_TH-PER-MIN a qudt:Unit ; + rdfs:label "Kilocalorie (thermochemical) Per Minute"@en ; + dcterms:description "1000-fold of the unit calorie divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 69.73383333333334 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA591" ; + qudt:plainTextDescription "1000-fold of the unit calorie divided by the unit minute" ; + qudt:symbol "kcal{th}/min" ; + qudt:ucumCode "kcal_th.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K54" ; + rdfs:isDefinedBy . + +unit:KiloCAL_TH-PER-SEC a qudt:Unit ; + rdfs:label "Kilocalorie (thermochemical) Per Second"@en ; + dcterms:description "1000-fold of the unit calorie divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA592" ; + qudt:plainTextDescription "1000-fold of the unit calorie divided by the SI base unit second" ; + qudt:symbol "kcal{th}/s" ; + qudt:ucumCode "kcal_th.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K55" ; + rdfs:isDefinedBy . + +unit:KiloCi a qudt:Unit ; + rdfs:label "Kilocurie"@en ; + dcterms:description "1,000-fold of the unit curie"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.7e+13 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Activity, + quantitykind:DecayConstant ; + qudt:iec61360Code "0112/2///62720#UAB046" ; + qudt:plainTextDescription "1 000-fold of the unit curie" ; + qudt:symbol "kCi" ; + qudt:ucumCode "kCi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2R" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Hour"@en ; + dcterms:description "Kilogram Per Hour (kg/h) is a unit in the category of Mass flow rate. It is also known as kilogram/hour. Kilogram Per Hour (kg/h) has a dimension of MT-1 where M is mass, and T is time. It can be converted to the corresponding standard SI unit kg/s by multiplying its value by a factor of 0.000277777777778."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:expression "\\(kg/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA607" ; + qudt:symbol "kg/h" ; + qudt:ucumCode "kg.h-1"^^qudt:UCUMcs, + "kg/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E93" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-KiloM2 a qudt:Unit ; + rdfs:label "Kilograms per square kilometre"@en ; + dcterms:description "One SI standard unit of mass over the square of one thousand standard unit of length."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea, + quantitykind:SurfaceDensity ; + qudt:symbol "kg/km²" ; + qudt:ucumCode "kg.km-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Metre"@en, + "Kilogram per Meter"@en-us ; + dcterms:description "Kilogram Per Meter (kg/m) is a unit in the category of Linear mass density. It is also known as kilogram/meter, kilogram/metre, kilograms per meter, kilogram per metre, kilograms per metre. This unit is commonly used in the SI unit system. Kilogram Per Meter (kg/m) has a dimension of ML-1 where M is mass, and L is length. This unit is the standard SI unit in this category. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearDensity, + quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAA616" ; + qudt:symbol "kg/m" ; + qudt:ucumCode "kg.m-1"^^qudt:UCUMcs, + "kg/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KL" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M-HR a qudt:Unit ; + rdfs:label "Kilograms per metre per hour"@en ; + dcterms:description "One SI standard unit of mass over one SI standard unit of length over 3600 times one SI standard unit of time."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "kg/(m⋅hr)" ; + qudt:ucumCode "kg.m-1.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N40" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M-SEC a qudt:Unit ; + rdfs:label "Kilograms per metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "kg/(m⋅s)" ; + qudt:ucumCode "kg.m-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N37" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M2-PA-SEC a qudt:Unit ; + rdfs:label "Kilograms per square metre per Pascal per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:VaporPermeability ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; + qudt:symbol "kg/(m²⋅s⋅Pa)" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M2-SEC a qudt:Unit ; + rdfs:label "Kilograms per square metre per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:symbol "kg/(m²⋅s)" ; + qudt:ucumCode "kg.m-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H56" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-MilliM a qudt:Unit ; + rdfs:label "Kilogram Per Millimetre"@en, + "Kilogram Per Millimeter"@en-us ; + dcterms:description "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearDensity, + quantitykind:MassPerLength ; + qudt:iec61360Code "0112/2///62720#UAB070" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "kg/mm" ; + qudt:ucumCode "kg.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KW" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Second"@en ; + dcterms:description "Kilogram Per Second (kg/s) is a unit in the category of Mass flow rate. It is also known as kilogram/second, kilograms per second. This unit is commonly used in the SI unit system. Kilogram Per Second (kg/s) has a dimension of \\(MT^{-1}\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA629" ; + qudt:symbol "kg/s" ; + qudt:ucumCode "kg.s-1"^^qudt:UCUMcs, + "kg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KGS" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-SEC-M2 a qudt:Unit ; + rdfs:label "Kilogram Per Second Per Square Metre"@en, + "Kilogram Per Second Per Square Meter"@en-us ; + dcterms:description "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-M2-SEC ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassPerAreaTime ; + qudt:iec61360Code "0112/2///62720#UAA618" ; + qudt:plainTextDescription "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second" ; + qudt:symbol "kg/(s⋅m²)" ; + qudt:ucumCode "kg.(s.m2)-1"^^qudt:UCUMcs, + "kg.s-1.m-2"^^qudt:UCUMcs, + "kg/(s.m2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H56" ; + rdfs:isDefinedBy . + +unit:KiloJ-PER-K a qudt:Unit ; + rdfs:label "Kilojoule Per Kelvin"@en ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerTemperature ; + qudt:iec61360Code "0112/2///62720#UAA569" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin" ; + qudt:symbol "kJ/K" ; + qudt:ucumCode "kJ.K-1"^^qudt:UCUMcs, + "kJ/K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B41" ; + rdfs:isDefinedBy . + +unit:KiloLB_F-FT-PER-A a qudt:Unit ; + rdfs:label "Pound Force Foot Per Ampere"@en ; + dcterms:description "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere"^^rdf:HTML ; + qudt:conversionMultiplier 2728.302797866667 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB483" ; + qudt:plainTextDescription "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere" ; + qudt:symbol "klbf⋅ft/A" ; + qudt:ucumCode "[lbf_av].[ft_i].A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F22" ; + rdfs:isDefinedBy . + +unit:KiloR a qudt:Unit ; + rdfs:label "Kiloroentgen"@en ; + dcterms:description "1 000-fold of the unit roentgen"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.258 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAB057" ; + qudt:plainTextDescription "1 000-fold of the unit roentgen" ; + qudt:symbol "kR" ; + qudt:ucumCode "kR"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KR" ; + rdfs:isDefinedBy . + +unit:KiloS a qudt:Unit ; + rdfs:label "Kilosiemens"@en ; + dcterms:description "1 000-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA578" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit siemens" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kS" ; + qudt:ucumCode "kS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B53" ; + rdfs:isDefinedBy . + +unit:KiloV-A a qudt:Unit ; + rdfs:label "Kilovolt Ampere"@en ; + dcterms:description "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:iec61360Code "0112/2///62720#UAA581" ; + qudt:plainTextDescription "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "kV⋅A" ; + qudt:ucumCode "kV.A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVA" ; + rdfs:isDefinedBy . + +unit:KiloWB a qudt:Unit ; + rdfs:label "KiloWeber"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:symbol "kWb" ; + rdfs:isDefinedBy . + +unit:L-PER-MOL a qudt:Unit ; + rdfs:label "Litre Per Mole"@en, + "Liter Per Mole"@en-us ; + dcterms:description "unit litre divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity, + quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA662" ; + qudt:plainTextDescription "unit litre divided by the SI base unit mol" ; + qudt:symbol "L/mol" ; + qudt:ucumCode "L.mol-1"^^qudt:UCUMcs, + "L/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B58" ; + rdfs:isDefinedBy . + +unit:L-PER-MicroMOL a qudt:Unit ; + rdfs:label "Litres per micromole"@en ; + dcterms:description "The inverse of a molar concentration - the untits of per molarity."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity, + quantitykind:MolarVolume ; + qudt:symbol "L/µmol" ; + qudt:ucumCode "L.umol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-PER-FT-HR a qudt:Unit ; + rdfs:label "Pound per Foot Hour"@en ; + dcterms:description "\"Pound per Foot Hour\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-hr)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0004133788732137649 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/(ft-hr)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "lb/(ft⋅hr)" ; + qudt:ucumCode "[lb_av].[ft_i]-1.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K67" ; + rdfs:isDefinedBy . + +unit:LB-PER-FT-SEC a qudt:Unit ; + rdfs:label "Pound per Foot Second"@en ; + dcterms:description "\"Pound per Foot Second\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.4881639435695537 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/(ft-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "lb/(ft⋅s)" ; + qudt:ucumCode "[lb_av].[ft_i]-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K68" ; + rdfs:isDefinedBy . + +unit:LB-PER-HR a qudt:Unit ; + rdfs:label "Pound per Hour"@en ; + dcterms:description "Pound per hour is a mass flow unit. It is abbreviated as PPH or more conventionally as lb/h. Fuel flow for engines is usually expressed using this unit, it is particularly useful when dealing with gases or liquids as volume flow varies more with temperature and pressure. \\(1 lb/h = 0.4535927 kg/h = 126.00 mg/s\\). Minimum fuel intake on a jumbojet can be as low as 150 lb/h when idling, however this is not enough to sustain flight."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00012599788055555556 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_per_hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(PPH\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_per_hour?oldid=328571072"^^xsd:anyURI ; + qudt:symbol "PPH" ; + qudt:ucumCode "[lb_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4U" ; + rdfs:isDefinedBy . + +unit:LB-PER-MIN a qudt:Unit ; + rdfs:label "Pound per Minute"@en ; + dcterms:description "\"Pound per Minute\" is an Imperial unit for 'Mass Per Time' expressed as \\(lb/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.007559872833333333 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:symbol "lb/min" ; + qudt:ucumCode "[lb_av].min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB_F-SEC-PER-FT2 a qudt:Unit ; + rdfs:label "Pound Force Second per Square Foot"@en ; + dcterms:description "\"Pound Force Second per Square Foot\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 47.8802631 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf-s/ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "lbf⋅s/ft²" ; + qudt:ucumCode "[lbf_av].s.[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB_F-SEC-PER-IN2 a qudt:Unit ; + rdfs:label "Pound Force Second per Square Inch"@en ; + dcterms:description "\"Pound Force Second per Square Inch\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/in^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf-s/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:symbol "lbf⋅s/in²" ; + qudt:ucumCode "[lbf_av].s.[sin_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-GM a qudt:Unit ; + rdfs:label "Square metres per gram"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient, + quantitykind:SpecificSurfaceArea ; + qudt:symbol "m²/g" ; + qudt:ucumCode "m2.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M2-PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Mole"@en, + "Square Meter per Mole"@en-us ; + dcterms:description "Square Meter Per Mole (m2/mol) is a unit in the category of Specific Area. It is also known as square meters per mole, square metre per per, square metres per per, square meter/per, square metre/per. This unit is commonly used in the SI unit system. Square Meter Per Mole (m2/mol) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/mol\\)"^^qudt:LatexString, + "\\(m^{2}/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarAbsorptionCoefficient, + quantitykind:MolarAttenuationCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA751" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/mol" ; + qudt:ucumCode "m2.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D22" ; + rdfs:isDefinedBy . + +unit:M3-PER-KiloGM-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Metre per Kilogram Square Second"@en, + "Cubic Meter per Kilogram Square Second"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3} kg^{-1} s^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:symbol "m³/(kg⋅s²)" ; + qudt:ucumCode "m3.(kg.s2)-1"^^qudt:UCUMcs, + "m3.kg-1.s-2"^^qudt:UCUMcs, + "m3/(kg.s2)"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M3-PER-MOL-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Centimeter per Mole Second"@en, + "Cubic Centimeter per Mole Second"@en-us ; + dcterms:description "A unit that is the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate, + quantitykind:SecondOrderReactionRateConstant ; + qudt:symbol "m³/(mol⋅s)" ; + rdfs:isDefinedBy . + +unit:M4 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Quartic Metre"@en, + "Quartic Meter"@en-us ; + dcterms:description "A unit associated with area moments of inertia."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quartic_metre"^^xsd:anyURI ; + qudt:expression "\\(m^{4}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea, + quantitykind:SecondPolarMomentOfArea ; + qudt:symbol "m⁴" ; + qudt:ucumCode "m4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B83" ; + rdfs:isDefinedBy . + +unit:MESH a qudt:Unit ; + rdfs:label "Mesh"@en ; + dcterms:description "\"Mesh\" is a measure of particle size or fineness of a woven product."@en ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mesh_(scale)"^^xsd:anyURI ; + qudt:symbol "mesh" ; + qudt:ucumCode "[mesh_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "57" ; + rdfs:isDefinedBy . + +unit:MHO a qudt:Unit ; + rdfs:label "Mho"@en ; + dcterms:description "\"Mho\" is a C.G.S System unit for 'Electric Conductivity' expressed as \\(mho\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Siemens_%28unit%29"^^xsd:anyURI ; + qudt:exactMatch unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:iec61360Code "0112/2///62720#UAB200" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "℧" ; + qudt:ucumCode "mho"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NQ" ; + rdfs:isDefinedBy . + +unit:MHO_Stat a qudt:Unit ; + rdfs:label "Statmho"@en ; + dcterms:description "\"StatMHO\" is the unit of conductance, admittance, and susceptance in the C.G.S e.s.u system of units. One \\(statmho\\) is the conductance between two points in a conductor when a constant potential difference of \\(1 \\; statvolt\\) applied between the points produces in the conductor a current of \\(1 \\; statampere\\), the conductor not being the source of any electromotive force, approximately \\(1.1126 \\times 10^{-12} mho\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 1.1126e-12 ; + qudt:exactMatch unit:S_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "stat℧" ; + rdfs:isDefinedBy . + +unit:MX a qudt:Unit ; + rdfs:label "Maxwell"@en ; + dcterms:description "\"Maxwell\" is a C.G.S System unit for 'Magnetic Flux' expressed as \\(Mx\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Maxwell"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB155" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Maxwell?oldid=478391976"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Mx" ; + qudt:ucumCode "Mx"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B65" ; + rdfs:isDefinedBy . + +unit:MebiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Mebibyte"@en ; + dcterms:description "The mebibyte is a multiple of the unit byte for digital information equivalent to \\(1024^{2} bytes\\) or \\(2^{20} bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.81454e+05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Mebi ; + qudt:symbol "MiB" ; + qudt:uneceCommonCode "E63" ; + rdfs:isDefinedBy . + +unit:MegaA a qudt:Unit ; + rdfs:label "Megaampere"@en ; + dcterms:description "1 000 000-fold of the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA202" ; + qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MA" ; + qudt:ucumCode "MA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H38" ; + rdfs:isDefinedBy . + +unit:MegaBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Mega byte"@en ; + dcterms:description "The megabyte is defined here as one million Bytes. Also, see unit:MebiBYTE."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.545177e+06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Megabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Megabyte?oldid=487094486"^^xsd:anyURI ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MB" ; + qudt:ucumCode "MBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4L" ; + rdfs:isDefinedBy . + +unit:MegaDOLLAR_US-PER-FLIGHT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Million US Dollars per Flight"@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; + qudt:symbol "$M/flight" ; + rdfs:isDefinedBy . + +unit:MegaEV-FemtoM a qudt:Unit ; + rdfs:label "Mega Electron Volt Femtometre"@en, + "Mega Electron Volt Femtometer"@en-us ; + dcterms:description "\\(\\textbf{Mega Electron Volt Femtometer} is a unit for 'Length Energy' expressed as \\(MeV fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-28 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:LengthEnergy ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MeV⋅fm" ; + qudt:ucumCode "MeV.fm"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaS a qudt:Unit ; + rdfs:label "MegaSiemens"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000000.0 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:symbol "MS" ; + rdfs:isDefinedBy . + +unit:MegaV-A a qudt:Unit ; + rdfs:label "Megavolt Ampere"@en ; + dcterms:description "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower ; + qudt:iec61360Code "0112/2///62720#UAA222" ; + qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "MV⋅A" ; + qudt:ucumCode "MV.A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MVA" ; + rdfs:isDefinedBy . + +unit:MicroA a qudt:Unit ; + rdfs:label "microampere"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA057" ; + qudt:latexSymbol "\\(\\mu A\\)"^^qudt:LatexString ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µA" ; + qudt:ucumCode "uA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B84" ; + rdfs:isDefinedBy . + +unit:MicroH a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Microhenry"@en ; + dcterms:description "The SI derived unit for inductance is the henry. 1 henry is equal to 1000000 microhenry. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA066" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µH" ; + qudt:ucumCode "uH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B90" ; + rdfs:isDefinedBy . + +unit:MicroH-PER-M a qudt:Unit ; + rdfs:label "Microhenry Per Metre"@en, + "Microhenry Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability, + quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA069" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI base unit metre" ; + qudt:symbol "μH/m" ; + qudt:ucumCode "uH.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B91" ; + rdfs:isDefinedBy . + +unit:MicroPOISE a qudt:Unit ; + rdfs:label "Micropoise"@en ; + dcterms:description "0.000001-fold of the CGS unit of the dynamic viscosity poise"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA072" ; + qudt:plainTextDescription "0.000001-fold of the CGS unit of the dynamic viscosity poise" ; + qudt:symbol "μP" ; + qudt:ucumCode "uP"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J32" ; + rdfs:isDefinedBy . + +unit:MicroS a qudt:Unit ; + rdfs:label "Microsiemens"@en ; + dcterms:description "0.000001-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA074" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit siemens" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μS" ; + qudt:ucumCode "uS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B99" ; + rdfs:isDefinedBy . + +unit:MilliA a qudt:Unit ; + rdfs:label "MilliAmpere"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA775" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "mA" ; + qudt:ucumCode "mA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4K" ; + rdfs:isDefinedBy . + +unit:MilliC-PER-KiloGM a qudt:Unit ; + rdfs:label "Millicoulomb Per Kilogram"@en ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA783" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram" ; + qudt:symbol "mC/kg" ; + qudt:ucumCode "mC.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C8" ; + rdfs:isDefinedBy . + +unit:MilliH a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Millihenry"@en ; + dcterms:description "A unit of inductance equal to one thousandth of a henry. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA789" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mH" ; + qudt:ucumCode "mH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C14" ; + rdfs:isDefinedBy . + +unit:MilliM4 a qudt:Unit ; + rdfs:label "Quartic Millimetre"@en, + "Quartic Millimeter"@en-us ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 4"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea, + quantitykind:SecondPolarMomentOfArea ; + qudt:iec61360Code "0112/2///62720#UAA869" ; + qudt:plainTextDescription "0.001-fold of the power of the SI base unit metre with the exponent 4" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mm⁴" ; + qudt:ucumCode "mm4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G77" ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-GM a qudt:Unit ; + rdfs:label "Millimole Per Gram"@en ; + dcterms:description "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength ; + qudt:iec61360Code "0112/2///62720#UAA878" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "mmol/g" ; + qudt:ucumCode "mmol.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H68" ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Millimole Per Kilogram"@en ; + dcterms:description "0.001-fold of the SI base unit mol divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength ; + qudt:iec61360Code "0112/2///62720#UAA879" ; + qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the SI base unit kilogram" ; + qudt:symbol "mmol/kg" ; + qudt:ucumCode "mmol.kg-1"^^qudt:UCUMcs, + "mmol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D87" ; + rdfs:isDefinedBy . + +unit:MilliPA-SEC a qudt:Unit ; + rdfs:label "Millipascal Second"@en ; + dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA797" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second" ; + qudt:symbol "mPa⋅s" ; + qudt:ucumCode "mPa.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C24" ; + rdfs:isDefinedBy . + +unit:MilliR a qudt:Unit ; + rdfs:label "Milliroentgen"@en ; + dcterms:description "0.001-fold of the unit roentgen."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.58e-07 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA898", + "0112/2///62720#UAB056" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_(unit)"^^xsd:anyURI ; + qudt:plainTextDescription "0.001-fold of the unit roentgen." ; + qudt:symbol "mR" ; + qudt:ucumCode "mR"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Y" ; + rdfs:isDefinedBy . + +unit:MilliS a qudt:Unit ; + rdfs:label "Millisiemens"@en ; + dcterms:description "0.001-fold of the SI derived unit siemens"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA800" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit siemens" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mS" ; + qudt:ucumCode "mS"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C27" ; + rdfs:isDefinedBy . + +unit:MilliWB a qudt:Unit ; + rdfs:label "Milliweber"@en ; + dcterms:description "0.001-fold of the SI derived unit weber"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA809" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit weber" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mWb" ; + qudt:ucumCode "mWb"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C33" ; + rdfs:isDefinedBy . + +unit:N-M-PER-A a qudt:Unit ; + rdfs:label "Newton Metre Per Ampere"@en, + "Newton Meter Per Ampere"@en-us ; + dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA241" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere" ; + qudt:symbol "N⋅m/A" ; + qudt:ucumCode "N.m.A-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F90" ; + rdfs:isDefinedBy . + +unit:N-M-PER-M-RAD a qudt:Unit ; + rdfs:label "Newton Metre per Metre per Radian"@en, + "Newton Meter per Meter per Radian"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:N-PER-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ModulusOfRotationalSubgradeReaction ; + qudt:symbol "N⋅m/(m⋅rad)" ; + rdfs:isDefinedBy . + +unit:N-M-PER-RAD a qudt:Unit ; + rdfs:label "Newtonmeter pro Radian"@de, + "Newton metre per radian"@en, + "Newton meter per radian"@en-us ; + dcterms:description "Newton Meter per Radian is the SI unit for Torsion Constant"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:TorquePerAngle ; + qudt:plainTextDescription "Newton Meter per Radian is the SI unit for Torsion Constant" ; + qudt:symbol "N⋅m/rad" ; + qudt:uneceCommonCode "M93" ; + rdfs:isDefinedBy . + +unit:N-M-SEC-PER-M a qudt:Unit ; + rdfs:label "Newtonmetersekunden pro Meter"@de, + "Newton metre seconds per metre"@en, + "Newton meter seconds per meter"@en-us ; + dcterms:description "Newton metre seconds measured per metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum, + quantitykind:Momentum ; + qudt:plainTextDescription "Newton metre seconds measured per metre" ; + qudt:symbol "N⋅m⋅s/m" ; + rdfs:isDefinedBy . + +unit:N-M2-PER-A a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newton Metre Squared per Ampere"@en, + "Newton Meter Squared per Ampere"@en-us ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:WB-M ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:symbol "N⋅m²/A" ; + qudt:ucumCode "N.m2.A-1"^^qudt:UCUMcs, + "N.m2/A"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P49" ; + rdfs:isDefinedBy . + +unit:N-PER-RAD a qudt:Unit ; + rdfs:label "Newton pro Radian"@de, + "Newton per radian"@en, + "Newton per radian"@en-us ; + dcterms:description "A one-newton force applied for one angle/torsional torque"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:exactMatch unit:N-M-PER-M-RAD ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerAngle ; + qudt:plainTextDescription "A one-newton force applied for one angle/torsional torque" ; + qudt:symbol "N/rad" ; + rdfs:isDefinedBy . + +unit:N-SEC a qudt:Unit ; + rdfs:label "نيوتن ثانية"@ar, + "newton sekunda"@cs, + "Newtonsekunde"@de, + "newton second"@en, + "newton segundo"@es, + "نیوتون ثانیه"@fa, + "newton-seconde"@fr, + "न्यूटन सैकण्ड"@hi, + "newton per secondo"@it, + "ニュートン秒"@ja, + "newton saat"@ms, + "niutonosekunda"@pl, + "newton-segundo"@pt, + "newton-secundă"@ro, + "ньютон-секунда"@ru, + "newton saniye"@tr, + "牛秒"@zh ; + dcterms:description "product of the SI derived unit newton and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum, + quantitykind:Momentum ; + qudt:iec61360Code "0112/2///62720#UAA251" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit second" ; + qudt:symbol "N⋅s" ; + qudt:ucumCode "N.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C57" ; + rdfs:isDefinedBy . + +unit:NAT a qudt:Unit ; + rdfs:label "Nat"@en ; + dcterms:description "A nat is a logarithmic unit of information or entropy, based on natural logarithms and powers of e, rather than the powers of 2 and base 2 logarithms which define the bit. The nat is the natural unit for information entropy. Physical systems of natural units which normalize Boltzmann's constant to 1 are effectively measuring thermodynamic entropy in nats."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nat"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; + qudt:symbol "nat" ; + qudt:uneceCommonCode "Q16" ; + rdfs:isDefinedBy . + +unit:NUM-PER-M a qudt:Unit ; + rdfs:label "Number per metre"@en ; + dcterms:description "Unavailable."@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:symbol "/m" ; + qudt:ucumCode "/m"^^qudt:UCUMcs, + "{#}.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoA a qudt:Unit ; + rdfs:label "nanoampere"@en ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA901" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nA" ; + qudt:ucumCode "nA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C39" ; + rdfs:isDefinedBy . + +unit:NanoH-PER-M a qudt:Unit ; + rdfs:label "Nanohenry Per Metre"@en, + "Nanohenry Per Meter"@en-us ; + dcterms:description "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability, + quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA906" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre" ; + qudt:symbol "nH/m" ; + qudt:ucumCode "nH.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C44" ; + rdfs:isDefinedBy . + +unit:NanoMOL a qudt:Unit ; + rdfs:label "NanoMole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance, + quantitykind:ExtentOfReaction ; + qudt:symbol "nmol" ; + rdfs:isDefinedBy . + +unit:NanoMOL-PER-L a qudt:Unit ; + rdfs:label "Nanomoles per litre"@en ; + dcterms:description "A scaled unit of amount-of-substance concentration."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:symbol "nmol/L" ; + qudt:ucumCode "nmol.L-1"^^qudt:UCUMcs, + "nmol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoS a qudt:Unit ; + rdfs:label "NanoSiemens"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:symbol "nS" ; + rdfs:isDefinedBy . + +unit:OERSTED a qudt:Unit ; + rdfs:label "Oersted"@en ; + dcterms:description "Oersted (abbreviated as Oe) is the unit of magnetizing field (also known as H-field, magnetic field strength or intensity) in the CGS system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 79.5774715 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Oersted"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB134" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Oersted?oldid=491396460"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Oe" ; + qudt:ucumCode "Oe"^^qudt:UCUMcs ; + qudt:udunitsCode "Oe" ; + qudt:uneceCommonCode "66" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:Gs . + +unit:OHM-M a qudt:Unit ; + rdfs:label "أوم متر"@ar, + "ohm metr"@cs, + "Ohmmeter"@de, + "ohm metre"@en, + "Ohm Meter"@en-us, + "ohmio metro"@es, + "اهم متر"@fa, + "ohm-mètre"@fr, + "ओह्म मीटर"@hi, + "ohm per metro"@it, + "オームメートル"@ja, + "ohm meter"@ms, + "ohm-metro"@pt, + "ohm-metru"@ro, + "ом-метр"@ru, + "ohm metre"@tr, + "欧姆米"@zh ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ResidualResistivity, + quantitykind:Resistivity ; + qudt:iec61360Code "0112/2///62720#UAA020" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "Ω⋅m" ; + qudt:ucumCode "Ohm.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C61" ; + rdfs:isDefinedBy . + +unit:PA-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "باسكال ثانية"@ar, + "pascal sekunda"@cs, + "Pascalsekunde"@de, + "pascal second"@en, + "pascal segundo"@es, + "نیوتون ثانیه"@fa, + "pascal-seconde"@fr, + "पास्कल सैकण्ड"@hi, + "pascal per secondo"@it, + "パスカル秒"@ja, + "pascal saat"@ms, + "paskalosekunda"@pl, + "pascal-segundo"@pt, + "pascal-secundă"@ro, + "паскаль-секунда"@ru, + "pascal sekunda"@sl, + "pascal saniye"@tr, + "帕斯卡秒"@zh ; + dcterms:description "The SI unit of dynamic viscosity, equal to 10 poises or 1000 centipoises. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Pa-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA265" ; + qudt:siUnitsExpression "Pa.s" ; + qudt:symbol "Pa⋅s" ; + qudt:ucumCode "Pa.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C65" ; + rdfs:isDefinedBy . + +unit:PA-SEC-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Pascal Second Per Metre"@en, + "Pascal Second Per Meter"@en-us ; + dcterms:description "Pascal Second Per Meter (\\(Pa-s/m\\)) is a unit in the category of Specific acoustic impedance. It is also known as pascal-second/meter. Pascal Second Per Meter has a dimension of \\(ML^2T^{-1}\\) where M is mass, L is length, and T is time. It essentially the same as the corresponding standard SI unit \\(kg/m2\\cdot s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(Pa-s/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AcousticImpedance ; + qudt:iec61360Code "0112/2///62720#UAA268" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; + qudt:siUnitsExpression "Pa.s/m" ; + qudt:symbol "Pa⋅s/m" ; + qudt:ucumCode "Pa.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C67" ; + rdfs:isDefinedBy . + +unit:PER-ANGSTROM a qudt:Unit ; + rdfs:label "Reciprocal Angstrom"@en ; + dcterms:description "reciprocal of the unit angstrom"^^rdf:HTML ; + qudt:conversionMultiplier 0.0000000001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAB058" ; + qudt:plainTextDescription "reciprocal of the unit angstrom" ; + qudt:symbol "/Å" ; + qudt:ucumCode "Ao-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C85" ; + rdfs:isDefinedBy . + +unit:PER-CentiM a qudt:Unit ; + rdfs:label "Reciprocal Centimetre"@en, + "Reciprocal Centimeter"@en-us ; + dcterms:description "reciprocal of the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLength ; + qudt:iec61360Code "0112/2///62720#UAA382" ; + qudt:plainTextDescription "reciprocal of the 0.01-fold of the SI base unit metre" ; + qudt:symbol "/cm" ; + qudt:ucumCode "/cm"^^qudt:UCUMcs, + "cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E90" ; + rdfs:isDefinedBy . + +unit:PER-GigaEV2 a qudt:Unit ; + rdfs:label "Reciprocal Square Giga Electron Volt Unit"@en ; + dcterms:description "Per Square Giga Electron Volt Unit is a denominator unit with dimensions \\(/GeV^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.895644e+19 ; + qudt:expression "\\(/GeV^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; + qudt:symbol "/GeV²" ; + qudt:ucumCode "GeV-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M-K a qudt:Unit ; + rdfs:label "Reciprocal Metre Kelvin"@en, + "Reciprocal Meter Kelvin"@en-us ; + dcterms:description "Per Meter Kelvin Unit is a denominator unit with dimensions \\(/m.k\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/m.k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; + qudt:symbol "/(m⋅K)" ; + qudt:ucumCode "m-1.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M2-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Square Metre Second"@en, + "Reciprocal Square Meter Second"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{-2}-s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Flux, + quantitykind:ParticleFluenceRate ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/(m²⋅s)" ; + qudt:ucumCode "m-2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B81" ; + rdfs:isDefinedBy ; + skos:altLabel "Reciprocal square metre per second"@en . + +unit:PER-M3-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Cubic Metre Second"@en, + "Reciprocal Cubic Meter Second"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^{-3}-s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ParticleSourceDensity, + quantitykind:Slowing-DownDensity ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "/(m³⋅s)" ; + qudt:ucumCode "m-3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C87" ; + rdfs:isDefinedBy ; + skos:altLabel "Reciprocal cubic metre per second"@en . + +unit:PER-PlanckMass2 a qudt:Unit ; + rdfs:label "Inverse Square Planck Mass"@en ; + dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.111089e+15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseMass_Squared ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:symbol "/mₚ²" ; + rdfs:isDefinedBy . + +unit:PER-SEC-SR a qudt:Unit ; + rdfs:label "Reciprocal Second Steradian"@en ; + dcterms:description "Per Second Steradian Unit is a denominator unit with dimensions \\(/sec-sr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/sec-sr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:PhotonIntensity, + quantitykind:TemporalSummationFunction ; + qudt:symbol "/s⋅sr" ; + qudt:ucumCode "/(s.sr)"^^qudt:UCUMcs, + "s-1.sr-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D1" ; + rdfs:isDefinedBy . + +unit:PER-WB a qudt:Unit ; + rdfs:label "Reciprocal Weber"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:expression "\\(Wb^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "/Wb" ; + qudt:ucumCode "Wb-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:POISE a qudt:Unit ; + rdfs:label "Poise"@en ; + dcterms:description "The poise is the unit of dynamic viscosity in the centimetre gram second system of units. It is named after Jean Louis Marie Poiseuille."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Poise"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA255" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poise?oldid=487835641"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "P" ; + qudt:ucumCode "P"^^qudt:UCUMcs ; + qudt:uneceCommonCode "89" ; + rdfs:isDefinedBy . + +unit:PebiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "PebiByte"@en ; + dcterms:description "The pebibyte is a standards-based binary multiple (prefix pebi, symbol Pi) of the byte, a unit of digital information storage. The pebibyte unit symbol is PiB. 1 pebibyte = 1125899906842624bytes = 1024 tebibytes The pebibyte is closely related to the petabyte, which is defined as \\(10^{15} bytes = 1,000,000,000,000,000 bytes\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 6.243315e+15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pebibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAA274" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pebibyte?oldid=492685015"^^xsd:anyURI ; + qudt:prefix prefix1:Pebi ; + qudt:symbol "PiB" ; + qudt:uneceCommonCode "E60" ; + rdfs:isDefinedBy . + +unit:PetaBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "PetaByte"@en ; + dcterms:description "A petabyte is a unit of information equal to one quadrillion bytes, or 1024 terabytes. The unit symbol for the petabyte is PB. The prefix peta (P) indicates the fifth power to 1000: 1 PB = 1000000000000000B, 1 million gigabytes = 1 thousand terabytes The pebibyte (PiB), using a binary prefix, is the corresponding power of 1024, which is more than \\(12\\% \\)greater (\\(2^{50} bytes = 1,125,899,906,842,624 bytes\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.545177e+15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Petabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB187" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Petabyte?oldid=494735969"^^xsd:anyURI ; + qudt:prefix prefix1:Peta ; + qudt:symbol "PB" ; + qudt:ucumCode "PBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E36" ; + rdfs:isDefinedBy . + +unit:PicoA a qudt:Unit ; + rdfs:label "picoampere"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAA928" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pA" ; + qudt:ucumCode "pA"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C70" ; + rdfs:isDefinedBy . + +unit:PicoH a qudt:Unit ; + rdfs:label "Picohenry"@en ; + dcterms:description "0.000000000001-fold of the SI derived unit henry"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance ; + qudt:iec61360Code "0112/2///62720#UAA932" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit henry" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pH" ; + qudt:ucumCode "pH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C73" ; + rdfs:isDefinedBy . + +unit:PicoMOL a qudt:Unit ; + rdfs:label "PicoMole"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance, + quantitykind:ExtentOfReaction ; + qudt:symbol "pmol" ; + rdfs:isDefinedBy . + +unit:PicoS a qudt:Unit ; + rdfs:label "PicoSiemens"@en ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:symbol "pS" ; + rdfs:isDefinedBy . + +unit:PlanckCurrent a qudt:Unit ; + rdfs:label "Planck Current"@en ; + dcterms:description "The Planck current is the unit of electric current, denoted by IP, in the system of natural units known as Planck units. \\(\\approx 3.479 \\times 10 A\\), where: the Planck time is the permittivity in vacuum and the reduced Planck constant G is the gravitational constant c is the speed of light in vacuum. The Planck current is that current which, in a conductor, carries a Planck charge in Planck time. Alternatively, the Planck current is that constant current which, if maintained in two straight parallel conductors of infinite length and negligible circular cross-section, and placed a Planck length apart in vacuum, would produce between these conductors a force equal to a Planck force per Planck length."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 3.4789e+25 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_current"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_current?oldid=493640689"^^xsd:anyURI ; + qudt:symbol "planckcurrent" ; + rdfs:isDefinedBy . + +unit:PlanckMomentum a qudt:Unit ; + rdfs:label "Planck Momentum"@en ; + dcterms:description "Planck momentum is the unit of momentum in the system of natural units known as Planck units. It has no commonly used symbol of its own, but can be denoted by, where is the Planck mass and is the speed of light in a vacuum. Then where is the reduced Planck's constant, is the Planck length, is the gravitational constant. In SI units Planck momentum is \\(\\approx 6.5 kg m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 6.52485 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_momentum"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum, + quantitykind:Momentum ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_momentum?oldid=493644981"^^xsd:anyURI ; + qudt:symbol "planckmomentum" ; + rdfs:isDefinedBy . + +unit:R a qudt:Unit ; + rdfs:label "Roentgen"@en ; + dcterms:description "Not to be confused with roentgen equivalent man or roentgen equivalent physical. The roentgen (symbol R) is an obsolete unit of measurement for the kerma of X-rays and gamma rays up to 3 MeV."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.58e-04 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Roentgen"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA275" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen?oldid=491213233"^^xsd:anyURI ; + qudt:symbol "R" ; + qudt:ucumCode "R"^^qudt:UCUMcs ; + qudt:udunitsCode "R" ; + qudt:uneceCommonCode "2C" ; + rdfs:isDefinedBy . + +unit:SHANNON a qudt:Unit ; + rdfs:label "Shannon"@en ; + dcterms:description "The \"Shannon\" is a unit of information."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.69314718055994530941723212145818 ; + qudt:expression "\\(Sh\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB343" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Sh" ; + qudt:uneceCommonCode "Q14" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-FT-SEC a qudt:Unit ; + rdfs:label "Slug per Foot Second"@en ; + dcterms:description "\\(\\textbf{Slug per Foot Second} is a unit for 'Dynamic Viscosity' expressed as \\(slug/(ft-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 47.8802591863517 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(slug/(ft-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:DynamicViscosity, + quantitykind:Viscosity ; + qudt:iec61360Code "0112/2///62720#UAA980" ; + qudt:symbol "slug/(ft⋅s)" ; + qudt:uneceCommonCode "L64" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-SEC a qudt:Unit ; + rdfs:label "Slug per Second"@en ; + dcterms:description "\"Slug per Second\" is an Imperial unit for 'Mass Per Time' expressed as \\(slug/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 14.593903 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:iec61360Code "0112/2///62720#UAA984" ; + qudt:symbol "slug/s" ; + qudt:uneceCommonCode "L68" ; + rdfs:isDefinedBy . + +unit:SV a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "زيفرت"@ar, + "сиверт"@bg, + "sievert"@cs, + "Sievert"@de, + "σίβερτ"@el, + "sievert"@en, + "sievert"@es, + "سیورت"@fa, + "sievert"@fr, + "זיוורט"@he, + "सैवर्ट"@hi, + "sievert"@hu, + "sievert"@it, + "シーベルト"@ja, + "sievertum"@la, + "sievert"@ms, + "siwert"@pl, + "sievert"@pt, + "sievert"@ro, + "зиверт"@ru, + "sievert"@sl, + "sievert"@tr, + "西弗"@zh ; + dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:DoseEquivalent ; + qudt:iec61360Code "0112/2///62720#UAA284" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "Sv" ; + qudt:ucumCode "Sv"^^qudt:UCUMcs ; + qudt:udunitsCode "Sv" ; + qudt:uneceCommonCode "D13" ; + rdfs:isDefinedBy . + +unit:S_Stat a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Statsiemens"@en ; + dcterms:description "The unit of conductance, admittance, and susceptance in the centimeter-gram-second electrostatic system of units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-ESU ; + qudt:conversionMultiplier 1.11265e-12 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:exactMatch unit:MHO_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:ElectricConductivity ; + qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/statsiemens.html"^^xsd:anyURI, + "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI, + "http://www3.wolframalpha.com/input/?i=statsiemens"^^xsd:anyURI ; + qudt:symbol "statS" ; + rdfs:isDefinedBy ; + skos:altLabel "statmho" . + +unit:TONNE-PER-DAY a qudt:Unit ; + rdfs:label "Tonne Per Day"@en ; + dcterms:description "metric unit tonne divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.011574074074074 ; + qudt:exactMatch unit:TON_Metric-PER-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA991" ; + qudt:plainTextDescription "metric unit tonne divided by the unit for time day" ; + qudt:symbol "t/day" ; + qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L71" ; + rdfs:isDefinedBy . + +unit:TONNE-PER-HR a qudt:Unit ; + rdfs:label "Tonne Per Hour"@en ; + dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:exactMatch unit:TON_Metric-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB994" ; + qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; + qudt:symbol "t/hr" ; + qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E18" ; + rdfs:isDefinedBy . + +unit:TONNE-PER-MIN a qudt:Unit ; + rdfs:label "Tonne Per Minute"@en ; + dcterms:description "unit tonne divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 16.666666666666668 ; + qudt:exactMatch unit:TON_Metric-PER-MIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB000" ; + qudt:plainTextDescription "unit tonne divided by the unit for time minute" ; + qudt:symbol "t/min" ; + qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L78" ; + rdfs:isDefinedBy . + +unit:TONNE-PER-SEC a qudt:Unit ; + rdfs:label "Tonne Per Second"@en ; + dcterms:description "unit tonne divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB003" ; + qudt:plainTextDescription "unit tonne divided by the SI base unit second" ; + qudt:symbol "t/s" ; + qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L81" ; + rdfs:isDefinedBy . + +unit:TON_FG-HR a qudt:Unit ; + rdfs:label "Ton of Refrigeration Hour"@en ; + dcterms:description "12000 btu"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 12660670.2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; + qudt:symbol "TOR⋅hr" ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-DAY a qudt:Unit ; + rdfs:label "Tonne Per Day"@en ; + dcterms:description "metric unit ton divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.011574074074074 ; + qudt:exactMatch unit:TONNE-PER-DAY ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA991" ; + qudt:plainTextDescription "metric unit ton divided by the unit for time day" ; + qudt:symbol "t/day" ; + qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L71" ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-HR a qudt:Unit ; + rdfs:label "Tonne Per Hour"@en ; + dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.277777777777778 ; + qudt:exactMatch unit:TONNE-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB994" ; + qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; + qudt:symbol "t/hr" ; + qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E18" ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-MIN a qudt:Unit ; + rdfs:label "Tonne Per Minute"@en ; + dcterms:description "unit ton divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 16.666666666666668 ; + qudt:exactMatch unit:TONNE-PER-MIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB000" ; + qudt:plainTextDescription "unit ton divided by the unit for time minute" ; + qudt:symbol "t/min" ; + qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L78" ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-SEC a qudt:Unit ; + rdfs:label "Tonne Per Second (metric Ton)"@en ; + dcterms:description "unit ton divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TONNE-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAB003" ; + qudt:plainTextDescription "unit ton divided by the SI base unit second" ; + qudt:symbol "t/s" ; + qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L81" ; + rdfs:isDefinedBy . + +unit:TON_US-PER-HR a qudt:Unit ; + rdfs:label "Ton (US) Per Hour"@en ; + dcterms:description "unit ton divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.251944444444444 ; + qudt:exactMatch unit:TON_SHORT-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate ; + qudt:iec61360Code "0112/2///62720#UAA994", + "0112/2///62720#UAB019" ; + qudt:plainTextDescription "unit ton divided by the unit for time hour" ; + qudt:symbol "ton{US}/hr" ; + qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4W", + "E18" ; + rdfs:isDefinedBy . + +unit:TebiBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "TebiByte"@en ; + dcterms:description "The tebibyte is a multiple of the unit byte for digital information. The prefix tebi means 1024^4"^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 6.096987e+12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tebibyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; + qudt:prefix prefix1:Tebi ; + qudt:symbol "TiB" ; + qudt:uneceCommonCode "E61" ; + rdfs:isDefinedBy . + +unit:TeraBYTE a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "TeraByte"@en ; + dcterms:description "The terabyte is a multiple of the unit byte for digital information. The prefix tera means 10^12 in the International System of Units (SI), and therefore 1 terabyte is 1000000000000bytes, or 1 trillion bytes, or 1000 gigabytes. 1 terabyte in binary prefixes is 0.9095 tebibytes, or 931.32 gibibytes. The unit symbol for the terabyte is TB or TByte, but not Tb (lower case b) which refers to terabit."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 5.545177e+12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Terabyte"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:InformationEntropy ; + qudt:iec61360Code "0112/2///62720#UAB186" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Terabyte?oldid=494671550"^^xsd:anyURI ; + qudt:prefix prefix1:Tera ; + qudt:symbol "TB" ; + qudt:ucumCode "TBy"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E35" ; + rdfs:isDefinedBy . + +unit:UNKNOWN a qudt:Unit ; + rdfs:label "Unknown"@en ; + dcterms:description "Placeholder unit for abstract quantities" ; + qudt:hasDimensionVector qkdv:NotApplicable ; + qudt:hasQuantityKind quantitykind:Unknown ; + rdfs:isDefinedBy . + +unit:UnitPole a qudt:Unit ; + rdfs:label "Unit Pole"@en ; + dcterms:description "A magnetic pole is a unit pole if it exerts a force of one dyne on another pole of equal strength at a distance of 1 cm. The strength of any given pole in cgs units is therefore numerically equal to the force in dynes which it exerts on a unit pole 1 cm away."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.256637e-07 ; + qudt:expression "\\(U/nWb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAB214" ; + qudt:omUnit ; + qudt:symbol "pole" ; + qudt:uneceCommonCode "P53" ; + rdfs:isDefinedBy . + +unit:V-PER-K a qudt:Unit ; + rdfs:label "Volt per Kelvin"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(v/k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:SeebeckCoefficient, + quantitykind:ThomsonCoefficient ; + qudt:iec61360Code "0112/2///62720#UAB173" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "V/K" ; + qudt:ucumCode "V.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D48" ; + rdfs:isDefinedBy . + +unit:V-PER-M2 a qudt:Unit ; + rdfs:label "Volt per Square Metre"@en, + "Volt per Square Meter"@en-us ; + dcterms:description "The divergence at a particular point in a vector field is (roughly) how much the vector field 'spreads out' from that point. Operationally, we take the partial derivative of each of the field with respect to each of its space variables and add all the derivatives together to get the divergence. Electric field (V/m) differentiated with respect to distance (m) yields \\(V/(m^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V m^{-2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; + qudt:informativeReference "http://www.funtrivia.com/en/subtopics/Physical-Quantities-310909.html"^^xsd:anyURI ; + qudt:symbol "V/m²" ; + qudt:ucumCode "V.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V_Ab-SEC a qudt:Unit ; + rdfs:label "Abvolt Second"@en ; + dcterms:description "The magnetic flux whose expenditure in 1 second produces 1 abvolt per turn of a linked circuit. Technically defined in a three-dimensional system, it corresponds in the four-dimensional electromagnetic sector of the SI system to 10 nWb, and is an impractically small unit. In use for some years, the name was agreed by the International Electrotechnical Committee in 1930, along with a corresponding practical unit, the pramaxwell (or pro-maxwell) = \\(10^{8}\\) maxwell."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e-08 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abv-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-820"^^xsd:anyURI ; + qudt:symbol "abv⋅s" ; + qudt:ucumCode "10.nV.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-M2 a qudt:Unit ; + rdfs:label "W-M2"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerArea ; + qudt:symbol "W⋅m²" ; + qudt:ucumCode "W.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q21" ; + rdfs:isDefinedBy . + +unit:W-M2-PER-SR a qudt:Unit ; + rdfs:label "W-M2-PER-SR"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; + qudt:symbol "W⋅m²/sr" ; + qudt:ucumCode "W.m2.sr-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-KiloGM a qudt:Unit ; + rdfs:label "Watt Per Kilogram"@en ; + dcterms:description "SI derived unit watt divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate, + quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAA316" ; + qudt:plainTextDescription "SI derived unit watt divided by the SI base unit kilogram" ; + qudt:symbol "W/kg" ; + qudt:ucumCode "W.kg-1"^^qudt:UCUMcs, + "W/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WA" ; + rdfs:isDefinedBy . + +unit:W-PER-M2-K4 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Square Metre Quartic Kelvin"@en, + "Watt per Square Meter Quartic Kelvin"@en-us ; + dcterms:description "Watt Per Square Meter Per Quartic Kelvin (\\(W/m2\\cdotK4)\\) is a unit in the category of light."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(W/(m^2.K^4)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; + qudt:symbol "W/(m²⋅K⁴)" ; + qudt:ucumCode "W.m-2.K-4"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D56" ; + rdfs:isDefinedBy . + +unit:WB-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Weber Metre"@en, + "Weber Meter"@en-us ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:N-M2-PER-A ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:iec61360Code "0112/2///62720#UAB333" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:symbol "Wb⋅m" ; + qudt:ucumCode "Wb.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P50" ; + rdfs:isDefinedBy . + +s223:Aspect-DayOfWeek a s223:Aspect-DayOfWeek, + s223:Class, + sh:NodeShape ; + rdfs:label "Day of Week" ; + rdfs:comment "This class has enumerated subclasses of Monday, Tuesday, Wednesday, Thursday, Friday, Saturday and Sunday. The Weekend and Weekday EnumerationKinds define subsets of this EnumerationKind for Mon-Fri and Sat,Sun, respectively" ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Coil a s223:Class, + sh:NodeShape ; + rdfs:label "Coil" ; + rdfs:comment "A cooling or heating element made of pipe or tube that may or may not be finned and formed into helical or serpentine shape." ; + rdfs:subClassOf s223:HeatExchanger ; + sh:property [ rdfs:comment "A Coil shall have at least one inlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A Coil shall have at least one outlet using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ] . + +s223:DCNegativeVoltage-12.0V a s223:Class, + s223:DCNegativeVoltage-12.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-12.0V" ; + s223:hasVoltage s223:Voltage-12V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-12.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-24.0V a s223:Class, + s223:DCNegativeVoltage-24.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-24.0V" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-24.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCNegativeVoltage-6.0V a s223:Class, + s223:DCNegativeVoltage-6.0V, + sh:NodeShape ; + rdfs:label "DCNegativeVoltage-6.0V" ; + s223:hasVoltage s223:Voltage-6V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCNegativeVoltage-6.0V" ; + rdfs:subClassOf s223:DCVoltage-DCNegativeVoltage . + +s223:DCPositiveVoltage-12.0V a s223:Class, + s223:DCPositiveVoltage-12.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-12.0V" ; + s223:hasVoltage s223:Voltage-12V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-12.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-24.0V a s223:Class, + s223:DCPositiveVoltage-24.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-24.0V" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-24.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DCPositiveVoltage-6.0V a s223:Class, + s223:DCPositiveVoltage-6.0V, + sh:NodeShape ; + rdfs:label "DCPositiveVoltage-6.0V" ; + s223:hasVoltage s223:Voltage-6V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCPositiveVoltage-6.0V" ; + rdfs:subClassOf s223:DCVoltage-DCPositiveVoltage . + +s223:DayOfWeek-Weekend a s223:Class, + s223:DayOfWeek-Weekend, + sh:NodeShape ; + rdfs:label "Day of week-Weekend", + "Weekend" ; + rdfs:comment "This class defines the EnumerationKind values of Saturday and Sunday" ; + rdfs:subClassOf s223:Aspect-DayOfWeek . + +s223:EnumeratedObservableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Enumerated observable property" ; + rdfs:comment "An EnumeratedObservableProperty is a property with an enumerated (fixed) set of possible values that cannot be changed (can only be observed)." ; + rdfs:subClassOf s223:EnumerableProperty, + s223:ObservableProperty . + +s223:FunctionBlock a s223:Class, + sh:NodeShape ; + rdfs:label "Function block" ; + rdfs:comment "A FunctionBlock is used to model transfer and/or transformation of information (i.e. Property). It has relations to input Properties and output Properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; + rdfs:subClassOf s223:Concept ; + sh:or ( [ sh:property [ rdfs:comment "A Function block must be associated with at least one Property using the relation hasInput." ; + sh:class s223:Property ; + sh:minCount 1 ; + sh:path s223:hasInput ] ] [ sh:property [ rdfs:comment "A Function block must be associated with at least one Property using the relation hasOutput." ; + sh:class s223:Property ; + sh:minCount 1 ; + sh:path s223:hasOutput ] ] ) . + +s223:LightSensor a s223:Class, + sh:NodeShape ; + rdfs:label "Light sensor" ; + rdfs:comment "A LightSensor is a specialization of a Sensor that observes a QuantifiableObservableProperty that represents a luminance measurement." ; + rdfs:subClassOf s223:Sensor . + +s223:LineNeutralVoltage-24V a s223:Class, + s223:LineNeutralVoltage-24V, + sh:NodeShape ; + rdfs:label "24V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-24V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "24V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:Medium-Oil a s223:Class, + s223:Medium-Oil, + sh:NodeShape ; + rdfs:label "Medium-Oil" ; + rdfs:comment "This class has enumerated subclasses of oil." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:ObservableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Observable Property" ; + rdfs:comment "This class describes non-numeric properties of which real-time value cannot be modified by a user or a machine outside of the model. Sensor readings are typically observable properties as their values naturally fluctuate, but are not meant to be modified by a user." ; + rdfs:subClassOf s223:Property . + +s223:OccupancySensor a s223:Class, + sh:NodeShape ; + rdfs:label "Occupancy sensor" ; + rdfs:comment "An OccupancySensor is a subclass of a Sensor that observes a Property that represents measurement of occupancy in a space." ; + rdfs:subClassOf s223:Sensor . + +s223:PhysicalSpace a s223:Class, + sh:NodeShape ; + rdfs:label "Physical Space" ; + rdfs:comment "A PhysicalSpace is an architectural concept representing a room, a collection of rooms such as a floor, a part of a room, or any physical space that might not even be thought of as a room, such as a patio space or a roof." ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "If the relation contains is present it must associate the PhysicalSpace with a PhysicalSpace." ; + sh:class s223:PhysicalSpace ; + sh:path s223:contains ], + [ rdfs:comment "If the relation encloses is present it must associate the PhysicalSpace with a DomainSpace." ; + sh:class s223:DomainSpace ; + sh:path s223:encloses ] . + +s223:Role-Controller a s223:Class, + s223:Role-Controller, + sh:NodeShape ; + rdfs:label "Role-Controller" ; + rdfs:comment "Role-Controller" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Signal-Modulated a s223:Class, + s223:Signal-Modulated, + sh:NodeShape ; + rdfs:label "Signal-Modulated" ; + rdfs:comment "This class has enumerated subclasses of electric signals at various voltage ranges." ; + rdfs:subClassOf s223:Electricity-Signal . + +s223:Voltage-208V a s223:Class, + s223:Voltage-208V, + sh:NodeShape ; + rdfs:label "208V Voltage" ; + s223:hasValue 208.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "208V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-240V a s223:Class, + s223:Voltage-240V, + sh:NodeShape ; + rdfs:label "240V Voltage" ; + s223:hasValue 240.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "240V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-2V a s223:Class, + s223:Voltage-2V, + sh:NodeShape ; + rdfs:label "2V Voltage" ; + s223:hasValue 2.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "2V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-3V a s223:Class, + s223:Voltage-3V, + sh:NodeShape ; + rdfs:label "3V Voltage" ; + s223:hasValue 3.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Water-GlycolSolution a s223:Class, + s223:Water-GlycolSolution, + sh:NodeShape ; + rdfs:label "Water-GlycolSolution" ; + s223:hasConstituent [ a s223:QuantifiableProperty ; + rdfs:label "Unspecified" ; + s223:ofSubstance s223:Medium-Glycol ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ], + [ a s223:QuantifiableProperty ; + rdfs:label "Unspecified" ; + s223:ofSubstance s223:Medium-Water ; + qudt:hasQuantityKind quantitykind:VolumeFraction ; + qudt:hasUnit unit:PERCENT ] ; + rdfs:comment "This class has enumerated subclasses of water-glycol solutions in various concentrations." ; + rdfs:subClassOf s223:Medium-Water ; + sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Glycol." ; + sh:path s223:hasConstituent ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:QuantifiableProperty ; + sh:node [ sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Glycol." ; + sh:hasValue s223:Medium-Glycol ; + sh:path s223:ofSubstance ], + [ rdfs:comment "The quantity kind of the constituent must be VolumeFraction." ; + sh:hasValue quantitykind:VolumeFraction ; + sh:path qudt:hasQuantityKind ] ] ] ], + [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Water." ; + sh:path s223:hasConstituent ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:QuantifiableProperty ; + sh:node [ sh:property [ rdfs:comment "One of the constituents of a Water-GlycolSolution must be Medium-Water." ; + sh:hasValue s223:Medium-Water ; + sh:path s223:ofSubstance ], + [ rdfs:comment "The quantity kind of the constituent must be VolumeFraction." ; + sh:hasValue quantitykind:VolumeFraction ; + sh:path qudt:hasQuantityKind ] ] ] ], + [ rdfs:comment "There must be at least two QuantifiableProperties that characterize the constituents of a Water-GlycolSolution." ; + sh:class s223:QuantifiableProperty ; + sh:minCount 2 ; + sh:path s223:hasConstituent ] . + +s223:connected a s223:SymmetricProperty, + rdf:Property ; + rdfs:label "connected" ; + rdfs:comment "The relation connected indicates that two connectable things are connected without regard to any directionality of a process flow. " . + +s223:executes a rdf:Property ; + rdfs:label "executes" ; + rdfs:comment "The relation executes is used to specify that a Controller (see `s223:Controller`) is responsible for the execution of a FunctionBlock (see `s223:FunctionBlock`). " . + +s223:hasDomainSpace a rdf:Property ; + rdfs:label "has domain space" ; + rdfs:comment "The relation hasDomainSpace is used to associate a Zone with the DomainSpace(s) that make up that Zone." . + +s223:hasEnumerationKind a rdf:Property ; + rdfs:label "has enumeration kind" ; + rdfs:comment "The relation hasEnumerationKind associates an EnumerableProperty with a class of enumeration values. This is used to, for example, identify what kind of substance is transported along a Connection or which day of the week a setpoint is active." . + +s223:hasObservationLocationLow a rdf:Property ; + rdfs:label "has observation location low" ; + rdfs:comment "The relation hasObservationLocationLow associates a differential sensor to one of the topological locations where a differential property is observed (see `s223:observes`)." ; + rdfs:subPropertyOf s223:hasObservationLocation . + +s223:hasProperty a rdf:Property ; + rdfs:label "has Property" ; + rdfs:comment "The relation hasProperty associates any 223 Concept with a Property." . + +s223:hasZone a rdf:Property ; + rdfs:label "has zone" ; + rdfs:comment "The relation hasZone is used to associate a ZoneGroup with the Zones that make up that ZoneGroup." . + +s223:isConnectionPointOf a rdf:Property ; + rdfs:label "is connection point of" ; + s223:inverseOf s223:hasConnectionPoint ; + rdfs:comment "The relation isConnectionPointOf is part of a pair of relations that bind a ConnectionPoint to a Connectable thing. It is the inverse of the relation hasConnectionPoint (see `s223:hasConnectionPoint`)." . + +qudt:abbreviation a rdf:Property ; + rdfs:label "abbreviation" ; + dcterms:description "An abbreviation for a unit is a short ASCII string that is used in place of the full name for the unit in contexts where non-ASCII characters would be problematic, or where using the abbreviation will enhance readability. When a power of abase unit needs to be expressed, such as squares this can be done using abbreviations rather than symbols. For example, sq ft means square foot, and cu ft means cubic foot."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:applicableSystem a rdf:Property ; + rdfs:label "applicable system" ; + dcterms:description "This property relates a unit of measure with a unit system that may or may not define the unit, but within which the unit is compatible."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:derivedUnitOfSystem a rdf:Property ; + rdfs:label "is derived unit of system" ; + dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a derived unit. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:isUnitOfSystem . + +qudt:hasCoherentUnit a rdf:Property ; + rdfs:label "coherent unit" ; + dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasDefinedUnit . + +qudt:hasDerivedUnit a rdf:Property ; + rdfs:label "derived unit" ; + dcterms:description "This property relates a system of units to a unit of measure that is defined within the system in terms of the base units for the system. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:hasDimensionVector a rdf:Property ; + rdfs:label "has dimension vector" ; + rdfs:isDefinedBy . + +qudt:informativeReference a rdf:Property ; + rdfs:label "informative reference" ; + dcterms:description "Provides a way to reference a source that provided useful but non-normative information."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:literal a rdf:Property ; + rdfs:label "literal" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf dtype:literal . + +qudt:mathMLdefinition a rdf:Property ; + rdfs:label "mathML definition" ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:mathDefinition . + +qudt:normativeReference a rdf:Property ; + rdfs:label "normative reference" ; + dcterms:description "Provides a way to reference information that is an authorative source providing a standard definition"^^rdf:HTML ; + rdfs:isDefinedBy . + +qkdv:A-1E0L0I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L0I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:latexDefinition "\\(N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A-1E1L0I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E1L0I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:latexDefinition "\\(T I N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-1L2I0M1H-1T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L2I0M1H-1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E-1L3I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L3I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; + rdfs:isDefinedBy . + +qkdv:A0E-1L3I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L3I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricFlux ; + qudt:latexDefinition "\\(L^3 M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-0pt5I0M1H0T-2D0 a qudt:QuantityKindDimensionVector, + qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-0pt5I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -0.5 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:StressIntensityFactor ; + qudt:latexDefinition "\\(L^-0.5 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H1T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M-1H1T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M-1H1T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalResistance ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H-1T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H-1T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseTimeTemperature ; + qudt:latexDefinition "\\(T^-1 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TimeSquared ; + qudt:latexDefinition "\\(T^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime_Squared ; + qudt:latexDefinition "\\(T^-2 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTemperature ; + qudt:latexDefinition "\\(L^2 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H1T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H1T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTimeTemperature ; + qudt:latexDefinition "\\(L^2 T Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:StandardGravitationalParameter ; + qudt:latexDefinition "\\(L^3 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-1I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-1I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargeLineDensity ; + qudt:latexDefinition "\\(L^-1 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-2I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-2I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseMagneticFlux ; + qudt:latexDefinition "\\(L^-2 M^-1 T^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L1I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L1I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricDipoleMoment ; + qudt:latexDefinition "\\(L T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L0I0M-1H0T4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L0I0M-1H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L2I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L2I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; + qudt:latexDefinition "\\(L^2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E3L-3I0M-2H0T7D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E3L-3I0M-2H0T7D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 3 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 7 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E4L-2I0M-3H0T10D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E4L-2I0M-3H0T10D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 4 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -3 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 10 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; + qudt:latexDefinition "\\(L^-2 M^-3 T^10 I^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L-2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L-2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +quantitykind:AngularCrossSection a qudt:QuantityKind ; + rdfs:label "Angular Cross-section"@en ; + dcterms:description "\"Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone, divided by the solid angle \\(d\\Omega\\) of that cone."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-SR ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\sigma_\\Omega d\\Omega\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_\\Omega\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:SpectralCrossSection . + +quantitykind:AngularFrequency a qudt:QuantityKind ; + rdfs:label "تردد زاوى"@ar, + "نابض"@ar, + "Kreisfrequenz"@de, + "Pulsatanzpulsation"@de, + "angular frequency"@en, + "pulsatance"@en, + "pulsación"@es, + "Pulsación"@fr, + "frequenza angolare"@it, + "pulsazione"@it, + "角周波数"@ja, + "角振動数"@ja, + "pulsacja"@pl, + "frequência angular"@pt, + "pulsação"@pt, + "角速度"@zh, + "角频率"@zh ; + dcterms:description "\"Angular frequency\", symbol \\(\\omega\\) (also referred to by the terms angular speed, radial frequency, circular frequency, orbital frequency, radian frequency, and pulsatance) is a scalar measure of rotation rate. Angular frequency (or angular speed) is the magnitude of the vector quantity angular velocity."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_frequency"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\omega = 2\\pi f\\), where \\(f\\) is frequency."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AngularVelocity . + +quantitykind:AreaRatio a qudt:QuantityKind ; + rdfs:label "Area Ratio"@en ; + qudt:applicableUnit unit:M2-PER-HA, + unit:M2-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:AreaTemperature a qudt:QuantityKind ; + rdfs:label "Area Temperature"@en ; + qudt:applicableUnit unit:FT2-DEG_F, + unit:M2-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:AreaTimeTemperature a qudt:QuantityKind ; + rdfs:label "Area Time Temperature"@en ; + qudt:applicableUnit unit:FT2-HR-DEG_F, + unit:FT2-SEC-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; + rdfs:isDefinedBy . + +quantitykind:CanonicalPartitionFunction a qudt:QuantityKind ; + rdfs:label "Canonical Partition Function"@en ; + dcterms:description "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(Z = \\sum_r e^{-\\frac{E_r}{kT}}\\), where the sum is over all quantum states consistent with given energy, volume, external fields, and content, \\(E_r\\) is the energy in the \\(rth\\) quantum state, \\(k\\) is the Boltzmann constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:plainTextDescription "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles." ; + qudt:symbol "Z" ; + rdfs:isDefinedBy . + +quantitykind:CatalyticActivity a qudt:QuantityKind ; + rdfs:label "Catalytic Activity"@en ; + dcterms:description "An index of the actual or potential activity of a catalyst. The catalytic activity of an enzyme or an enzyme-containing preparation is defined as the property measured by the increase in the rate of conversion of a specified chemical reaction that the enzyme produces in a specified assay system. Catalytic activity is an extensive quantity and is a property of the enzyme, not of the reaction mixture; it is thus conceptually different from rate of conversion although measured by and equidimensional with it. The unit for catalytic activity is the \\(katal\\); it may also be expressed in mol \\(s^{-1}\\). Dimensions: \\(N T^{-1}\\). Former terms such as catalytic ability, catalytic amount, and enzymic activity are no er recommended. Derived quantities are molar catalytic activity, specific catalytic activity, and catalytic activity concentration. Source(s): www.answers.com"^^qudt:LatexString ; + qudt:applicableUnit unit:KAT, + unit:KiloMOL-PER-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Catalysis"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:CrossSection a qudt:QuantityKind ; + rdfs:label "Cross-section"@en ; + dcterms:description "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence." ; + qudt:symbol "σ" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Area . + +quantitykind:Curvature a qudt:QuantityKind ; + rdfs:label "Curvature"@en ; + dcterms:description "The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. The magnitude of curvature at points on physical curves can be measured in \\(diopters\\) (also spelled \\(dioptre\\)) — this is the convention in optics."^^qudt:LatexString ; + qudt:applicableUnit unit:DIOPTER ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Curvature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; + qudt:plainTextDescription """The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. +That is, given a point P on a smooth curve C, the curvature of C at P is defined to be 1/R where R is the radius of the osculating circle of C at P. The magnitude of curvature at points on physical curves can be measured in diopters (also spelled dioptre) — this is the convention in optics. [Wikipedia],""" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseLength . + +quantitykind:Duv a qudt:QuantityKind ; + rdfs:label "Delta u,v"@en ; + dcterms:description "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://www.waveformlighting.com/tech/calculate-duv-from-cie-1931-xy-coordinates"^^xsd:anyURI, + "https://www1.eere.energy.gov/buildings/publications/pdfs/ssl/led-color-characteristics-factsheet.pdf"^^xsd:anyURI ; + qudt:plainTextDescription "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:CorrelatedColorTemperature . + +quantitykind:ElectricChargeSurfaceDensity a qudt:QuantityKind ; + rdfs:label "Electric Charge Surface Density"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M2 ; + qudt:expression "\\(surface-charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac{dQ}{dA}\\), where \\(Q\\) is electric charge and \\(A\\) is Area."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricChargeDensity . + +quantitykind:ElectricCurrentPerUnitEnergy a qudt:QuantityKind ; + rdfs:label "Electric Current per Unit Energy"@en ; + qudt:applicableUnit unit:A-PER-J ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricCurrentPhasor a qudt:QuantityKind ; + rdfs:label "Electric Current Phasor"@en ; + dcterms:description "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; + qudt:applicableUnit unit:A ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phasor_(electronics)"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "When \\(i = \\hat{I} \\cos{(\\omega t + \\alpha)}\\), where \\(i\\) is the electric current, \\(\\omega\\) is angular frequence, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{I} = Ie^{ja}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{I}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; + rdfs:isDefinedBy . + +quantitykind:ElectricFlux a qudt:QuantityKind ; + rdfs:label "Electric Flux"@en ; + dcterms:description "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:V-M, + unit:V_Stat-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:expression "\\(electirc-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Psi = \\int_S D \\cdot e_n dA\\), over a surface \\(S\\), where \\(D\\) is electric flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricFluxDensity . + +quantitykind:ElectricPolarization a qudt:QuantityKind ; + rdfs:label "إستقطاب كهربائي"@ar, + "elektrische Polarisation"@de, + "electric polarization"@en, + "polarización eléctrica"@es, + "polarisation électrique"@fr, + "polarizzazione elettrica"@it, + "電気分極"@ja, + "polaryzacja elektryczna"@pl, + "polarização eléctrica"@pt, + "электрическая поляризация"@ru ; + dcterms:description "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M2, + unit:KiloC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.britannica.com/EBchecked/topic/182690/electric-polarization"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(P =\\frac{dp}{dV}\\), where \\(p\\) is electic charge density and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V." ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricChargeDensity, + quantitykind:ElectricDipoleMoment . + +quantitykind:ElectricQuadrupoleMoment a qudt:QuantityKind ; + rdfs:label "elektrisches Quadrupolmoment"@de, + "electric quadrupole moment"@en, + "momento de cuadrupolo eléctrico"@es, + "گشتاور چهار قطبی الکتریکی"@fa, + "moment quadrupolaire électrique"@fr, + "momento di quadrupolo elettrico"@it, + "四極子"@ja, + "Momen kuadrupol elektrik"@ms, + "elektryczny moment kwadrupolowy"@pl, + "momento de quadrupolo elétrico"@pt, + "Электрический квадрупольный момент"@ru, + "elektrik kuadrupol momenti"@tr, + "电四极矩"@zh ; + dcterms:description "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued."^^rdf:HTML ; + qudt:applicableUnit unit:C-M2 ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; + qudt:plainTextDescription "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued." ; + qudt:symbol "Q" ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerAreaElectricCharge a qudt:QuantityKind ; + rdfs:label "Energy Per Area Electric Charge"@en ; + dcterms:description "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; + qudt:plainTextDescription "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area." ; + rdfs:isDefinedBy . + +quantitykind:Entropy a qudt:QuantityKind ; + rdfs:label "إنتروبيا"@ar, + "entropie"@cs, + "Entropie"@de, + "entropy"@en, + "entropía"@es, + "آنتروپی"@fa, + "entropie"@fr, + "एन्ट्रॉपी"@hi, + "entropia"@it, + "エントロピー"@ja, + "Entropi"@ms, + "entropia"@pl, + "entropia"@pt, + "entropie"@ro, + "Энтропия"@ru, + "entropija"@sl, + "entropi"@tr, + "熵"@zh ; + dcterms:description "When a small amount of heat \\(dQ\\) is received by a system whose thermodynamic temperature is \\(T\\), the entropy of the system increases by \\(dQ/T\\), provided that no irreversible change takes place in the system."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "S" ; + rdfs:isDefinedBy . + +quantitykind:EquilibriumConstant a qudt:QuantityKind ; + rdfs:label "Equilibrium Constant"@en ; + dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(K^\\Theta = \\Pi_B(\\lambda_B^\\Theta)^{-\\nu_B}\\), where \\(\\Pi_B\\) denotes the product for all substances \\(B\\), \\(\\lambda_B^\\Theta\\) is the standard absolute activity of substance \\(B\\), and \\(\\nu_B\\) is the stoichiometric number of the substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(K^\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:EquilibriumConstantOnConcentrationBasis, + quantitykind:EquilibriumConstantOnPressureBasis . + +quantitykind:Flux a qudt:QuantityKind ; + rdfs:label "Flux"@en ; + dcterms:description "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-M2-DAY, + unit:PER-M2-SEC, + unit:PER-SEC-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Flux"^^xsd:anyURI ; + qudt:plainTextDescription "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]" ; + rdfs:isDefinedBy . + +quantitykind:GibbsEnergy a qudt:QuantityKind ; + rdfs:label "طاقة غيبس الحرة"@ar, + "Gibbsova volná energie"@cs, + "Gibbs-Energie"@de, + "Gibbs-Funktion"@de, + "freie Enthalpie"@de, + "Gibbs energy"@en, + "Gibbs function"@en, + "Energía de Gibbs"@es, + "انرژی آزاد گیبس"@fa, + "enthalpie libre"@fr, + "energia libera di Gibbs"@it, + "ギブズエネルギー"@ja, + "Tenaga Gibbs"@ms, + "fungsi Gibbs"@ms, + "entalpia swobodna"@pl, + "energia livre de Gibbs"@pt, + "Entalpie liberă"@ro, + "энергия Гиббса"@ru, + "Prosta entalpija"@sl, + "Gibbs Serbest Enerjisi"@tr, + "吉布斯自由能"@zh ; + dcterms:description "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = H - T \\cdot S\\), where \\(H\\) is enthalpy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:plainTextDescription "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used." ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Energy, + quantitykind:Enthalpy, + quantitykind:HelmholtzEnergy, + quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy . + +quantitykind:HelmholtzEnergy a qudt:QuantityKind ; + rdfs:label "طاقة هلمهولتز الحرة"@ar, + "Helmholtzova volná energie"@cs, + "Helmholtz-Energie"@de, + "Helmholtz-Funktion"@de, + "freie Energie"@de, + "Helmholtz energy"@en, + "Helmholtz function"@en, + "Energía de Helmholtz"@es, + "انرژی آزاد هلمولتز"@fa, + "énergie libre"@fr, + "energia libera di Helmholz"@it, + "ヘルムホルツの自由エネルギー"@ja, + "Tenaga Helmholtz"@ms, + "fungsi Helmholtz"@ms, + "energia swobodna"@pl, + "energia livre de Helmholtz"@pt, + "свободная энергия Гельмгольца"@ru, + "Prosta energija"@sl, + " Helmholtz fonksiyonu"@tr, + "Helmholtz enerjisi"@tr, + "亥姆霍兹自由能"@zh ; + dcterms:description "\\(\\textit{Helmholtz Energy}\\) is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\(\\textit{Internal Energy}\\) is the internal energy of the system, \\(\\textit{Enthalpy}\\) is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\(\\textit{Helmholz Free Energy}\\) is also used."^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = U - T \\cdot S\\), where \\(U\\) is internal energy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Energy, + quantitykind:Enthalpy, + quantitykind:GibbsEnergy, + quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy . + +quantitykind:InstantaneousPower a qudt:QuantityKind ; + rdfs:label "Instantaneous Power"@en ; + dcterms:description "\"Instantaneous Power}, for a two-terminal element or a two-terminal circuit with terminals A and B, is the product of the voltage \\(u_{AB}\\) between the terminals and the electric current i in the element or circuit: \\(p = \\)u_{AB} \\cdot i\\(, where \\)u_{AB\" is the line integral of the electric field strength from A to B, and where the electric current in the element or circuit is taken positive if its direction is from A to B and negative in the opposite case. For an n-terminal circuit, it is the sum of the instantaneous powers relative to the n - 1 pairs of terminals when one of the terminals is chosen as a common terminal for the pairs. For a polyphase element, it is the sum of the instantaneous powers in all phase elements of a polyphase element. For a polyphase line consisting of m line conductors and one neutral conductor, it is the sum of the m instantaneous powers expressed for each line conductor by the product of the polyphase line-to-neutral voltage and the corresponding line current."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-30"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-31"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-02-14"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-03-10"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:symbol "p" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricPower . + +quantitykind:InverseAmountOfSubstance a qudt:QuantityKind ; + rdfs:label "Inverse amount of substance"@en ; + qudt:applicableUnit unit:PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseLengthTemperature a qudt:QuantityKind ; + rdfs:label "Inverse Length Temperature"@en ; + qudt:applicableUnit unit:PER-M-K ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseMass_Squared a qudt:QuantityKind ; + rdfs:label "Inverse Square Mass"@en ; + qudt:applicableUnit unit:PER-KiloGM2, + unit:PER-PlanckMass2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:LengthEnergy a qudt:QuantityKind ; + rdfs:label "Length Energy"@en ; + qudt:applicableUnit unit:MegaEV-FemtoM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:LengthMolarEnergy a qudt:QuantityKind ; + rdfs:label "Length Molar Energy"@en ; + qudt:applicableUnit unit:J-M-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:LinearEnergyTransfer a qudt:QuantityKind ; + rdfs:label "Linear Energy Transfer"@en ; + dcterms:description "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M, + unit:KiloEV-PER-MicroM, + unit:MegaEV-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Linear_energy_transfer"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_energy_transfer"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "For ionizing charged particles, \\(L_\\Delta = \\frac{dE_\\Delta}{dl}\\), where \\(dE_\\Delta\\) is the mean energy lost in elctronic collisions locally to matter along a small path through the matter, minus the sum of the kinetic energies of all the electrons released with kinetic energies in excess of \\(\\Delta\\), and \\(dl\\) is the length of that path."^^qudt:LatexString ; + qudt:latexSymbol "\\(L_\\Delta\\)"^^qudt:LatexString, + "\\(L_\\bigtriangleup\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices." ; + rdfs:isDefinedBy . + +quantitykind:LuminousEnergy a qudt:QuantityKind ; + rdfs:label "Luminous Energy"@en ; + dcterms:description "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light."^^rdf:HTML ; + qudt:applicableUnit unit:LM-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q_v = \\int_{0}^{\\Delta t}{\\Phi_v}{dt}\\), where \\(\\Phi_v\\) is the luminous flux occurring during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light." ; + qudt:symbol "Q_v", + "Qv" ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:RadiantEnergy . + +quantitykind:LuminousIntensity a qudt:QuantityKind ; + rdfs:label "شدة الإضاءة"@ar, + "Интензитет на светлината"@bg, + "Svítivost"@cs, + "Lichtstärke"@de, + "Ένταση Φωτεινότητας"@el, + "luminous intensity"@en, + "intensidad luminosa"@es, + "شدت نور"@fa, + "intensité lumineuse"@fr, + "עוצמת הארה"@he, + "प्रकाशीय तीव्रता"@hi, + "fényerősség"@hu, + "intensità luminosa"@it, + "光度"@ja, + "intensitas luminosa"@la, + "Keamatan berluminositi"@ms, + "światłość"@pl, + "intensidade luminosa"@pt, + "intensitate luminoasă"@ro, + "Сила света"@ru, + "svetilnost"@sl, + "ışık şiddeti"@tr, + "发光强度"@zh ; + dcterms:description "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths."^^rdf:HTML ; + qudt:applicableUnit unit:CD, + unit:CP ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_intensity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; + qudt:plainTextDescription "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths." ; + qudt:symbol "J" ; + rdfs:isDefinedBy . + +quantitykind:MassPerEnergy a qudt:QuantityKind ; + rdfs:label "Mass per Energy"@en ; + dcterms:description "Mass per Energy (\\(m/E\\)) is a physical quantity that bridges mass and energy. The SI unit is \\(kg/J\\) or equivalently \\(s^2/m^2\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-PER-GigaJ, + unit:KiloGM-PER-J, + unit:KiloGM-PER-MegaBTU_IT ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; + qudt:plainTextDescription "Mass per Energy is a physical quantity that can be used to relate the energy of a system to its mass." ; + rdfs:isDefinedBy . + +quantitykind:MolarAngularMomentum a qudt:QuantityKind ; + rdfs:label "Molar Angular Momentum"@en ; + qudt:applicableUnit unit:J-SEC-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://cvika.grimoar.cz/callen/callen_21.pdf"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:MolarAttenuationCoefficient a qudt:QuantityKind ; + rdfs:label "Molar Attenuation Coefficient"@en ; + dcterms:description "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-MOL ; + qudt:exactMatch quantitykind:MolarAbsorptionCoefficient ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_c = -\\frac{\\mu}{c}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(c\\) is the amount-of-substance concentration."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_c\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance." ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:MassAttenuationCoefficient . + +quantitykind:MultiplicationFactor a qudt:QuantityKind ; + rdfs:label "Multiplication Factor"@en ; + dcterms:description "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_multiplication_factor"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval." ; + qudt:symbol "k" ; + rdfs:isDefinedBy . + +quantitykind:PH a qudt:QuantityKind ; + rdfs:label "PH"@en ; + dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic."^^rdf:HTML ; + qudt:applicableUnit unit:PH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; + qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic." ; + rdfs:isDefinedBy . + +quantitykind:PRODUCT-OF-INERTIA a qudt:QuantityKind ; + rdfs:label "Product of Inertia"@en ; + dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; + rdfs:isDefinedBy . + +quantitykind:Polarizability a qudt:QuantityKind ; + rdfs:label "Polarizability"@en ; + dcterms:description "\"Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which may be caused by the presence of a nearby ion or dipole. The electronic polarizability \\(\\alpha\\) is defined as the ratio of the induced dipole moment of an atom to the electric field that produces this dipole moment. Polarizability is often a scalar valued quantity, however in the general case it is tensor-valued."^^qudt:LatexString ; + qudt:applicableUnit unit:C-M2-PER-V, + unit:C2-M2-PER-J ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Polarizability"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:PowerPerAreaQuarticTemperature a qudt:QuantityKind ; + rdfs:label "Power per area quartic temperature"@en ; + qudt:applicableUnit unit:W-PER-M2-K4 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; + rdfs:isDefinedBy . + +quantitykind:ReactivePower a qudt:QuantityKind ; + rdfs:label "القدرة الكهربائية الردفعلية;الردية"@ar, + "Jalový výkon"@cs, + "Blindleistung"@de, + "reactive power"@en, + "potencia reactiva"@es, + "توان راکتیو"@fa, + "puissance réactive"@fr, + "potenza reattiva"@it, + "無効電力"@ja, + "Kuasa reaktif"@ms, + "moc bierna"@pl, + "potência reativa"@pt, + "reaktif güç"@tr, + "无功功率"@zh ; + dcterms:description "\"Reactive Power}, for a linear two-terminal element or two-terminal circuit, under sinusoidal conditions, is the quantity equal to the product of the apparent power \\(S\\) and the sine of the displacement angle \\(\\psi\\). The absolute value of the reactive power is equal to the non-active power. The ISO (and SI) unit for reactive power is the voltampere. The special name \\(\\textit{var}\\) and symbol \\(\\textit{var}\\) are given in IEC 60027 1."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A_Reactive, + unit:MegaV-A_Reactive, + unit:V-A_Reactive ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-44"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Q = lm \\underline{S}\\), where \\(\\underline{S}\\) is complex power. Alternatively expressed as: \\(Q = S \\cdot \\sin \\psi\\), where \\(\\psi\\) is the displacement angle."^^qudt:LatexString ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ComplexPower ; + skos:broader quantitykind:ComplexPower . + +quantitykind:RelativeHumidity a qudt:QuantityKind ; + rdfs:label "Relative Humidity"@en ; + dcterms:description "\\(\\textit{Relative Humidity}\\) is the ratio of the partial pressure of water vapor in an air-water mixture to the saturated vapor pressure of water at a prescribed temperature. The relative humidity of air depends not only on temperature but also on the pressure of the system of interest. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent."^^qudt:LatexString ; + qudt:applicableUnit unit:PERCENT, + unit:PERCENT_RH ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_humidity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:AbsoluteHumidity ; + skos:altLabel "RH" ; + skos:broader quantitykind:RelativePartialPressure . + +quantitykind:RelativePartialPressure a qudt:QuantityKind ; + rdfs:label "Relative Partial Pressure"@en ; + qudt:applicableUnit unit:PERCENT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Partial Pressure}\\) is also referred to as \\(\\textit{Relative Humidity}\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:altLabel "RH" ; + skos:broader quantitykind:PressureRatio . + +quantitykind:SolidAngle a qudt:QuantityKind ; + rdfs:label "الزاوية الصلبة"@ar, + "Пространствен ъгъл"@bg, + "Prostorový úhel"@cs, + "Raumwinkel"@de, + "Στερεά γωνία"@el, + "solid angle"@en, + "ángulo sólido"@es, + "زاویه فضایی"@fa, + "angle solide"@fr, + "זווית מרחבית"@he, + "आयतन"@hi, + "térszög"@hu, + "angolo solido"@it, + "立体角"@ja, + "angulus solidus"@la, + "Sudut padu"@ms, + "kąt bryłowy"@pl, + "ângulo sólido"@pt, + "unghi solid"@ro, + "Телесный угол"@ru, + "prostorski kot"@sl, + "katı cisimdeki açı"@tr, + "立体角度"@zh ; + dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi."^^rdf:HTML ; + qudt:applicableUnit unit:DEG2, + unit:FA, + unit:SR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solid_angle"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; + qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AreaRatio . + +quantitykind:SoundExposureLevel a qudt:QuantityKind ; + rdfs:label "Sound exposure level"@en ; + dcterms:description "Sound Exposure Level abbreviated as \\(SEL\\) and \\(LAE\\), is the total noise energy produced from a single noise event, expressed as a logarithmic ratio from a reference level."^^qudt:LatexString ; + qudt:applicableUnit unit:B, + unit:DeciB, + unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.diracdelta.co.uk/science/source/s/o/sound%20exposure%20level/source.html"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_E = 10 \\log_{10} \\frac{E}{E_0} dB\\), where \\(E\\) is sound power and the reference value is \\(E_0 = 400 \\mu Pa^2 s\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SoundPressureLevel a qudt:QuantityKind ; + rdfs:label "كمية جذر الطاقة"@ar, + "Hladina akustického tlaku"@cs, + "Schalldruckpegel"@de, + "sound pressure level"@en, + "nivel de presión sonora"@es, + "سطح یک کمیت توان-ریشه"@fa, + "niveau de pression acoustique"@fr, + "livello di pressione sonora"@it, + "利得"@ja, + "Tahap medan"@ms, + "Tahap tekanan bunyi"@ms, + "miary wielkości ilorazowych"@pl, + "nível de pressão acústica"@pt, + "уровень звукового давления"@ru, + "gerilim veya akım oranı"@tr, + "声压级"@zh ; + dcterms:description "Sound pressure level (\\(SPL\\)) or sound level is a logarithmic measure of the effective sound pressure of a sound relative to a reference value. It is measured in decibels (dB) above a standard reference level."^^qudt:LatexString ; + qudt:applicableUnit unit:B, + unit:DeciB, + unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_pressure#Sound_pressure_level"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_P = 10 \\log_{10} \\frac{p^2}{p_0^2} dB\\), where \\(p\\) is sound pressure and the reference value in airborne acoustics is \\(p_0 = 20 \\mu Pa\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SoundReductionIndex a qudt:QuantityKind ; + rdfs:label "Sound reduction index"@en ; + dcterms:description "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator."^^rdf:HTML ; + qudt:applicableUnit unit:B, + unit:DeciB, + unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_reduction_index"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = 10 \\log (\\frac{1}{\\tau}) dB\\), where \\(\\tau\\) is the transmission factor."^^qudt:LatexString ; + qudt:plainTextDescription "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator." ; + qudt:symbol "R" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SpecificEntropy a qudt:QuantityKind ; + rdfs:label "Specific Entropy"@en ; + dcterms:description "\"Specific Entropy\" is entropy per unit of mass."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K, + unit:J-PER-KiloGM-K, + unit:KiloJ-PER-KiloGM-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(s = S/m\\), where \\(S\\) is entropy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "\"Specific Entropy\" is entropy per unit of mass." ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Entropy . + +quantitykind:SpecificSurfaceArea a qudt:QuantityKind ; + rdfs:label "Specific Surface Area"@en ; + dcterms:description "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m2/kg or m2/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-GM, + unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Specific_surface_area"^^xsd:anyURI ; + qudt:latexDefinition "\\(SSA = \\frac{SA}{\\m}\\), where \\(SA\\) is the surface area of an object and \\(\\m\\) is the mass density of the object."^^qudt:LatexString ; + qudt:latexSymbol "\\(SSA\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m²/kg or m²/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces." ; + rdfs:isDefinedBy . + +quantitykind:SpectralCrossSection a qudt:QuantityKind ; + rdfs:label "Spectral Cross-section"@en ; + dcterms:description "\"Spectral Cross-section\" is the cross-section for a process in which the energy of the ejected or scattered particle is in an interval of energy, divided by the range \\(dE\\) of this interval."^^qudt:LatexString ; + qudt:applicableUnit unit:M2-PER-J ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\sigma = \\int \\sigma_E dE\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\sigma_E\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:AngularCrossSection . + +quantitykind:StandardGravitationalParameter a qudt:QuantityKind ; + rdfs:label "Standard Gravitational Parameter"@en ; + dcterms:description "In celestial mechanics the standard gravitational parameter of a celestial body is the product of the gravitational constant G and the mass M of the body. Expressed as \\(\\mu = G \\cdot M\\). The SI units of the standard gravitational parameter are \\(m^{3}s^{-2}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloM3-PER-SEC2, + unit:M3-PER-SEC2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravitational_parameter"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_gravitational_parameter"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:StressIntensityFactor a qudt:QuantityKind ; + rdfs:label "Stress Intensity Factor"@en ; + dcterms:description "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip."^^rdf:HTML ; + qudt:applicableUnit unit:MegaPA-M0pt5, + unit:PA-M0pt5 ; + qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Stress_intensity_factor"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\K\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip." ; + qudt:symbol "K" ; + rdfs:isDefinedBy . + +quantitykind:TemperatureAmountOfSubstance a qudt:QuantityKind ; + rdfs:label "Temperature Amount of Substance"@en ; + qudt:applicableUnit unit:MOL-DEG_C, + unit:MOL-K ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:TemperaturePerTime_Squared a qudt:QuantityKind ; + rdfs:label "Temperature per Time Squared"@en ; + qudt:applicableUnit unit:DEG_F-PER-SEC2, + unit:K-PER-SEC2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:TemperatureRatio a qudt:QuantityKind ; + rdfs:label "Temperature Ratio"@en ; + qudt:applicableUnit unit:DEG_C-PER-K, + unit:DEG_F-PER-K, + unit:K-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H1T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H1T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:ThermalEnergyLength a qudt:QuantityKind ; + rdfs:label "Thermal Energy Length"@en ; + qudt:applicableUnit unit:BTU_IT-FT, + unit:BTU_IT-IN ; + qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:ThermalExpansionCoefficient a qudt:QuantityKind ; + rdfs:label "Thermal Expansion Coefficient"@en ; + dcterms:description "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value."^^rdf:HTML ; + qudt:applicableUnit unit:PER-K, + unit:PPM-PER-K, + unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcthermalexpansioncoefficientmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ExpansionRatio . + +quantitykind:ThermalResistance a qudt:QuantityKind ; + rdfs:label "مقاومة حرارية"@ar, + "opór cieplny"@cs, + "Wärmewiderstand"@de, + "thermischer Widerstand"@de, + "thermal resistance"@en, + "resistencia térmica"@es, + "résistance thermique"@fr, + "resistenza termica"@it, + "熱抵抗"@ja, + "resistência térmica"@pt, + "热阻"@zh ; + dcterms:description "\\(\\textit{Thermal Resistance}\\) is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. the thermodynamic temperature difference divided by heat flow rate. Thermal resistance \\(R\\) has the units \\(\\frac{m^2 \\cdot K}{W}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG_F-HR-PER-BTU_IT, + unit:K-PER-W ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_resistance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_resistance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:HeatFlowRate, + quantitykind:ThermalInsulance, + quantitykind:ThermodynamicTemperature . + +quantitykind:ThrustToMassRatio a qudt:QuantityKind ; + rdfs:label "Thrust To Mass Ratio"@en ; + qudt:applicableUnit unit:LB_F-PER-LB, + unit:N-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Acceleration . + +quantitykind:VehicleVelocity a qudt:QuantityKind ; + rdfs:label "Vehicle Velocity"@en ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Velocity . + +unit:A-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Hour"@en ; + dcterms:description "\\(\\textbf{Ampere hour}\\) is a practical unit of electric charge equal to the charge flowing in one hour through a conductor passing one ampere. An ampere-hour or amp-hour (symbol \\(Ah,\\,AHr,\\, A \\cdot h, A h\\)) is a unit of electric charge, with sub-units milliampere-hour (\\(mAh\\)) and milliampere second (\\(mAs\\)). One ampere-hour is equal to 3600 coulombs (ampere-seconds), the electric charge transferred by a steady current of one ampere for one hour. The ampere-hour is frequently used in measurements of electrochemical systems such as electroplating and electrical batteries. The commonly seen milliampere-hour (\\(mAh\\) or \\(mA \\cdot h\\)) is one-thousandth of an ampere-hour (\\(3.6 \\,coulombs\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA102" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere-hour"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-86"^^xsd:anyURI ; + qudt:symbol "A⋅hr" ; + qudt:ucumCode "A.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AMH" ; + rdfs:isDefinedBy . + +unit:A-M2-PER-J-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Ampere Square Metre Per Joule Second"@en, + "Ampere Square Meter Per Joule Second"@en-us ; + dcterms:description "The SI unit of gyromagnetic ratio."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(A-m^2/J-s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+square+meter+per+joule+second"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "A⋅m²/(J⋅s)" ; + qudt:ucumCode "A.m2.J-1.s-1"^^qudt:UCUMcs, + "A.m2/(J.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A10" ; + rdfs:isDefinedBy . + +unit:A-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "أمبير في المتر المربع"@ar, + "ampér na metr čtvereční"@cs, + "Ampere je Quadratmeter"@de, + "ampere per square metre"@en, + "Ampere per Square Meter"@en-us, + "amperio por metro cuadrado"@es, + "آمپر بر مترمربع"@fa, + "ampère par mètre carré"@fr, + "एम्पीयर प्रति वर्ग मीटर"@hi, + "ampere al metro quadrato"@it, + "アンペア毎平方メートル"@ja, + "ampere per meter persegi"@ms, + "amper na metr kwadratowy"@pl, + "ampere por metro quadrado"@pt, + "ampere pe metru pătrat"@ro, + "ампер на квадратный метр"@ru, + "amper na kvadratni meter"@sl, + "amper bölü metre kare"@tr, + "安培每平方米"@zh ; + dcterms:description "\\(\\textbf{Ampere Per Square Meter}\\) is a unit in the category of electric current density. This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:DisplacementCurrentDensity, + quantitykind:ElectricCurrentDensity, + quantitykind:TotalCurrentDensity ; + qudt:iec61360Code "0112/2///62720#UAA105" ; + qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA105"^^xsd:anyURI ; + qudt:symbol "A/m²" ; + qudt:ucumCode "A.m-2"^^qudt:UCUMcs, + "A/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A41" ; + rdfs:isDefinedBy . + +unit:A-SEC a qudt:Unit ; + rdfs:label "Ampere Second"@en ; + dcterms:description "product out of the SI base unit ampere and the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA107" ; + qudt:plainTextDescription "product out of the SI base unit ampere and the SI base unit second" ; + qudt:symbol "A⋅s" ; + qudt:ucumCode "A.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A8" ; + rdfs:isDefinedBy . + +unit:AC-FT a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Acre Foot"@en ; + dcterms:description "An acre-foot is a unit of volume commonly used in the United States in reference to large-scale water resources, such as reservoirs, aqueducts, canals, sewer flow capacity, and river flows. It is defined by the volume of one acre of surface area to a depth of one foot. Since the acre is defined as a chain by a furlong (\\(66 ft \\times 660 ft\\)) the acre-foot is exactly \\(43,560 cubic feet\\). For irrigation water, the volume of \\(1 ft \\times 1 \\; ac = 43,560 \\; ft^{3} (1,233.482 \\; m^{3}, 325,851 \\; US gal)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1233.4818375475202 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acre-foot"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-35"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ac⋅ft" ; + qudt:ucumCode "[acr_br].[ft_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:ANGSTROM3 a qudt:Unit ; + rdfs:label "Cubic Angstrom"@en, + "Cubic Angstrom"@en-us ; + dcterms:description "A unit that is a non-SI unit, specifically a CGS unit, of polarizability known informally as polarizability volume. The SI defined units for polarizability are C*m^2/V and can be converted to \\(Angstr\\ddot{o}m\\)^3 by multiplying the SI value by 4 times pi times the vacuum permittivity and then converting the resulting m^3 to \\(Angstr\\ddot{o}m\\)^3 through the SI base 10 conversion (multiplying by 10^-30)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-40 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "ų" ; + rdfs:isDefinedBy . + +unit:A_Ab a qudt:Unit ; + rdfs:label "Abampere"@en ; + dcterms:description "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abampere"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:BIOT ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abampere?oldid=489318583"^^xsd:anyURI, + "http://wordinfo.info/results/abampere"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13?rskey=i2kRRz"^^xsd:anyURI ; + qudt:latexDefinition "\\(1\\,abA = 10\\,A\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:plainTextDescription "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors." ; + qudt:symbol "abA" ; + qudt:ucumCode "Bi"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:altLabel "biot" . + +unit:AttoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "AttoCoulomb"@en ; + dcterms:description "An AttoColomb is \\(10^{-18} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Atto ; + qudt:symbol "aC" ; + qudt:ucumCode "aC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:BBL a qudt:Unit ; + rdfs:label "Barrel"@en ; + dcterms:description "A barrel is one of several units of volume, with dry barrels, fluid barrels (UK beer barrel, U.S. beer barrel), oil barrel, etc. The volume of some barrel units is double others, with various volumes in the range of about 100-200 litres (22-44 imp gal; 26-53 US gal)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barrel"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA334" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barrel?oldid=494614619"^^xsd:anyURI ; + qudt:symbol "bbl" ; + qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BLL" ; + rdfs:isDefinedBy . + +unit:BBL_UK_PET a qudt:Unit ; + rdfs:label "Barrel (UK Petroleum)"@en ; + dcterms:description "unit of the volume for crude oil according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.1591132 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA329" ; + qudt:plainTextDescription "unit of the volume for crude oil according to the Imperial system of units" ; + qudt:symbol "bbl{UK petroleum}" ; + qudt:uneceCommonCode "J57" ; + rdfs:isDefinedBy . + +unit:BBL_UK_PET-PER-DAY a qudt:Unit ; + rdfs:label "Barrel (UK Petroleum) Per Day"@en ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.841587e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA331" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day" ; + qudt:symbol "bbl{UK petroleum}/day" ; + qudt:uneceCommonCode "J59" ; + rdfs:isDefinedBy . + +unit:BBL_UK_PET-PER-HR a qudt:Unit ; + rdfs:label "Barrel (UK Petroleum) Per Hour"@en ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 4.41981e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA332" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour" ; + qudt:symbol "bbl{UK petroleum}/hr" ; + qudt:uneceCommonCode "J60" ; + rdfs:isDefinedBy . + +unit:BBL_UK_PET-PER-MIN a qudt:Unit ; + rdfs:label "Barrel (UK Petroleum) Per Minute"@en ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.002651886 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA330" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute" ; + qudt:symbol "bbl{UK petroleum}/min" ; + qudt:uneceCommonCode "J58" ; + rdfs:isDefinedBy . + +unit:BBL_UK_PET-PER-SEC a qudt:Unit ; + rdfs:label "Barrel (UK Petroleum) Per Second"@en ; + dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.1591132 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA333" ; + qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "bbl{UK petroleum}" ; + qudt:uneceCommonCode "J61" ; + rdfs:isDefinedBy . + +unit:BBL_US a qudt:Unit ; + rdfs:label "Barrel (US)"@en ; + dcterms:description "unit of the volume for crude oil according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1589873 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA334" ; + qudt:plainTextDescription "unit of the volume for crude oil according to the Anglo-American system of units" ; + qudt:symbol "bbl{US petroleum}" ; + qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "bbl" ; + qudt:uneceCommonCode "BLL" ; + rdfs:isDefinedBy . + +unit:BBL_US-PER-DAY a qudt:Unit ; + rdfs:label "Barrel (US) Per Day"@en ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.84e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA335" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day" ; + qudt:symbol "bsh{US petroleum}/day" ; + qudt:ucumCode "[bbl_us].d-1"^^qudt:UCUMcs, + "[bbl_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B1" ; + rdfs:isDefinedBy . + +unit:BBL_US-PER-MIN a qudt:Unit ; + rdfs:label "Barrel (US) Per Minute"@en ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0026498 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA337" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute" ; + qudt:symbol "bbl{US petroleum}/min" ; + qudt:ucumCode "[bbl_us].min-1"^^qudt:UCUMcs, + "[bbl_us]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "5A" ; + rdfs:isDefinedBy . + +unit:BBL_US_PET-PER-HR a qudt:Unit ; + rdfs:label "Barrel (US Petroleum) Per Hour"@en ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.4163e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA336" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour" ; + qudt:symbol "bbl{UK petroleum}/hr" ; + qudt:ucumCode "[bbl_us].h-1"^^qudt:UCUMcs, + "[bbl_us]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J62" ; + rdfs:isDefinedBy . + +unit:BBL_US_PET-PER-SEC a qudt:Unit ; + rdfs:label "Barrel (US Petroleum) Per Second"@en ; + dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.1589873 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA338" ; + qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "bbl{UK petroleum}/s" ; + qudt:ucumCode "[bbl_us].s-1"^^qudt:UCUMcs, + "[bbl_us]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J62" ; + rdfs:isDefinedBy . + +unit:BFT a qudt:Unit ; + rdfs:label "Beaufort"@en ; + dcterms:description "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA110" ; + qudt:plainTextDescription "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds" ; + qudt:symbol "Beufort" ; + qudt:uneceCommonCode "M19" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Square Foot"@en ; + dcterms:description "\\(\\textbf{BTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(Btu/ft^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 11356.5267 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "Btu{IT}/ft²" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2"^^qudt:UCUMcs, + "[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-FT2-HR-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Square Foot Hour Degree Fahrenheit"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(hr-ft^{2}-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(hr-ft^{2}-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:symbol "Btu{IT}/(hr⋅ft²⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-FT2-SEC-DEG_F a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Square Foot Second Degree Fahrenheit"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Second \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(ft^{2}-s-degF)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:symbol "Btu{IT}/(ft²⋅s⋅°F)" ; + qudt:ucumCode "[Btu_IT].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs, + "[Btu_IT]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N76" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-FT3 a qudt:Unit ; + rdfs:label "British Thermal Unit (IT) Per Cubic Foot"@en ; + dcterms:description "\\(\\textit{British Thermal Unit (IT) Per Cubic Foot}\\) (\\(Btu (IT)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37258.94579."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 37258.94579 ; + qudt:expression "\\(Btu(IT)-per-ft3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI, + "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/ft³" ; + qudt:ucumCode "[Btu_IT].[ft_i]-3"^^qudt:UCUMcs, + "[Btu_IT]/[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N58" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-HR-FT2-DEG_R a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Hour Square Foot degree Rankine"@en ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB099" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(hr⋅ft²⋅°R)" ; + qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/(h.[ft_i]2.[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A23" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU-IT-PER-lb"@en ; + dcterms:description "The amount of energy generated by a pound of substance is measured in British thermal units (IT) per pound of mass. 1 \\(Btu_{IT}/lb\\) is equivalent to \\(2.326 \\times 10^3\\) joule per kilogram (J/kg)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2326.0 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(Btu/lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/lb" ; + qudt:ucumCode "[Btu_IT].[lb_av]-1"^^qudt:UCUMcs, + "[Btu_IT]/[lb_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AZ" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-SEC-FT2-DEG_R a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Second Square Foot degree Rankine"@en ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 14.89 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB098" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "Btu{IT}/(s⋅ft²⋅°R)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs, + "[Btu_IT]/(s.[ft_i]2.[degR])"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A20" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-FT3 a qudt:Unit ; + rdfs:label "British Thermal Unit (TH) Per Cubic Foot"@en ; + dcterms:description "British Thermal Unit (TH) Per Cubic Foot (\\(Btu (TH)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37234.03."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 37234.03 ; + qudt:expression "\\(Btu(th)-per-ft3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI, + "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; + qudt:symbol "Btu{th}/ft³" ; + qudt:ucumCode "[Btu_th].[ft_i]-3"^^qudt:UCUMcs, + "[Btu_th]/[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N59" ; + rdfs:isDefinedBy . + +unit:BTU_TH-PER-LB a qudt:Unit ; + rdfs:label "British Thermal Unit (TH) Per Pound"@en ; + dcterms:description "\\({\\bf Btu_{th} / lbm}\\), British Thermal Unit (therm.) Per Pound Mass, is a unit in the category of Thermal heat capacity. It is also known as Btu per pound, Btu/pound, Btu/lb. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Mass (Btu (therm.)/lbm) has a dimension of \\(L^2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit J/kg by multiplying its value by a factor of 2324.443861."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2324.443861 ; + qudt:expression "\\(btu_th-per-lb\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:symbol "btu{th}/lb" ; + qudt:ucumCode "[Btu_th].[lb_av]-1"^^qudt:UCUMcs, + "[Btu_th]/[lb_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BU_UK-PER-DAY a qudt:Unit ; + rdfs:label "Bushel (UK) Per Day"@en ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.209343e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA345" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "bsh{UK}/day" ; + qudt:ucumCode "[bu_br].d-1"^^qudt:UCUMcs, + "[bu_br]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J64" ; + rdfs:isDefinedBy . + +unit:BU_UK-PER-HR a qudt:Unit ; + rdfs:label "Bushel (UK) Per Hour"@en ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.010242e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA346" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "bsh{UK}/hr" ; + qudt:uneceCommonCode "J65" ; + rdfs:isDefinedBy . + +unit:BU_UK-PER-MIN a qudt:Unit ; + rdfs:label "Bushel (UK) Per Minute"@en ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0006061453 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA347" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "bsh{UK}/min" ; + qudt:ucumCode "[bu_br].min-1"^^qudt:UCUMcs, + "[bu_br]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J66" ; + rdfs:isDefinedBy . + +unit:BU_UK-PER-SEC a qudt:Unit ; + rdfs:label "Bushel (UK) Per Second"@en ; + dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.03636872 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA348" ; + qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "bsh{UK}/s" ; + qudt:ucumCode "[bu_br].s-1"^^qudt:UCUMcs, + "[bu_br]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J67" ; + rdfs:isDefinedBy . + +unit:BU_US_DRY-PER-DAY a qudt:Unit ; + rdfs:label "Bushel (US Dry) Per Day"@en ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.0786e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA349" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "bsh{US}/day" ; + qudt:ucumCode "[bu_us].d-1"^^qudt:UCUMcs, + "[bu_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J68" ; + rdfs:isDefinedBy . + +unit:BU_US_DRY-PER-HR a qudt:Unit ; + rdfs:label "Bushel (US Dry) Per Hour"@en ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 9.789e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA350" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "bsh{US}/hr" ; + qudt:ucumCode "[bu_us].h-1"^^qudt:UCUMcs, + "[bu_us]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J69" ; + rdfs:isDefinedBy . + +unit:BU_US_DRY-PER-MIN a qudt:Unit ; + rdfs:label "Bushel (US Dry) Per Minute"@en ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00058732 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA351" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "bsh{US}/min" ; + qudt:ucumCode "[bu_us].min-1"^^qudt:UCUMcs, + "[bu_us]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J70" ; + rdfs:isDefinedBy . + +unit:BU_US_DRY-PER-SEC a qudt:Unit ; + rdfs:label "Bushel (US Dry) Per Second"@en ; + dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.03523907 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA352" ; + qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "bsh{US}/s" ; + qudt:ucumCode "[bu_us].s-1"^^qudt:UCUMcs, + "[bu_us]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J71" ; + rdfs:isDefinedBy . + +unit:C-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Coulomb per Cubic Metre"@en, + "Coulomb per Cubic Meter"@en-us ; + dcterms:description "Coulomb Per Cubic Meter (\\(C/m^{3}\\)) is a unit in the category of Electric charge density. It is also known as coulomb per cubic metre, coulombs per cubic meter, coulombs per cubic metre, coulomb/cubic meter, coulomb/cubic metre. This unit is commonly used in the SI unit system. Coulomb Per Cubic Meter has a dimension of \\(L^{-3}TI\\) where \\(L\\) is length, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargeDensity, + quantitykind:ElectricChargeVolumeDensity ; + qudt:iec61360Code "0112/2///62720#UAA135" ; + qudt:symbol "C/m³" ; + qudt:ucumCode "C.m-3"^^qudt:UCUMcs, + "C/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A29" ; + rdfs:isDefinedBy . + +unit:CAL_IT-PER-GM a qudt:Unit ; + rdfs:label "Calorie (international Table) Per Gram"@en ; + dcterms:description "Calories produced per gram of substance."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4186.8 ; + qudt:expression "\\(cal_{it}-per-gm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB176" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:plainTextDescription "unit calorie according to the international steam table divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "cal{IT}/g" ; + qudt:ucumCode "cal_IT.g-1"^^qudt:UCUMcs, + "cal_IT/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D75" ; + rdfs:isDefinedBy . + +unit:CAL_IT-PER-SEC-CentiM2-K a qudt:Unit ; + rdfs:label "Calorie (international Table) Per Second Square Centimetre kelvin"@en, + "Calorie (international Table) Per Second Square Centimeter kelvin"@en-us ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 41868.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB096" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "cal{IT}/(s⋅cm²⋅K)" ; + qudt:ucumCode "cal_IT.s-1.cm-2.K-1"^^qudt:UCUMcs, + "cal_IT/(s.cm2.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D72" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-SEC-CentiM2-K a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Second Square Centimetre kelvin"@en, + "Calorie (thermochemical) Per Second Square Centimeter kelvin"@en-us ; + dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 41840.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAB097" ; + qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; + qudt:symbol "cal{th}/(s⋅cm²⋅K)" ; + qudt:ucumCode "cal_th.s-1.cm-2.K-1"^^qudt:UCUMcs, + "cal_th/(s.cm2.K)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D39" ; + rdfs:isDefinedBy . + +unit:C_Ab a qudt:Unit ; + rdfs:label "Abcoulomb"@en ; + dcterms:description "\"abcoulomb\" (abC or aC) or electromagnetic unit of charge (emu of charge) is the basic physical unit of electric charge in the cgs-emu system of units. One abcoulomb is equal to ten coulombs (\\(1\\,abC\\,=\\,10\\,C\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abcoulomb"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abcoulomb?oldid=477198635"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-9?rskey=KHjyOu"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abC" ; + qudt:ucumCode "10.C"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "CentiCoulomb"@en ; + dcterms:description "A CentiCoulomb is \\(10^{-2} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cC" ; + qudt:ucumCode "cC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:CentiM2-PER-SEC a qudt:Unit ; + rdfs:label "Square centimetres per second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:symbol "cm²/s" ; + qudt:ucumCode "cm2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M81" ; + rdfs:isDefinedBy . + +unit:CentiM3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "cubic centimetre"@en, + "cubic centimeter"@en-us ; + dcterms:description "The CGS unit of volume, equal to 10-6 cubic meter, 1 milliliter, or about 0.061 023 7 cubic inch"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:expression "\\(cubic-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA385" ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cm³" ; + qudt:ucumCode "cm3"^^qudt:UCUMcs ; + qudt:udunitsCode "cc" ; + qudt:uneceCommonCode "CMQ" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-DAY a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Day"@en, + "Cubic Centimeter Per Day"@en-us ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA388" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day" ; + qudt:symbol "cm³/day" ; + qudt:ucumCode "cm3.d-1"^^qudt:UCUMcs, + "cm3/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G47" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-HR a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Hour"@en, + "Cubic Centimeter Per Hour"@en-us ; + dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA391" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; + qudt:symbol "cm³/hr" ; + qudt:ucumCode "cm3.h-1"^^qudt:UCUMcs, + "cm3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G48" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-MIN a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Minute"@en, + "Cubic Centimeter Per Minute"@en-us ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA395" ; + qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute" ; + qudt:symbol "cm³/min" ; + qudt:ucumCode "cm3.min-1"^^qudt:UCUMcs, + "cm3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G49" ; + rdfs:isDefinedBy . + +unit:CentiM3-PER-SEC a qudt:Unit ; + rdfs:label "Cubic Centimetre Per Second"@en, + "Cubic Centimeter Per Second"@en-us ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA399" ; + qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "cm³/s" ; + qudt:ucumCode "cm3.s-1"^^qudt:UCUMcs, + "cm3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2J" ; + rdfs:isDefinedBy . + +unit:CentiMOL-PER-KiloGM a qudt:Unit ; + rdfs:label "Centimole per kilogram"@en ; + dcterms:description "1/100 of SI unit of amount of substance per kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength, + quantitykind:MolalityOfSolute ; + qudt:plainTextDescription "1/100 of SI unit of amount of substance per kilogram" ; + qudt:symbol "cmol/kg" ; + qudt:ucumCode "cmol.kg-1"^^qudt:UCUMcs, + "cmol/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiN-M a qudt:Unit ; + rdfs:label "Centinewton Metre"@en, + "Centinewton Meter"@en-us ; + dcterms:description "0,01-fold of the product of the SI derived unit newton and SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA355" ; + qudt:plainTextDescription "0,01-fold of the product of the SI derived unit newton and SI base unit metre" ; + qudt:symbol "cN⋅m" ; + qudt:ucumCode "cN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J72" ; + rdfs:isDefinedBy . + +unit:DYN-CentiM a qudt:Unit ; + rdfs:label "Dyne Centimetre"@en, + "Dyne Centimeter"@en-us ; + dcterms:description "\"Dyne Centimeter\" is a C.G.S System unit for 'Torque' expressed as \\(dyn-cm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-07 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(dyn-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA423" ; + qudt:symbol "dyn⋅cm" ; + qudt:ucumCode "dyn.cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J94" ; + rdfs:isDefinedBy . + +unit:DYN-PER-CentiM a qudt:Unit ; + rdfs:label "Dyne Per Centimetre"@en, + "Dyne Per Centimeter"@en-us ; + dcterms:description "CGS unit of the surface tension"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB106" ; + qudt:plainTextDescription "CGS unit of the surface tension" ; + qudt:symbol "dyn/cm" ; + qudt:ucumCode "dyn.cm-1"^^qudt:UCUMcs, + "dyn/cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DX" ; + rdfs:isDefinedBy . + +unit:Da a qudt:Unit ; + rdfs:label "Dalton"@en ; + dcterms:description "The unified atomic mass unit (symbol: \\(\\mu\\)) or dalton (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \"non-SI unit whose values in SI units must be obtained experimentally\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.660539e-27 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dalton"^^xsd:anyURI ; + qudt:exactMatch unit:AMU, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolecularMass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Dalton?oldid=495038954"^^xsd:anyURI ; + qudt:symbol "Da" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy ; + skos:altLabel "atomic-mass-unit" . + +unit:DecaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "DecaCoulomb"@en ; + dcterms:description "A DecaCoulomb is \\(10 C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Deca ; + qudt:symbol "daC" ; + qudt:ucumCode "daC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:DecaL a qudt:Unit ; + rdfs:label "Decalitre"@en, + "Decalitre"@en-us ; + dcterms:description "10-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB115" ; + qudt:plainTextDescription "10-fold of the unit litre" ; + qudt:symbol "daL" ; + qudt:ucumCode "daL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A44" ; + rdfs:isDefinedBy . + +unit:DecaM3 a qudt:Unit ; + rdfs:label "Cubic Decametre"@en, + "Cubic Decameter"@en-us ; + dcterms:description "1 000-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB179" ; + qudt:plainTextDescription "1 000-fold of the power of the SI base unit metre by exponent 3" ; + qudt:prefix prefix1:Deca ; + qudt:symbol "dam³" ; + qudt:ucumCode "dam3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMA" ; + rdfs:isDefinedBy . + +unit:DeciC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "DeciCoulomb"@en ; + dcterms:description "A DeciCoulomb is \\(10^{-1} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dC" ; + qudt:ucumCode "dC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:DeciL a qudt:Unit ; + rdfs:label "Decilitre"@en, + "Decilitre"@en-us ; + dcterms:description "0.1-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB113" ; + qudt:plainTextDescription "0.1-fold of the unit litre" ; + qudt:symbol "dL" ; + qudt:ucumCode "dL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DLT" ; + rdfs:isDefinedBy . + +unit:DeciL-PER-GM a qudt:Unit ; + rdfs:label "Decilitre Per Gram"@en, + "Decilitre Per Gram"@en-us ; + dcterms:description "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB094" ; + qudt:plainTextDescription "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "dL/g" ; + qudt:ucumCode "dL.g-1"^^qudt:UCUMcs, + "dL/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "22" ; + rdfs:isDefinedBy . + +unit:DeciM3 a qudt:Unit ; + rdfs:label "Cubic Decimetre"@en, + "Cubic Decimeter"@en-us ; + dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA414" ; + qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dm³" ; + qudt:ucumCode "dm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMQ" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-DAY a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Day"@en, + "Cubic Decimeter Per Day"@en-us ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA415" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day" ; + qudt:symbol "dm³/day" ; + qudt:ucumCode "dm3.d-1"^^qudt:UCUMcs, + "dm3/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J90" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-HR a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Hour"@en, + "Cubic Decimeter Per Hour"@en-us ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA416" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; + qudt:symbol "dm³/hr" ; + qudt:ucumCode "dm3.h-1"^^qudt:UCUMcs, + "dm3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E92" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-MIN a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Minute"@en, + "Cubic Decimeter Per Minute"@en-us ; + dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA418" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute" ; + qudt:symbol "dm³/min" ; + qudt:ucumCode "dm3.min-3"^^qudt:UCUMcs, + "dm3/min3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J92" ; + rdfs:isDefinedBy . + +unit:DeciM3-PER-SEC a qudt:Unit ; + rdfs:label "Cubic Decimetre Per Second"@en, + "Cubic Decimeter Per Second"@en-us ; + dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA420" ; + qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second" ; + qudt:symbol "dm³/s" ; + qudt:ucumCode "dm3.s-1"^^qudt:UCUMcs, + "dm3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J93" ; + rdfs:isDefinedBy . + +unit:DeciN-M a qudt:Unit ; + rdfs:label "Decinewton Metre"@en, + "Decinewton Meter"@en-us ; + dcterms:description "0.1-fold of the product of the derived SI unit joule and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAB084" ; + qudt:plainTextDescription "0.1-fold of the product of the derived SI unit joule and the SI base unit metre" ; + qudt:symbol "dN⋅m" ; + qudt:ucumCode "dN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DN" ; + rdfs:isDefinedBy . + +unit:E a qudt:Unit ; + rdfs:label "Elementary Charge"@en ; + dcterms:description "\"Elementary Charge\", usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + qudt:udunitsCode "e" ; + rdfs:isDefinedBy . + +unit:ERG-PER-CentiM3 a qudt:Unit ; + rdfs:label "Erg per Cubic Centimetre"@en, + "Erg per Cubic Centimeter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(erg-per-cm3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAB146" ; + qudt:symbol "erg/cm³" ; + qudt:ucumCode "erg.cm-3"^^qudt:UCUMcs, + "erg/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A60" ; + rdfs:isDefinedBy . + +unit:ERG-PER-G a qudt:Unit ; + rdfs:label "Erg per Gram"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(erg-per-g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB061" ; + qudt:symbol "erg/g" ; + qudt:ucumCode "erg.g-1"^^qudt:UCUMcs, + "erg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A61" ; + rdfs:isDefinedBy . + +unit:ERG-PER-GM a qudt:Unit ; + rdfs:label "Erg Per Gram"@en ; + dcterms:description "CGS unit of the mass-related energy"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB061" ; + qudt:plainTextDescription "CGS unit of the mass-related energy" ; + qudt:symbol "erg/g" ; + qudt:ucumCode "erg.g-1"^^qudt:UCUMcs, + "erg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A61" ; + rdfs:isDefinedBy . + +unit:ElementaryCharge a qudt:Unit ; + rdfs:label "Elementary Charge"@en ; + dcterms:description "\\(\\textbf{Elementary Charge}, usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:symbol "e" ; + qudt:ucumCode "[e]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:ExaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ExaCoulomb"@en ; + dcterms:description "An ExaCoulomb is \\(10^{18} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+18 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Exa ; + qudt:symbol "EC" ; + qudt:ucumCode "EC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:F a qudt:Unit ; + rdfs:label "Faraday"@en ; + dcterms:description "\"Faraday\" is a unit for 'Electric Charge' expressed as \\(F\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 96485.3399 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:omUnit ; + qudt:symbol "F" ; + rdfs:isDefinedBy . + +unit:FBM a qudt:Unit ; + rdfs:label "Board Foot"@en ; + dcterms:description "The board-foot is a specialized unit of measure for the volume of lumber in the United States and Canada. It is the volume of a one-foot length of a board one foot wide and one inch thick. Board-foot can be abbreviated FBM (for 'foot, board measure'), BDFT, or BF. Thousand board-feet can be abbreviated as MFBM, MBFT or MBF. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00236 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "BDFT" ; + qudt:ucumCode "[bf_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BFT" ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Foot Pound per Square Foot"@en ; + dcterms:description "\"Foot Pound per Square Foot\" is an Imperial unit for 'Energy Per Area' expressed as \\(ft-lbf/ft^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "ft⋅lbf/ft²" ; + qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Foot Pound Force per Square Metre"@en, + "Foot Pound Force per Square Meter"@en-us ; + dcterms:description "\"Foot Pound Force per Square Meter\" is a unit for 'Energy Per Area' expressed as \\(ft-lbf/m^{2}\\)."^^qudt:LatexString ; + qudt:expression "\\(ft-lbf/m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "ft⋅lbf/m²" ; + qudt:ucumCode "[ft_i].[lbf_av].m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT2-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot per Hour"@en ; + dcterms:description "\\(\\textbf{Square Foot per Hour} is an Imperial unit for \\(\\textit{Kinematic Viscosity}\\) and \\(\\textit{Thermal Diffusivity}\\) expressed as \\(ft^{2}/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2.58064e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAB247" ; + qudt:symbol "ft²/hr" ; + qudt:ucumCode "[sft_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M79" ; + rdfs:isDefinedBy . + +unit:FT2-PER-SEC a qudt:Unit ; + rdfs:label "Square Foot per Second"@en ; + dcterms:description "\"Square Foot per Second\" is an Imperial unit for 'Kinematic Viscosity' expressed as \\(ft^{2}/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA455" ; + qudt:symbol "ft²/s" ; + qudt:ucumCode "[sft_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "S3" ; + rdfs:isDefinedBy . + +unit:FT3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Foot"@en ; + dcterms:description "The cubic foot is an Imperial and US customary unit of volume, used in the United States and the United Kingdom. It is defined as the volume of a cube with sides of one foot (0.3048 m) in length. To calculate cubic feet multiply length X width X height. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.028316846592 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA456" ; + qudt:symbol "ft³" ; + qudt:ucumCode "[cft_i]"^^qudt:UCUMcs, + "[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FTQ" ; + rdfs:isDefinedBy . + +unit:FT3-PER-DAY a qudt:Unit ; + rdfs:label "Cubic Foot Per Day"@en ; + dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 3.277413e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA458" ; + qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; + qudt:symbol "ft³/day" ; + qudt:ucumCode "[cft_i].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K22" ; + rdfs:isDefinedBy . + +unit:FT3-PER-HR a qudt:Unit ; + rdfs:label "Cubic Foot Per Hour"@en ; + dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 7.865792e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA459" ; + qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; + qudt:symbol "ft³/hr" ; + qudt:ucumCode "[cft_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2K" ; + rdfs:isDefinedBy . + +unit:FT3-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Foot per Minute"@en ; + dcterms:description "\"Cubic Foot per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(ft^3/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0004719474432000001 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA461" ; + qudt:symbol "ft³/min" ; + qudt:ucumCode "[cft_i].min-1"^^qudt:UCUMcs, + "[cft_i]/min"^^qudt:UCUMcs, + "[ft_i]3.min-1"^^qudt:UCUMcs, + "[ft_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2L" ; + rdfs:isDefinedBy . + +unit:FT3-PER-MIN-FT2 a qudt:Unit ; + rdfs:label "Cubic Foot Per Minute Square Foot"@en ; + dcterms:description "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00508 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAB086" ; + qudt:plainTextDescription "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot" ; + qudt:symbol "ft³/(min⋅ft²)" ; + qudt:ucumCode "[cft_i].min-1.[sft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "36" ; + rdfs:isDefinedBy . + +unit:FT3-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Foot per Second"@en ; + dcterms:description "\"Cubic Foot per Second\" is an Imperial unit for \\( \\textit{Volume Per Unit Time}\\) expressed as \\(ft^3/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.028316846592000004 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{3}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA462" ; + qudt:symbol "ft³/s" ; + qudt:ucumCode "[cft_i].s-1"^^qudt:UCUMcs, + "[cft_i]/s"^^qudt:UCUMcs, + "[ft_i]3.s-1"^^qudt:UCUMcs, + "[ft_i]3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E17" ; + rdfs:isDefinedBy . + +unit:FemtoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "FemtoCoulomb"@en ; + dcterms:description "A FemtoCoulomb is \\(10^{-15} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Femto ; + qudt:symbol "fC" ; + qudt:ucumCode "fC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:FemtoL a qudt:Unit ; + rdfs:label "Femtolitre"@en, + "Femtolitre"@en-us ; + dcterms:description "0.000000000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000000000001-fold of the unit litre" ; + qudt:symbol "fL" ; + qudt:ucumCode "fL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q32" ; + rdfs:isDefinedBy . + +unit:FemtoMOL-PER-L a qudt:Unit ; + rdfs:label "Femtomoles per litre"@en ; + dcterms:description "A 10**18 part quantity of substance of the measurand per litre volume of matrix."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:symbol "fmol/L" ; + qudt:ucumCode "fmol.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GAL_UK-PER-DAY a qudt:Unit ; + rdfs:label "Gallon (UK) Per Day"@en ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 5.261678e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA501" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day" ; + qudt:symbol "gal{UK}/day" ; + qudt:ucumCode "[gal_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K26" ; + rdfs:isDefinedBy . + +unit:GAL_UK-PER-HR a qudt:Unit ; + rdfs:label "Gallon (UK) Per Hour"@en ; + dcterms:description "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.262803e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA502" ; + qudt:plainTextDescription "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour" ; + qudt:symbol "gal{UK}/hr" ; + qudt:ucumCode "[gal_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K27" ; + rdfs:isDefinedBy . + +unit:GAL_UK-PER-MIN a qudt:Unit ; + rdfs:label "Gallon (UK) Per Minute"@en ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.576817e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA503" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute" ; + qudt:symbol "gal{UK}/min" ; + qudt:ucumCode "[gal_br].m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G3" ; + rdfs:isDefinedBy . + +unit:GAL_UK-PER-SEC a qudt:Unit ; + rdfs:label "Gallon (UK) Per Second"@en ; + dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00454609 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA504" ; + qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "gal{UK}/s" ; + qudt:ucumCode "[gal_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K28" ; + rdfs:isDefinedBy . + +unit:GAL_US-PER-DAY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "US Gallon per Day"@en ; + dcterms:description "\"US Gallon per Day\" is a unit for 'Volume Per Unit Time' expressed as \\(gal/d\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.381264e-08 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(gal/d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:symbol "gal/day" ; + qudt:ucumCode "[gal_us].d-1"^^qudt:UCUMcs, + "[gal_us]/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GB" ; + rdfs:isDefinedBy . + +unit:GAL_US-PER-HR a qudt:Unit ; + rdfs:label "Gallon (US) Per Hour"@en ; + dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.051503e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA507" ; + qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour" ; + qudt:symbol "gal{US}/hr" ; + qudt:ucumCode "[gal_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G50" ; + rdfs:isDefinedBy . + +unit:GAL_US-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "US Gallon per Minute"@en ; + dcterms:description "\"US Gallon per Minute\" is a C.G.S System unit for 'Volume Per Unit Time' expressed as \\(gal/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 6.30902e-05 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(gal/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:symbol "gal/min" ; + qudt:ucumCode "[gal_us].min-1"^^qudt:UCUMcs, + "[gal_us]/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GAL_US-PER-SEC a qudt:Unit ; + rdfs:label "Gallon (US Liquid) Per Second"@en ; + dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.003785412 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA509" ; + qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "gal{US}/s" ; + qudt:ucumCode "[gal_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K30" ; + rdfs:isDefinedBy . + +unit:GI_UK a qudt:Unit ; + rdfs:label "Gill (UK)"@en ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0001420653 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA511" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)" ; + qudt:symbol "gill{UK}" ; + qudt:ucumCode "[gil_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GII" ; + rdfs:isDefinedBy . + +unit:GI_UK-PER-DAY a qudt:Unit ; + rdfs:label "Gill (UK) Per Day"@en ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.644274e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA512" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "gill{UK}/day" ; + qudt:ucumCode "[gil_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K32" ; + rdfs:isDefinedBy . + +unit:GI_UK-PER-HR a qudt:Unit ; + rdfs:label "Gill (UK) Per Hour"@en ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 3.946258e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA513" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "gill{UK}/hr" ; + qudt:ucumCode "[gil_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K33" ; + rdfs:isDefinedBy . + +unit:GI_UK-PER-MIN a qudt:Unit ; + rdfs:label "Gill (UK) Per Minute"@en ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.367755e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA514" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "gill{UK}/min" ; + qudt:ucumCode "[gil_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K34" ; + rdfs:isDefinedBy . + +unit:GI_UK-PER-SEC a qudt:Unit ; + rdfs:label "Gill (UK) Per Second"@en ; + dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0001420653 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA515" ; + qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "gill{UK}/s" ; + qudt:ucumCode "[gil_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K35" ; + rdfs:isDefinedBy . + +unit:GI_US a qudt:Unit ; + rdfs:label "Gill (US)"@en ; + dcterms:description "unit of the volume according the Anglo-American system of units (1/32 US Gallon)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000118294125 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA516" ; + qudt:plainTextDescription "unit of the volume according the Anglo-American system of units (1/32 US Gallon)" ; + qudt:symbol "gill{US}" ; + qudt:ucumCode "[gil_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GIA" ; + rdfs:isDefinedBy . + +unit:GI_US-PER-DAY a qudt:Unit ; + rdfs:label "Gill (US) Per Day"@en ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.369145e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA517" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "gill{US}/day" ; + qudt:ucumCode "[gil_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K36" ; + rdfs:isDefinedBy . + +unit:GI_US-PER-HR a qudt:Unit ; + rdfs:label "Gill (US) Per Hour"@en ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.285947e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA518" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "gill{US}/hr" ; + qudt:ucumCode "[gil_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K37" ; + rdfs:isDefinedBy . + +unit:GI_US-PER-MIN a qudt:Unit ; + rdfs:label "Gill (US) Per Minute"@en ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.971568e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA519" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "gill{US}/min" ; + qudt:ucumCode "[gil_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K38" ; + rdfs:isDefinedBy . + +unit:GI_US-PER-SEC a qudt:Unit ; + rdfs:label "Gill (US) Per Second"@en ; + dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0001182941 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA520" ; + qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "gill{US}/s" ; + qudt:ucumCode "[gil_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K39" ; + rdfs:isDefinedBy . + +unit:GRAY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "جراي; غراي"@ar, + "грей"@bg, + "gray"@cs, + "Gray"@de, + "γκρέι"@el, + "gray"@en, + "gray"@es, + "گری"@fa, + "gray"@fr, + "גריי"@he, + "ग्रेय"@hi, + "gray"@hu, + "gray"@it, + "グレイ"@ja, + "graium"@la, + "gray"@ms, + "grej"@pl, + "gray"@pt, + "gray"@ro, + "грэй"@ru, + "gray"@sl, + "gray"@tr, + "戈瑞"@zh ; + dcterms:description "The SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDose, + quantitykind:Kerma ; + qudt:iec61360Code "0112/2///62720#UAA163" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "J/kg" ; + qudt:symbol "Gy" ; + qudt:ucumCode "Gy"^^qudt:UCUMcs ; + qudt:udunitsCode "Gy" ; + qudt:uneceCommonCode "A95" ; + rdfs:isDefinedBy . + +unit:GRAY-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Gray per Second"@en ; + dcterms:description "\"Gray per Second\" is a unit for 'Absorbed Dose Rate' expressed as \\(Gy/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Gy/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate, + quantitykind:KermaRate, + quantitykind:SpecificPower ; + qudt:iec61360Code "0112/2///62720#UAA164" ; + qudt:symbol "Gy/s" ; + qudt:ucumCode "Gy.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A96" ; + rdfs:isDefinedBy . + +unit:GigaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "GigaCoulomb"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GC" ; + qudt:ucumCode "GC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:GigaC-PER-M3 a qudt:Unit ; + rdfs:label "Gigacoulomb Per Cubic Metre"@en, + "Gigacoulomb Per Cubic Meter"@en-us ; + dcterms:description "1,000,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA149" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "GC/m³" ; + qudt:ucumCode "GC.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A84" ; + rdfs:isDefinedBy . + +unit:GigaHZ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Gigahertz"@en ; + dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. A GigaHertz is \\(10^{9} hz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e+09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA150" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GHz" ; + qudt:ucumCode "GHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A86" ; + rdfs:isDefinedBy . + +unit:HZ-M a qudt:Unit ; + rdfs:label "Hertz Metre"@en, + "Hertz Meter"@en-us ; + dcterms:description "product of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA171" ; + qudt:plainTextDescription "product of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "Hz⋅M" ; + qudt:ucumCode "Hz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H34" ; + rdfs:isDefinedBy . + +unit:HZ-PER-K a qudt:Unit ; + rdfs:label "هرتز لكل كلفن"@ar, + "hertz na kelvin"@cs, + "Hertz je Kelvin"@de, + "hertz per kelvin"@en, + "hercio por kelvin"@es, + "هرتز بر کلوین"@fa, + "hertz par kelvin"@fr, + "हर्ट्ज प्रति कैल्विन"@hi, + "hertz al kelvin"@it, + "ヘルツ毎立方メートル"@ja, + "hertz per kelvin"@ms, + "herc na kelwin"@pl, + "hertz por kelvin"@pt, + "hertz pe kelvin"@ro, + "герц на кельвин"@ru, + "hertz bölü kelvin"@tr ; + dcterms:description "\\(\\textbf{Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(Hz K^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz K^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; + qudt:symbol "Hz/K" ; + qudt:ucumCode "Hz.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HZ-PER-T a qudt:Unit ; + rdfs:label "Hertz per Tesla"@en ; + dcterms:description "\"Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(Hz T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "Hz/T" ; + qudt:ucumCode "Hz.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HZ-PER-V a qudt:Unit ; + rdfs:label "Hertz per Volt"@en ; + dcterms:description "In the Hertz per Volt standard the frequency of the note is directly related to the voltage. A pitch of a note goes up one octave when its frequency doubles, meaning that the voltage will have to double for every octave rise. Depending on the footage (octave) selected, nominally one volt gives 1000Hz, two volts 2000Hz and so on. In terms of notes, bottom C would be 0.25 volts, the next C up would be 0.5 volts, then 1V, 2V, 4V, 8V for the following octaves. This system was used mainly by Yamaha and Korg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(Hz V^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; + qudt:symbol "Hz/V" ; + qudt:ucumCode "Hz.V-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HectoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "HectoCoulomb"@en ; + dcterms:description "\"HectoCoulomb\" is a unit for 'Electric Charge' expressed as \\(hC\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Hecto ; + qudt:symbol "hC" ; + qudt:ucumCode "hC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:HectoL a qudt:Unit ; + rdfs:label "Hectolitre"@en, + "Hectolitre"@en-us ; + dcterms:description "100-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA533" ; + qudt:plainTextDescription "100-fold of the unit litre" ; + qudt:symbol "hL" ; + qudt:ucumCode "hL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HLT" ; + rdfs:isDefinedBy . + +unit:IN2-PER-SEC a qudt:Unit ; + rdfs:label "Square Inch Per Second"@en ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00064516 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA548" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second" ; + qudt:symbol "in²/s" ; + qudt:ucumCode "[sin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G08" ; + rdfs:isDefinedBy . + +unit:IN3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Inch"@en ; + dcterms:description "The cubic inch is a unit of measurement for volume in the Imperial units and United States customary units systems. It is the volume of a cube with each of its three sides being one inch long. The cubic inch and the cubic foot are still used as units of volume in the United States, although the common SI units of volume, the liter, milliliter, and cubic meter, are continually replacing them, especially in manufacturing and high technology. One cubic foot is equal to exactly 1728 cubic inches."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.638706e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA549" ; + qudt:symbol "in³" ; + qudt:ucumCode "[cin_i]"^^qudt:UCUMcs, + "[in_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "INQ" ; + rdfs:isDefinedBy . + +unit:IN3-PER-HR a qudt:Unit ; + rdfs:label "Cubic Inch Per Hour"@en ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.551961e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA550" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; + qudt:symbol "in³/hr" ; + qudt:ucumCode "[cin_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G56" ; + rdfs:isDefinedBy . + +unit:IN3-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Inch per Minute"@en ; + dcterms:description "\"Cubic Inch per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(in^{3}/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2.731177e-07 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA551" ; + qudt:symbol "in³/min" ; + qudt:ucumCode "[cin_i].min-1"^^qudt:UCUMcs, + "[cin_i]/min"^^qudt:UCUMcs, + "[in_i]3.min-1"^^qudt:UCUMcs, + "[in_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G57" ; + rdfs:isDefinedBy . + +unit:IN3-PER-SEC a qudt:Unit ; + rdfs:label "Cubic Inch Per Second"@en ; + dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.638706e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA552" ; + qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "in³/s" ; + qudt:ucumCode "[cin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G58" ; + rdfs:isDefinedBy . + +unit:J-PER-CentiM2 a qudt:Unit ; + rdfs:label "Joule Per Square Centimetre"@en, + "Joule Per Square Centimeter"@en-us ; + dcterms:description "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:iec61360Code "0112/2///62720#UAB188" ; + qudt:plainTextDescription "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "J/cm²" ; + qudt:ucumCode "J.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E43" ; + rdfs:isDefinedBy . + +unit:J-PER-GM a qudt:Unit ; + rdfs:label "Joule Per Gram"@en ; + dcterms:description "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA174" ; + qudt:plainTextDescription "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "J/g" ; + qudt:ucumCode "J.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D95" ; + rdfs:isDefinedBy . + +unit:K-PER-T a qudt:Unit ; + rdfs:label "Kelvin per Tesla"@en ; + dcterms:description "\\(\\textbf{Kelvin per Tesla} is a unit for 'Temperature Per Magnetic Flux Density' expressed as \\(K T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(K T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; + qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; + qudt:symbol "K/T" ; + qudt:ucumCode "K.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloA-HR a qudt:Unit ; + rdfs:label "Kiloampere Hour"@en ; + dcterms:description "product of the 1 000-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAB053" ; + qudt:plainTextDescription "product of the 1 000-fold of the SI base unit ampere and the unit hour" ; + qudt:symbol "kA⋅hr" ; + qudt:ucumCode "kA.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "TAH" ; + rdfs:isDefinedBy . + +unit:KiloBTU_IT-PER-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "kBTU per Square Foot"@en ; + dcterms:description "\\(\\textbf{kBTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(kBtu/ft^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 11356526.7 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kBtu/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "kBTU per Square Foot is an Imperial unit for 'Energy Per Area." ; + qudt:symbol "kBtu{IT}/ft²" ; + qudt:ucumCode "k[Btu_IT].[ft_i]-2"^^qudt:UCUMcs, + "k[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "KiloCoulomb"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA563" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kC" ; + qudt:ucumCode "kC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B26" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:KiloCAL-PER-CentiM2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Square Centimetre"@en, + "Kilocalorie per Square Centimeter"@en-us ; + dcterms:description "\"Kilocalorie per Square Centimeter\" is a unit for 'Energy Per Area' expressed as \\(kcal/cm^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.184e-07 ; + qudt:expression "\\(kcal/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "kcal/cm²" ; + qudt:ucumCode "kcal.cm-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-GM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Gram"@en ; + dcterms:description "\"Kilocalorie per Gram\" is a unit for 'Specific Energy' expressed as \\(kcal/gm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.184e+06 ; + qudt:expression "\\(kcal/gm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:symbol "kcal/g" ; + qudt:ucumCode "kcal.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Mole"@en ; + dcterms:description "The kilocalorie per mole is a derived unit of energy per Avogadro's number of particles. It is the quotient of a kilocalorie (1000 thermochemical gram calories) and a mole, mainly used in the United States. In SI units, it is equal to \\(4.184 kJ/mol\\), or \\(6.9477 \\times 10 J per molecule\\). At room temperature it is equal to 1.688 . Physical quantities measured in \\(kcal\\cdot mol\\) are usually thermodynamical quantities; mostly free energies such as: Heat of vaporization Heat of fusion

."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:expression "\\(kcal/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEnergy ; + qudt:symbol "kcal/mol" ; + qudt:ucumCode "kcal.mol-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Square Second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg-per-sec2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:latexSymbol "\\(kg \\cdot s^2\\)"^^qudt:LatexString ; + qudt:symbol "kg/s²" ; + qudt:ucumCode "kg.s-2"^^qudt:UCUMcs, + "kg/s2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloGM_F-M a qudt:Unit ; + rdfs:label "Kilogram_force Metre"@en, + "Kilogram_force Meter"@en-us ; + dcterms:description "product of the unit kilogram-force and the SI base unit metre"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA634" ; + qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre" ; + qudt:symbol "kgf⋅m" ; + qudt:ucumCode "kgf.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B38" ; + rdfs:isDefinedBy . + +unit:KiloGM_F-M-PER-CentiM2 a qudt:Unit ; + rdfs:label "Kilogram Force Metre Per Square Centimetre"@en, + "Kilogram Force Meter Per Square Centimeter"@en-us ; + dcterms:description "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:conversionMultiplier 98066.5 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB189" ; + qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kgf⋅m/cm²" ; + qudt:ucumCode "kgf.m.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E44" ; + rdfs:isDefinedBy . + +unit:KiloHZ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilohertz"@en ; + dcterms:description "\"Kilohertz\" is a C.G.S System unit for 'Frequency' expressed as \\(KHz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA566" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kHz" ; + qudt:ucumCode "kHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KHZ" ; + rdfs:isDefinedBy . + +unit:KiloJ-PER-KiloGM a qudt:Unit ; + rdfs:label "Kilojoule Per Kilogram"@en ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA570" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram" ; + qudt:symbol "kJ/kg" ; + qudt:ucumCode "kJ.kg-1"^^qudt:UCUMcs, + "kJ/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B42" ; + rdfs:isDefinedBy . + +unit:KiloJ-PER-MOL a qudt:Unit ; + rdfs:label "Kilojoule Per Mole"@en ; + dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit mol"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEnergy ; + qudt:iec61360Code "0112/2///62720#UAA572" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit mol" ; + qudt:symbol "kJ/mol" ; + qudt:ucumCode "kJ.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B44" ; + rdfs:isDefinedBy . + +unit:KiloL a qudt:Unit ; + rdfs:label "Kilolitre"@en, + "Kilolitre"@en-us ; + dcterms:description "1 000-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB114" ; + qudt:plainTextDescription "1 000-fold of the unit litre" ; + qudt:symbol "kL" ; + qudt:ucumCode "kL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K6" ; + rdfs:isDefinedBy . + +unit:KiloL-PER-HR a qudt:Unit ; + rdfs:label "Kilolitre Per Hour"@en, + "Kilolitre Per Hour"@en-us ; + dcterms:description "unit of the volume kilolitres divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00277777777778 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB121" ; + qudt:plainTextDescription "unit of the volume kilolitres divided by the unit hour" ; + qudt:symbol "kL/hr" ; + qudt:ucumCode "kL.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4X" ; + rdfs:isDefinedBy . + +unit:KiloLB_F-FT-PER-LB a qudt:Unit ; + rdfs:label "Pound Force Foot Per Pound"@en ; + dcterms:description "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2989.067 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB484" ; + qudt:plainTextDescription "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass" ; + qudt:symbol "klbf⋅ft/lb" ; + qudt:ucumCode "[lbf_av].[ft_i].[lb_av]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G20" ; + rdfs:isDefinedBy . + +unit:KiloLB_F-PER-FT a qudt:Unit ; + rdfs:label "Pound Force Per Foot"@en ; + dcterms:description "unit of the length-related force"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 14593.904199475066 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAB192" ; + qudt:plainTextDescription "unit of the length-related force" ; + qudt:symbol "klbf/ft" ; + qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F17" ; + rdfs:isDefinedBy . + +unit:KiloMOL-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilomol per Kilogram"@en ; + dcterms:description "Kilomole Per Kilogram (\\(kmol/kg\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(kmol/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength, + quantitykind:MolalityOfSolute ; + qudt:symbol "kmol/kg" ; + qudt:ucumCode "kmol.kg-1"^^qudt:UCUMcs, + "kmol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P47" ; + rdfs:isDefinedBy . + +unit:KiloMOL-PER-M3 a qudt:Unit ; + rdfs:label "Kilomole Per Cubic Metre"@en, + "Kilomole Per Cubic Meter"@en-us ; + dcterms:description "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA642" ; + qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kmol/m³" ; + qudt:ucumCode "kmol.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B46" ; + rdfs:isDefinedBy . + +unit:KiloN-M a qudt:Unit ; + rdfs:label "Kilonewton Metre"@en, + "Kilonewton Meter"@en-us ; + dcterms:description "1 000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA574" ; + qudt:plainTextDescription "1 000-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "kN⋅m" ; + qudt:ucumCode "kN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B48" ; + rdfs:isDefinedBy . + +unit:KiloV-PER-M a qudt:Unit ; + rdfs:label "Kilovolt Per Metre"@en, + "Kilovolt Per Meter"@en-us ; + dcterms:description "1 000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA582" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "kV/m" ; + qudt:ucumCode "kV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B55" ; + rdfs:isDefinedBy . + +unit:KiloW-HR-PER-M2 a qudt:Unit ; + rdfs:label "Kilowatt hour per square metre"@en ; + dcterms:description "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre." ; + qudt:symbol "kW⋅h/m²" ; + rdfs:isDefinedBy . + +unit:L-PER-DAY a qudt:Unit ; + rdfs:label "Litre Per Day"@en, + "Liter Per Day"@en-us ; + dcterms:description "unit litre divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA652" ; + qudt:plainTextDescription "unit litre divided by the unit day" ; + qudt:symbol "L/day" ; + qudt:ucumCode "L.d-1"^^qudt:UCUMcs, + "L/d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LD" ; + rdfs:isDefinedBy . + +unit:L-PER-HR a qudt:Unit ; + rdfs:label "Litre Per Hour"@en, + "Liter Per Hour"@en-us ; + dcterms:description "Unit litre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA655" ; + qudt:plainTextDescription "Unit litre divided by the unit hour" ; + qudt:symbol "L/hr" ; + qudt:ucumCode "L.h-1"^^qudt:UCUMcs, + "L/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E32" ; + rdfs:isDefinedBy . + +unit:L-PER-MIN a qudt:Unit ; + rdfs:label "Litre Per Minute"@en, + "Liter Per Minute"@en-us ; + dcterms:description "unit litre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA659" ; + qudt:plainTextDescription "unit litre divided by the unit minute" ; + qudt:symbol "L/min" ; + qudt:ucumCode "L.min-1"^^qudt:UCUMcs, + "L/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L2" ; + rdfs:isDefinedBy . + +unit:L-PER-SEC a qudt:Unit ; + rdfs:label "Litre Per Second"@en, + "Liter Per Second"@en-us ; + dcterms:description "unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA664" ; + qudt:plainTextDescription "unit litre divided by the SI base unit second" ; + qudt:symbol "L/s" ; + qudt:ucumCode "L.s-1"^^qudt:UCUMcs, + "L/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G51" ; + rdfs:isDefinedBy . + +unit:LB-PER-IN2 a qudt:Unit ; + rdfs:label "Pound (avoirdupois) Per Square Inch"@en ; + dcterms:description "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 703.06957963916 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea, + quantitykind:MeanMassRange, + quantitykind:SurfaceDensity ; + qudt:iec61360Code "0112/2///62720#UAB137" ; + qudt:plainTextDescription "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "lb/in²" ; + qudt:ucumCode "[lb_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "80" ; + rdfs:isDefinedBy . + +unit:LB_F-FT a qudt:Unit ; + rdfs:label "Pound Force Foot"@en ; + dcterms:description "\"Pound Force Foot\" is an Imperial unit for 'Torque' expressed as \\(lbf-ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf-ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:symbol "lbf⋅ft" ; + qudt:ucumCode "[lbf_av].[ft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M92" ; + rdfs:isDefinedBy . + +unit:LB_F-IN a qudt:Unit ; + rdfs:label "Pound Force Inch"@en ; + dcterms:description "\"Pound Force Inch\" is an Imperial unit for 'Torque' expressed as \\(lbf-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.112984839 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf-in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:symbol "lbf⋅in" ; + qudt:ucumCode "[lbf_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F21" ; + rdfs:isDefinedBy . + +unit:LB_F-PER-FT a qudt:Unit ; + rdfs:label "Pound Force per Foot"@en ; + dcterms:description "\"Pound Force per Foot\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/ft\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf/ft\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:symbol "lbf/ft" ; + qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB_F-PER-IN a qudt:Unit ; + rdfs:label "Pound Force per Inch"@en ; + dcterms:description "\"Pound Force per Inch\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 175.12685 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf/in\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:symbol "lbf/in" ; + qudt:ucumCode "[lbf_av].[in_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Meter mal Kelvin"@de, + "metre kelvin"@en, + "Meter Kelvin"@en-us, + "متر کلوین"@fa, + "metro per kelvin"@it, + "meter kelvin"@ms, + "米开尔文"@zh ; + dcterms:description "\\(\\textbf{Meter Kelvin} is a unit for 'Length Temperature' expressed as \\(m K\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:LengthTemperature ; + qudt:iec61360Code "0112/2///62720#UAB170" ; + qudt:symbol "m⋅K" ; + qudt:ucumCode "m.K"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D18" ; + rdfs:isDefinedBy . + +unit:M2-HZ a qudt:Unit ; + rdfs:label "Square metres Hertz"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:symbol "m²⋅Hz" ; + qudt:ucumCode "m2.Hz"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:M3-PER-DAY a qudt:Unit ; + rdfs:label "Cubic Metre Per Day"@en, + "Cubic Meter Per Day"@en-us ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA760" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit day" ; + qudt:symbol "m³/day" ; + qudt:ucumCode "m3.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G52" ; + rdfs:isDefinedBy . + +unit:M3-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Metre per Hour"@en, + "Cubic Meter per Hour"@en-us ; + dcterms:description "Cubic Meter Per Hour (m3/h) is a unit in the category of Volume flow rate. It is also known as cubic meters per hour, cubic metre per hour, cubic metres per hour, cubic meter/hour, cubic metre/hour, cubic meter/hr, cubic metre/hr, flowrate. Cubic Meter Per Hour (m3/h) has a dimension of L3T-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m3/s by multiplying its value by a factor of 0.00027777777."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0002777777777777778 ; + qudt:expression "\\(m^{3}/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA763" ; + qudt:symbol "m³/hr" ; + qudt:ucumCode "m3.h-1"^^qudt:UCUMcs, + "m3/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MQH" ; + rdfs:isDefinedBy . + +unit:M3-PER-MIN a qudt:Unit ; + rdfs:label "Cubic Metre Per Minute"@en, + "Cubic Meter Per Minute"@en-us ; + dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01666667 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA768" ; + qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit minute" ; + qudt:symbol "m³/min" ; + qudt:ucumCode "m3.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G53" ; + rdfs:isDefinedBy . + +unit:MI3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Mile"@en ; + dcterms:description "A cubic mile is an imperial / U.S. customary unit of volume, used in the United States, Canada, and the United Kingdom. It is defined as the volume of a cube with sides of 1 mile in length. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.168182e+09 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(mi^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "mi³" ; + qudt:ucumCode "[mi_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M69" ; + rdfs:isDefinedBy . + +unit:MOL a qudt:Unit ; + rdfs:label "مول"@ar, + "мол"@bg, + "mol"@cs, + "Mol"@de, + "μολ"@el, + "mole"@en, + "mol"@es, + "مول"@fa, + "mole"@fr, + "מול"@he, + "मोल (इकाई)"@hi, + "mól"@hu, + "mole"@it, + "モル"@ja, + "moles"@la, + "mole"@ms, + "mol"@pl, + "mol"@pt, + "mol"@ro, + "моль"@ru, + "mol"@sl, + "mol"@tr, + "摩尔"@zh ; + dcterms:description "The mole is a unit of measurement used in chemistry to express amounts of a chemical substance. The official definition, adopted as part of the SI system in 1971, is that one mole of a substance contains just as many elementary entities (atoms, molecules, ions, or other kinds of particles) as there are atoms in 12 grams of carbon-12 (carbon-12 is the most common atomic form of carbon, consisting of atoms having 6 protons and 6 neutrons). This corresponds to a value of \\(6.02214179(30) \\times 10^{23}\\) elementary entities of the substance. It is one of the base units in the International System of Units, and has the unit symbol \\(mol\\). A Mole is the SI base unit of the amount of a substance (as distinct from its mass or weight). Moles measure the actual number of atoms or molecules in an object. An earlier name is gram molecular weight, because one mole of a chemical compound is the same number of grams as the molecular weight of a molecule of that compound measured in atomic mass units."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_%28unit%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstance, + quantitykind:ExtentOfReaction ; + qudt:iec61360Code "0112/2///62720#UAA882", + "0112/2///62720#UAD716" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mole_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "mol" ; + qudt:ucumCode "mol"^^qudt:UCUMcs ; + qudt:udunitsCode "mol" ; + qudt:uneceCommonCode "C34" ; + rdfs:isDefinedBy . + +unit:MOL-PER-DeciM3 a qudt:Unit ; + rdfs:label "Mole Per Cubic Decimetre"@en, + "Mole Per Cubic Decimeter"@en-us ; + dcterms:description "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA883" ; + qudt:plainTextDescription "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mol/dm³" ; + qudt:ucumCode "mol.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C35" ; + rdfs:isDefinedBy . + +unit:MOL-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mol per Kilogram"@en ; + dcterms:description "Mole Per Kilogram (\\(mol/kg\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mol/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength, + quantitykind:MolalityOfSolute ; + qudt:symbol "mol/kg" ; + qudt:ucumCode "mol.kg-1"^^qudt:UCUMcs, + "mol/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C19" ; + rdfs:isDefinedBy . + +unit:MOL-PER-L a qudt:Unit ; + rdfs:label "Mole Per Litre"@en, + "Mole Per Liter"@en-us ; + dcterms:description "SI base unit mol divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA888" ; + qudt:plainTextDescription "SI base unit mol divided by the unit litre" ; + qudt:symbol "mol/L" ; + qudt:ucumCode "mol.L-1"^^qudt:UCUMcs, + "mol/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C38" ; + rdfs:isDefinedBy . + +unit:MOL-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mole per Cubic Metre"@en, + "Mole per Cubic Meter"@en-us ; + dcterms:description "The SI derived unit for amount-of-substance concentration is the mole/cubic meter."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mol/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:iec61360Code "0112/2///62720#UAA891" ; + qudt:symbol "mol/m³" ; + qudt:ucumCode "mol.m-3"^^qudt:UCUMcs, + "mol/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C36" ; + rdfs:isDefinedBy . + +unit:MegaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MegaCoulomb"@en ; + dcterms:description "A MegaCoulomb is \\(10^{6} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA206" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MC" ; + qudt:ucumCode "MC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D77" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:MegaEV-PER-SpeedOfLight a qudt:Unit ; + rdfs:label "Mega Electron Volt per Speed of Light"@en ; + dcterms:description "\"Mega Electron Volt per Speed of Light\" is a unit for 'Linear Momentum' expressed as \\(MeV/c\\)."^^qudt:LatexString ; + qudt:expression "\\(MeV/c\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum, + quantitykind:Momentum ; + qudt:symbol "MeV/c" ; + qudt:ucumCode "MeV.[c]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaGM-PER-HA a qudt:Unit ; + rdfs:label "Megagram Per Hectare"@en, + "Megagram Per Hectare"@en-us ; + dcterms:description "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:TONNE-PER-HA, + unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "Mg/ha" ; + qudt:ucumCode "Mg.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaHZ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Megahertz"@en ; + dcterms:description "\"Megahertz\" is a C.G.S System unit for 'Frequency' expressed as \\(MHz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA209" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MHz" ; + qudt:ucumCode "MHz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MHZ" ; + rdfs:isDefinedBy . + +unit:MegaHZ-M a qudt:Unit ; + rdfs:label "Megahertz Metre"@en, + "Megahertz Meter"@en-us ; + dcterms:description "product of the 1,000,000-fold of the SI derived unit hertz and the 1,000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Speed ; + qudt:iec61360Code "0112/2///62720#UAA210" ; + qudt:plainTextDescription "product of the 1,000,000-fold of the SI derived unit hertz and the 1 000-fold of the SI base unit metre" ; + qudt:symbol "MHz⋅m" ; + qudt:ucumCode "MHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H39" ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-KiloGM a qudt:Unit ; + rdfs:label "Megajoule Per Kilogram"@en ; + dcterms:description "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB093" ; + qudt:plainTextDescription "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram" ; + qudt:symbol "MJ/kg" ; + qudt:ucumCode "MJ.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JK" ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-M2 a qudt:Unit ; + rdfs:label "Megajoule Per Square Metre"@en, + "Megajoule Per Square Meter"@en-us ; + dcterms:description "MegaJoule Per Square Meter (\\(MegaJ/m^2\\)) is a unit in the category of Energy density."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "MJ/m²" ; + qudt:ucumCode "MJ.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-M3 a qudt:Unit ; + rdfs:label "Megajoule Per Cubic Metre"@en, + "Megajoule Per Cubic Meter"@en-us ; + dcterms:description "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:iec61360Code "0112/2///62720#UAA212" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "MJ/m³" ; + qudt:ucumCode "MJ.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JM" ; + rdfs:isDefinedBy . + +unit:MegaL a qudt:Unit ; + rdfs:label "Megalitre"@en, + "Megalitre"@en-us ; + dcterms:description "1 000 000-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB112" ; + qudt:plainTextDescription "1 000 000-fold of the unit litre" ; + qudt:symbol "ML" ; + qudt:ucumCode "ML"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAL" ; + rdfs:isDefinedBy . + +unit:MegaN-M a qudt:Unit ; + rdfs:label "Meganewton Metre"@en, + "Meganewton Meter"@en-us ; + dcterms:description "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA214" ; + qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "MN⋅m" ; + qudt:ucumCode "MN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B74" ; + rdfs:isDefinedBy . + +unit:MegaV-PER-M a qudt:Unit ; + rdfs:label "Megavolt Per Metre"@en, + "Megavolt Per Meter"@en-us ; + dcterms:description "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA223" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "MV/m" ; + qudt:ucumCode "MV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B79" ; + rdfs:isDefinedBy . + +unit:MicroC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MicroCoulomb"@en ; + dcterms:description "A MicroCoulomb is \\(10^{-6} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA059" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µC" ; + qudt:ucumCode "uC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B86" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:MicroL a qudt:Unit ; + rdfs:label "Microlitre"@en, + "Microlitre"@en-us ; + dcterms:description "0.000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA088" ; + qudt:plainTextDescription "0.000001-fold of the unit litre" ; + qudt:symbol "μL" ; + qudt:ucumCode "uL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4G" ; + rdfs:isDefinedBy . + +unit:MicroM3 a qudt:Unit ; + rdfs:label "Cubic micrometres (microns)"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µm³" ; + qudt:ucumCode "um3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-GM a qudt:Unit ; + rdfs:label "Micromoles per gram"@en ; + dcterms:description "Micromole Per Gram (\\(umol/g\\)) is a unit of Molality"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass, + quantitykind:IonicStrength, + quantitykind:MolalityOfSolute ; + qudt:plainTextDescription "0.000001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "µmol/g" ; + qudt:ucumCode "umol.g-1"^^qudt:UCUMcs, + "umol/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroMOL-PER-L a qudt:Unit ; + rdfs:label "Micromoles per litre"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:symbol "µmol/L" ; + qudt:ucumCode "umol.L-1"^^qudt:UCUMcs, + "umol/L"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroN-M a qudt:Unit ; + rdfs:label "Micronewton Metre"@en, + "Micronewton Meter"@en-us ; + dcterms:description "0.000001-fold of the product out of the derived SI newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA071" ; + qudt:plainTextDescription "0.000001-fold of the product out of the derived SI newton and the SI base unit metre" ; + qudt:symbol "μN⋅m" ; + qudt:ucumCode "uN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B93" ; + rdfs:isDefinedBy . + +unit:MicroV-PER-M a qudt:Unit ; + rdfs:label "Microvolt Per Metre"@en, + "Microvolt Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA079" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "µV/m" ; + qudt:ucumCode "uV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C3" ; + rdfs:isDefinedBy . + +unit:MilliA-HR a qudt:Unit ; + rdfs:label "Milliampere Hour"@en ; + dcterms:description "product of the 0.001-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA777" ; + qudt:plainTextDescription "product of the 0.001-fold of the SI base unit ampere and the unit hour" ; + qudt:symbol "µA⋅hr" ; + qudt:ucumCode "mA.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E09" ; + rdfs:isDefinedBy . + +unit:MilliC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "MilliCoulomb"@en ; + dcterms:description "A MilliCoulomb is \\(10^{-3} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA782" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mC" ; + qudt:ucumCode "mC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D86" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:MilliJ-PER-GM a qudt:Unit ; + rdfs:label "Millijoule Per Gram"@en ; + dcterms:description "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAA174" ; + qudt:plainTextDescription "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "mJ/g" ; + qudt:ucumCode "mJ.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliL a qudt:Unit ; + rdfs:label "Millilitre"@en, + "Millilitre"@en-us ; + dcterms:description "0.001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA844" ; + qudt:plainTextDescription "0.001-fold of the unit litre" ; + qudt:symbol "mL" ; + qudt:ucumCode "mL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MLT" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-DAY a qudt:Unit ; + rdfs:label "Millilitre Per Day"@en, + "Millilitre Per Day"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.157407e-11 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA847" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit day" ; + qudt:symbol "mL/day" ; + qudt:ucumCode "mL.d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G54" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-HR a qudt:Unit ; + rdfs:label "Millilitre Per Hour"@en, + "Millilitre Per Hour"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA850" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit hour" ; + qudt:symbol "mL/hr" ; + qudt:ucumCode "mL.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G55" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-KiloGM a qudt:Unit ; + rdfs:label "Millilitre Per Kilogram"@en, + "Millilitre Per Kilogram"@en-us ; + dcterms:description "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB095" ; + qudt:plainTextDescription "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram" ; + qudt:symbol "mL/kg" ; + qudt:ucumCode "mL.kg-1"^^qudt:UCUMcs, + "mL/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KX" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-MIN a qudt:Unit ; + rdfs:label "Millilitre Per Minute"@en, + "Millilitre Per Minute"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA855" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit minute" ; + qudt:symbol "mL/min" ; + qudt:ucumCode "mL.min-1"^^qudt:UCUMcs, + "mL/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "41" ; + rdfs:isDefinedBy . + +unit:MilliL-PER-SEC a qudt:Unit ; + rdfs:label "Millilitre Per Second"@en, + "Millilitre Per Second"@en-us ; + dcterms:description "0.001-fold of the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA859" ; + qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit second" ; + qudt:symbol "mL/s" ; + qudt:ucumCode "mL.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "40" ; + rdfs:isDefinedBy . + +unit:MilliM2-PER-SEC a qudt:Unit ; + rdfs:label "Square Millimetre Per Second"@en, + "Square Millimeter Per Second"@en-us ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime ; + qudt:iec61360Code "0112/2///62720#UAA872" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second" ; + qudt:symbol "mm²/s" ; + qudt:ucumCode "mm2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C17" ; + rdfs:isDefinedBy . + +unit:MilliM3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Millimetre"@en, + "Cubic Millimeter"@en-us ; + dcterms:description "A metric measure of volume or capacity equal to a cube 1 millimeter on each edge"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA873" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mm³" ; + qudt:ucumCode "mm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMQ" ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-M3 a qudt:Unit ; + rdfs:label "Millimoles per cubic metre"@en ; + dcterms:description "Unavailable."@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:symbol "mmol/m³" ; + qudt:ucumCode "mmol.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliN-M a qudt:Unit ; + rdfs:label "Millinewton Metre"@en, + "Millinewton Meter"@en-us ; + dcterms:description "0.001-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA794" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit newton and the SI base unit metre" ; + qudt:symbol "mN⋅m" ; + qudt:ucumCode "mN.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D83" ; + rdfs:isDefinedBy . + +unit:MilliN-PER-M a qudt:Unit ; + rdfs:label "Millinewton Per Metre"@en, + "Millinewton Per Meter"@en-us ; + dcterms:description "0.001-fold of the SI derived unit newton divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA795" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit newton divided by the SI base unit metre" ; + qudt:symbol "mN/m" ; + qudt:ucumCode "mN.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C22" ; + rdfs:isDefinedBy . + +unit:MilliV-PER-M a qudt:Unit ; + rdfs:label "Millivolt Per Metre"@en, + "Millivolt Per Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA805" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; + qudt:symbol "mV/m" ; + qudt:ucumCode "mV.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C30" ; + rdfs:isDefinedBy . + +unit:MilliW-PER-MilliGM a qudt:Unit ; + rdfs:label "Milliwatt per Milligram"@en ; + dcterms:description "SI derived unit milliwatt divided by the SI derived unit milligram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:W-PER-GM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate, + quantitykind:SpecificPower ; + qudt:plainTextDescription "SI derived unit milliwatt divided by the SI derived unit milligram" ; + qudt:symbol "mW/mg" ; + qudt:ucumCode "mW.mg-1"^^qudt:UCUMcs, + "mW/mg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:N-CentiM a qudt:Unit ; + rdfs:label "Newton Centimetre"@en, + "Newton Centimeter"@en-us ; + dcterms:description "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA237" ; + qudt:plainTextDescription "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre" ; + qudt:symbol "N⋅cm" ; + qudt:ucumCode "N.cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F88" ; + rdfs:isDefinedBy . + +unit:N-M-PER-KiloGM a qudt:Unit ; + rdfs:label "Newton Metre Per Kilogram"@en, + "Newton Meter Per Kilogram"@en-us ; + dcterms:description "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB490" ; + qudt:plainTextDescription "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram" ; + qudt:symbol "N⋅m/kg" ; + qudt:ucumCode "N.m.kg-1"^^qudt:UCUMcs ; + qudt:udunitsCode "gp" ; + qudt:uneceCommonCode "G19" ; + rdfs:isDefinedBy . + +unit:N-M2-PER-KiloGM2 a qudt:Unit ; + rdfs:label "Newton Square Metre Per Square Kilogram"@en, + "Newton Square Meter Per Square Kilogram"@en-us ; + dcterms:description "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:iec61360Code "0112/2///62720#UAB491" ; + qudt:plainTextDescription "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2" ; + qudt:symbol "N⋅m²/kg²" ; + qudt:ucumCode "N.m2.kg-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C54" ; + rdfs:isDefinedBy . + +unit:N-PER-CentiM a qudt:Unit ; + rdfs:label "Newton Per Centimetre"@en, + "Newton Per Centimeter"@en-us ; + dcterms:description "SI derived unit newton divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA238" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "N/cm" ; + qudt:ucumCode "N.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M23" ; + rdfs:isDefinedBy . + +unit:N-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "newtonů na metr"@cs, + "Newton je Meter"@de, + "newton per metre"@en, + "Newton per Meter"@en-us, + "newton por metro"@es, + "نیوتن بر متر"@fa, + "newton par mètre"@fr, + "प्रति मीटर न्यूटन"@hi, + "newton al metro"@it, + "ニュートン毎メートル"@ja, + "newton per meter"@ms, + "niuton na metr"@pl, + "newton por metro"@pt, + "newton pe metru"@ro, + "ньютон на метр"@ru, + "newton na meter"@sl, + "newton bölü metre"@tr, + "牛顿每米"@zh ; + dcterms:description "Newton Per Meter (N/m) is a unit in the category of Surface tension. It is also known as newtons per meter, newton per metre, newtons per metre, newton/meter, newton/metre. This unit is commonly used in the SI unit system. Newton Per Meter (N/m) has a dimension of MT-2 where M is mass, and T is time. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(N/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA246" ; + qudt:symbol "N/m" ; + qudt:ucumCode "N.m-1"^^qudt:UCUMcs, + "N/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4P" ; + rdfs:isDefinedBy . + +unit:N-PER-MilliM a qudt:Unit ; + rdfs:label "Newton Per Millimetre"@en, + "Newton Per Millimeter"@en-us ; + dcterms:description "SI derived unit newton divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA249" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "N/mm" ; + qudt:ucumCode "N.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F47" ; + rdfs:isDefinedBy . + +unit:NUM-PER-HR a qudt:Unit ; + rdfs:label "Number per hour"@en ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/hr" ; + qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-SEC a qudt:Unit ; + rdfs:label "Counts per second"@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/s" ; + qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-YR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Number per Year"@en ; + dcterms:description "\"Number per Year\" is a unit for 'Frequency' expressed as \\(\\#/yr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 3.168809e-08 ; + qudt:expression "\\(\\#/yr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "#/yr" ; + qudt:ucumCode "{#}.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "NanoCoulomb"@en ; + dcterms:description "A NanoCoulomb is \\(10^{-9} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA902" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nC" ; + qudt:ucumCode "nC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C40" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:NanoH a qudt:Unit ; + rdfs:label "Nanohenry"@en ; + dcterms:description "0.000000001-fold of the SI derived unit henry"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Inductance, + quantitykind:Permeance ; + qudt:iec61360Code "0112/2///62720#UAA905" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nH" ; + qudt:ucumCode "nH"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C43" ; + rdfs:isDefinedBy . + +unit:NanoL a qudt:Unit ; + rdfs:label "Nanolitre"@en, + "Nanolitre"@en-us ; + dcterms:description "0.000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000001-fold of the unit litre" ; + qudt:symbol "nL" ; + qudt:ucumCode "nL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q34" ; + rdfs:isDefinedBy . + +unit:OZ_F-IN a qudt:Unit ; + rdfs:label "Imperial Ounce Force Inch"@en ; + dcterms:description "\"Ounce Force Inch\" is an Imperial unit for 'Torque' expressed as \\(ozf-in\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0706155243 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:symbol "ozf⋅in" ; + qudt:ucumCode "[ozf_av].[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L41" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_UK a qudt:Unit ; + rdfs:label "Fluid Ounce (UK)"@en ; + dcterms:description "\\(\\textit{Imperial Ounce}\\) is an Imperial unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.841306e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA431" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "oz{UK}" ; + qudt:ucumCode "[foz_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "OZI" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_UK-PER-DAY a qudt:Unit ; + rdfs:label "Ounce (UK Fluid) Per Day"@en ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA432" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "oz{UK}/day" ; + qudt:ucumCode "[foz_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J95" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_UK-PER-HR a qudt:Unit ; + rdfs:label "Ounce (UK Fluid) Per Hour"@en ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 7.87487e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA433" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "oz{UK}/hr" ; + qudt:ucumCode "[foz_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J96" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_UK-PER-MIN a qudt:Unit ; + rdfs:label "Ounce (UK Fluid) Per Minute"@en ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00472492 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA434" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "oz{UK}/min" ; + qudt:ucumCode "[foz_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J97" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_UK-PER-SEC a qudt:Unit ; + rdfs:label "Ounce (UK Fluid) Per Second"@en ; + dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.84e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA435" ; + qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "oz{UK}/s" ; + qudt:ucumCode "[foz_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J98" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_US-PER-DAY a qudt:Unit ; + rdfs:label "Ounce (US Fluid) Per Day"@en ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3.42286e-10 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA436" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day" ; + qudt:symbol "oz{US}/day" ; + qudt:ucumCode "[foz_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J99" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_US-PER-HR a qudt:Unit ; + rdfs:label "Ounce (US Fluid) Per Hour"@en ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8.214869e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA437" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "oz{US}/hr" ; + qudt:ucumCode "[foz_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K10" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_US-PER-MIN a qudt:Unit ; + rdfs:label "Ounce (US Fluid) Per Minute"@en ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.92892e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA438" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "oz{US}/min" ; + qudt:ucumCode "[foz_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K11" ; + rdfs:isDefinedBy . + +unit:OZ_VOL_US-PER-SEC a qudt:Unit ; + rdfs:label "Ounce (US Fluid) Per Second"@en ; + dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.957353e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA439" ; + qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "oz{US}/s" ; + qudt:ucumCode "[foz_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K12" ; + rdfs:isDefinedBy . + +unit:PER-BAR a qudt:Unit ; + rdfs:label "Reciprocal Bar"@en ; + dcterms:description "reciprocal of the metrical unit with the name bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility, + quantitykind:InversePressure, + quantitykind:IsothermalCompressibility ; + qudt:iec61360Code "0112/2///62720#UAA328" ; + qudt:plainTextDescription "reciprocal of the metrical unit with the name bar" ; + qudt:symbol "/bar" ; + qudt:ucumCode "bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F58" ; + rdfs:isDefinedBy . + +unit:PER-DAY a qudt:Unit ; + rdfs:label "Reciprocal Day"@en ; + dcterms:description "reciprocal of the unit day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA408" ; + qudt:plainTextDescription "reciprocal of the unit day" ; + qudt:symbol "/day" ; + qudt:ucumCode "/d"^^qudt:UCUMcs, + "d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E91" ; + rdfs:isDefinedBy . + +unit:PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Hour"@en ; + dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal hour}\\) or \"inverse hour\"."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 360.0 ; + qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/hr" ; + qudt:ucumCode "/h"^^qudt:UCUMcs, + "h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H10" ; + rdfs:isDefinedBy . + +unit:PER-MILLE-PER-PSI a qudt:Unit ; + rdfs:label "Reciprocal Mille Per Psi"@en ; + dcterms:description "thousandth divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:conversionMultiplier 1.450377e-07 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility, + quantitykind:InversePressure, + quantitykind:IsothermalCompressibility ; + qudt:iec61360Code "0112/2///62720#UAA016" ; + qudt:plainTextDescription "thousandth divided by the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "/ksi" ; + qudt:uneceCommonCode "J12" ; + rdfs:isDefinedBy . + +unit:PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Minute"@en ; + dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal minute}\\) or \\(\\textit{inverse minute}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 60.0 ; + qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/min" ; + qudt:ucumCode "/min"^^qudt:UCUMcs, + "min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C94" ; + rdfs:isDefinedBy . + +unit:PER-MO a qudt:Unit ; + rdfs:label "Reciprocal Month"@en ; + dcterms:description "reciprocal of the unit month"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.919351e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA881" ; + qudt:plainTextDescription "reciprocal of the unit month" ; + qudt:symbol "/month" ; + qudt:ucumCode "mo-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H11" ; + rdfs:isDefinedBy . + +unit:PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Mole"@en ; + dcterms:description "

Per Mole Unit is a denominator unit with dimensions \\(mol^{-1}\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; + qudt:symbol "/mol" ; + qudt:ucumCode "/mol"^^qudt:UCUMcs, + "mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C95" ; + rdfs:isDefinedBy . + +unit:PER-MilliSEC a qudt:Unit ; + rdfs:label "Reciprocal millisecond"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/ms" ; + qudt:ucumCode "ms-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-PSI a qudt:Unit ; + rdfs:label "Reciprocal Psi"@en ; + dcterms:description "reciprocal value of the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0001450377 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:InversePressure, + quantitykind:IsothermalCompressibility, + quantitykind:StressOpticCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA709" ; + qudt:plainTextDescription "reciprocal value of the composed unit for pressure (pound-force per square inch)" ; + qudt:symbol "/psi" ; + qudt:ucumCode "[psi]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K93" ; + rdfs:isDefinedBy . + +unit:PER-T-M a qudt:Unit ; + rdfs:label "Reciprocal Tesla Metre"@en, + "Reciprocal Tesla Meter"@en-us ; + dcterms:description "Per Tesla Meter Unit is a denominator unit with dimensions \\(/m .\\cdot T\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:MagneticReluctivity ; + qudt:latexSymbol "\\(m^{-1} \\cdot T^{-1}\\)"^^qudt:LatexString ; + qudt:symbol "/t⋅m" ; + qudt:ucumCode "T-1.m-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-WK a qudt:Unit ; + rdfs:label "Reciprocal Week"@en ; + dcterms:description "reciprocal of the unit week"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.653439e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA099" ; + qudt:plainTextDescription "reciprocal of the unit week" ; + qudt:symbol "/week" ; + qudt:ucumCode "wk-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H85" ; + rdfs:isDefinedBy . + +unit:PER-YR a qudt:Unit ; + rdfs:label "Reciprocal Year"@en ; + dcterms:description "reciprocal of the unit year"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.170979e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAB027" ; + qudt:plainTextDescription "reciprocal of the unit year" ; + qudt:symbol "/yr" ; + qudt:ucumCode "/a"^^qudt:UCUMcs, + "a-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H09" ; + rdfs:isDefinedBy . + +unit:PERCENT-PER-DAY a qudt:Unit ; + rdfs:label "Percent per day"@en ; + qudt:conversionMultiplier 1.157407e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/day" ; + qudt:ucumCode "%.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PERCENT-PER-HR a qudt:Unit ; + rdfs:label "Percent per hour"@en ; + qudt:conversionMultiplier 0.000277777777777778 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/day" ; + qudt:ucumCode "%.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PERCENT-PER-WK a qudt:Unit ; + rdfs:label "Percent per week"@en ; + dcterms:description "A rate of change in percent over a period of 7 days"@en ; + qudt:conversionMultiplier 1.653439e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "%/wk" ; + qudt:ucumCode "%.wk-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PH a qudt:Unit ; + rdfs:label "Acidity"@en ; + dcterms:description "the negative decadic logarithmus of the concentration of free protons (or hydronium ions) expressed in 1 mol/l."@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Acidity, + quantitykind:Basicity, + quantitykind:PH ; + qudt:symbol "pH" ; + qudt:ucumCode "[pH]"^^qudt:UCUMcs ; + rdfs:comment "Unsure about dimensionality of pH; conversion requires a log function not just a multiplier"@en ; + rdfs:isDefinedBy . + +unit:PINT a qudt:Unit ; + rdfs:label "Imperial Pint"@en ; + dcterms:description "\"Imperial Pint\" is an Imperial unit for 'Volume' expressed as \\(pint\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00056826125 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "pt" ; + qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTI" ; + rdfs:isDefinedBy . + +unit:PINT_UK a qudt:Unit ; + rdfs:label "Pint (UK)"@en ; + dcterms:description "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0005682613 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA952" ; + qudt:plainTextDescription "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units" ; + qudt:symbol "pt{UK}" ; + qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PTI" ; + rdfs:isDefinedBy . + +unit:PINT_UK-PER-DAY a qudt:Unit ; + rdfs:label "Pint (UK) Per Day"@en ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.577098e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA953" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "pt{UK}/day" ; + qudt:ucumCode "[pt_br].d"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L53" ; + rdfs:isDefinedBy . + +unit:PINT_UK-PER-HR a qudt:Unit ; + rdfs:label "Pint (UK) Per Hour"@en ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.578504e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA954" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "pt{UK}/hr" ; + qudt:ucumCode "[pt_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L54" ; + rdfs:isDefinedBy . + +unit:PINT_UK-PER-MIN a qudt:Unit ; + rdfs:label "Pint (UK) Per Minute"@en ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 9.471022e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA955" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "pt{UK}/min" ; + qudt:ucumCode "[pt_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L55" ; + rdfs:isDefinedBy . + +unit:PINT_UK-PER-SEC a qudt:Unit ; + rdfs:label "Pint (UK) Per Second"@en ; + dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0005682613 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA956" ; + qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "pt{UK}/s" ; + qudt:ucumCode "[pt_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L56" ; + rdfs:isDefinedBy . + +unit:PINT_US-PER-DAY a qudt:Unit ; + rdfs:label "Pint (US Liquid) Per Day"@en ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 5.47658e-09 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA958" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "pt{US}/day" ; + qudt:ucumCode "[pt_us].d-1"^^qudt:UCUMcs ; + qudt:udunitsCode "kg" ; + qudt:uneceCommonCode "L57" ; + rdfs:isDefinedBy . + +unit:PINT_US-PER-HR a qudt:Unit ; + rdfs:label "Pint (US Liquid) Per Hour"@en ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.314379e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA959" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "pt{US}/hr" ; + qudt:ucumCode "[pt_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L58" ; + rdfs:isDefinedBy . + +unit:PINT_US-PER-MIN a qudt:Unit ; + rdfs:label "Pint (US Liquid) Per Minute"@en ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 7.886275e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA960" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "pt{US}/min" ; + qudt:ucumCode "[pt_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L59" ; + rdfs:isDefinedBy . + +unit:PINT_US-PER-SEC a qudt:Unit ; + rdfs:label "Pint (US Liquid) Per Second"@en ; + dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0004731765 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA961" ; + qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "pt{US}/s" ; + qudt:ucumCode "[pt_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L60" ; + rdfs:isDefinedBy . + +unit:PK_UK a qudt:Unit ; + rdfs:label "Peck (UK)"@en ; + dcterms:description "unit of the volume according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.009092181 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA939" ; + qudt:plainTextDescription "unit of the volume according to the Imperial system of units" ; + qudt:symbol "peck{UK}" ; + qudt:ucumCode "[pk_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L43" ; + rdfs:isDefinedBy . + +unit:PK_UK-PER-DAY a qudt:Unit ; + rdfs:label "Peck (UK) Per Day"@en ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.052336e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA940" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "peck{UK}/day" ; + qudt:ucumCode "[pk_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L44" ; + rdfs:isDefinedBy . + +unit:PK_UK-PER-HR a qudt:Unit ; + rdfs:label "Peck (UK) Per Hour"@en ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 2.525606e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA941" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "peck{UK}/hr" ; + qudt:ucumCode "[pk_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L45" ; + rdfs:isDefinedBy . + +unit:PK_UK-PER-MIN a qudt:Unit ; + rdfs:label "Peck (UK) Per Minute"@en ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.00015153635 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA942" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "peck{UK}/min" ; + qudt:ucumCode "[pk_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L46" ; + rdfs:isDefinedBy . + +unit:PK_UK-PER-SEC a qudt:Unit ; + rdfs:label "Peck (UK) Per Second"@en ; + dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.009092181 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA943" ; + qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "peck{UK}/s" ; + qudt:ucumCode "[pk_br].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L47" ; + rdfs:isDefinedBy . + +unit:PK_US_DRY-PER-DAY a qudt:Unit ; + rdfs:label "Peck (US Dry) Per Day"@en ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.019649e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA944" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "peck{US}/day" ; + qudt:ucumCode "[pk_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L48" ; + rdfs:isDefinedBy . + +unit:PK_US_DRY-PER-HR a qudt:Unit ; + rdfs:label "Peck (US Dry) Per Hour"@en ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.447158e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA945" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "peck{US}/hr" ; + qudt:ucumCode "[pk_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L49" ; + rdfs:isDefinedBy . + +unit:PK_US_DRY-PER-MIN a qudt:Unit ; + rdfs:label "Peck (US Dry) Per Minute"@en ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000146829459067 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA946" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "peck{US}/min" ; + qudt:ucumCode "[pk_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L50" ; + rdfs:isDefinedBy . + +unit:PK_US_DRY-PER-SEC a qudt:Unit ; + rdfs:label "Peck (US Dry) Per Second"@en ; + dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00880976754 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA947" ; + qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "peck{US}/s" ; + qudt:ucumCode "[pk_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L51" ; + rdfs:isDefinedBy . + +unit:PetaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "PetaCoulomb"@en ; + dcterms:description "A PetaCoulomb is \\(10^{15} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+15 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Peta ; + qudt:symbol "PC" ; + qudt:ucumCode "PC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:PicoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "PicoCoulomb"@en ; + dcterms:description "A PicoCoulomb is \\(10^{-12} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA929" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pC" ; + qudt:ucumCode "pC"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C71" ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:PicoL a qudt:Unit ; + rdfs:label "Picolitre"@en, + "Picolitre"@en-us ; + dcterms:description "0.000000000001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:plainTextDescription "0.000000000001-fold of the unit litre" ; + qudt:symbol "pL" ; + qudt:ucumCode "pL"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q33" ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-L a qudt:Unit ; + rdfs:label "Picomoles per litre"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:symbol "pmol/L" ; + qudt:ucumCode "pmol.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoMOL-PER-M3 a qudt:Unit ; + rdfs:label "Picomoles per cubic metre"@en ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:Solubility_Water ; + qudt:symbol "pmol/m³" ; + qudt:ucumCode "pmol.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PlanckFrequency a qudt:Unit ; + rdfs:label "Planck Frequency"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.85487e+43 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_angular_frequency?oldid=493641308"^^xsd:anyURI ; + qudt:symbol "planckfrequency" ; + rdfs:isDefinedBy . + +unit:PlanckVolume a qudt:Unit ; + rdfs:label "Planck Volume"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 4.22419e-105 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:symbol "l³ₚ" ; + rdfs:isDefinedBy . + +unit:QT_UK a qudt:Unit ; + rdfs:label "Quart (UK)"@en ; + dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0011365225 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA963" ; + qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; + qudt:symbol "qt{UK}" ; + qudt:ucumCode "[qt_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTI" ; + rdfs:isDefinedBy . + +unit:QT_UK-PER-DAY a qudt:Unit ; + rdfs:label "Quart (UK Liquid) Per Day"@en ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.31542e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA710" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day" ; + qudt:symbol "qt{UK}/day" ; + qudt:ucumCode "[qt_br].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K94" ; + rdfs:isDefinedBy . + +unit:QT_UK-PER-HR a qudt:Unit ; + rdfs:label "Quart (UK Liquid) Per Hour"@en ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 3.157007e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA711" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour" ; + qudt:symbol "qt{UK}/hr" ; + qudt:ucumCode "[qt_br].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K95" ; + rdfs:isDefinedBy . + +unit:QT_UK-PER-MIN a qudt:Unit ; + rdfs:label "Quart (UK Liquid) Per Minute"@en ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1.894205e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA712" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute" ; + qudt:symbol "qt{UK}/min" ; + qudt:ucumCode "[qt_br].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K96" ; + rdfs:isDefinedBy . + +unit:QT_UK-PER-SEC a qudt:Unit ; + rdfs:label "Quart (UK Liquid) Per Second"@en ; + dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0011365225 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA713" ; + qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second" ; + qudt:symbol "qt{UK}/s" ; + qudt:ucumCode "[qt_br].h-1.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K97" ; + rdfs:isDefinedBy . + +unit:QT_US-PER-DAY a qudt:Unit ; + rdfs:label "Quart (US Liquid) Per Day"@en ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.095316e-08 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA714" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day" ; + qudt:symbol "qt{US}/day" ; + qudt:ucumCode "[qt_us].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K98" ; + rdfs:isDefinedBy . + +unit:QT_US-PER-HR a qudt:Unit ; + rdfs:label "Quart (US Liquid) Per Hour"@en ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.628758e-07 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA715" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; + qudt:symbol "qt{US}/hr" ; + qudt:ucumCode "[qt_us].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K99" ; + rdfs:isDefinedBy . + +unit:QT_US-PER-MIN a qudt:Unit ; + rdfs:label "Quart (US Liquid) Per Minute"@en ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.577255e-05 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA716" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; + qudt:symbol "qt{US}/min" ; + qudt:ucumCode "[qt_us].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L10" ; + rdfs:isDefinedBy . + +unit:QT_US-PER-SEC a qudt:Unit ; + rdfs:label "Quart (US Liquid) Per Second"@en ; + dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 9.46353e-04 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA717" ; + qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; + qudt:symbol "qt{US}/s" ; + qudt:ucumCode "[qt_us].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L11" ; + rdfs:isDefinedBy . + +unit:RAD-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "radiánů na metr"@cs, + "Radiant je Meter"@de, + "radian per metre"@en, + "Radian per Meter"@en-us, + "radián por metro"@es, + "رادیان بر متر"@fa, + "radian par mètre"@fr, + "प्रति मीटर वर्ग मीटर"@hi, + "radiante al metro"@it, + "ラジアン毎メートル"@ja, + "radian per meter"@ms, + "radian na metr"@pl, + "radiano por metro"@pt, + "radiane pe metru"@ro, + "радиан на метр"@ru, + "radyan bölü metre"@tr, + "弧度每米"@zh ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularWavenumber, + quantitykind:DebyeAngularWavenumber, + quantitykind:FermiAngularWavenumber ; + qudt:iec61360Code "0112/2///62720#UAA967" ; + qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "rad/m" ; + qudt:ucumCode "rad.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C84" ; + rdfs:isDefinedBy . + +unit:S-PER-M a qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "siemensů na metr"@cs, + "Siemens je Meter"@de, + "siemens per metre"@en, + "Siemens Per Meter"@en-us, + "siemens por metro"@es, + "زیمنس بر متر"@fa, + "siemens par mètre"@fr, + "प्रति मीटर सीमैन्स"@hi, + "siemens al metro"@it, + "ジーメンス毎メートル"@ja, + "siemens per meter"@ms, + "simens na metr"@pl, + "siemens por metro"@pt, + "siemens pe metru"@ro, + "сименс на метр"@ru, + "siemens na meter"@sl, + "siemens bölü metre"@tr, + "西门子每米"@zh ; + dcterms:description "SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:exactMatch unit:KiloGM-PER-M2-PA-SEC ; + qudt:expression "\\(s-per-m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Conductivity, + quantitykind:ElectrolyticConductivity ; + qudt:iec61360Code "0112/2///62720#UAA279" ; + qudt:plainTextDescription "SI derived unit siemens divided by the SI base unit metre" ; + qudt:symbol "S/m" ; + qudt:ucumCode "S.m-1"^^qudt:UCUMcs, + "S/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D10" ; + rdfs:isDefinedBy . + +unit:SAMPLE-PER-SEC a qudt:Unit ; + rdfs:label "Sample per second"@en ; + dcterms:description "The number of discrete samples of some thing per second."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(sample-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "sample/s" ; + qudt:ucumCode "s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:STR a qudt:Unit ; + rdfs:label "Stere"@en ; + dcterms:description "The stere is a unit of volume in the original metric system equal to one cubic metre. The stere is typically used for measuring large quantities of firewood or other cut wood, while the cubic meter is used for uncut wood. It is not part of the modern metric system (SI). In Dutch there's also a kuub, short for kubieke meter which is similar but different."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/St%C3%A8re"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA987" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stère?oldid=393570287"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "st" ; + qudt:ucumCode "st"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G26" ; + rdfs:isDefinedBy . + +unit:Standard a qudt:Unit ; + rdfs:label "Standard"@en ; + dcterms:description "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre"^^rdf:HTML ; + qudt:conversionMultiplier 4.672 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB116" ; + qudt:plainTextDescription "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre" ; + qudt:symbol "standard" ; + qudt:ucumCode "1980.[bf_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WSD" ; + rdfs:isDefinedBy . + +unit:TBSP a qudt:Unit ; + rdfs:label "Tablespoon"@en ; + dcterms:description "In the US and parts of Canada, a tablespoon is the largest type of spoon used for eating from a bowl. In the UK and most Commonwealth countries, a tablespoon is a type of large spoon usually used for serving. In countries where a tablespoon is a serving spoon, the nearest equivalent to the US tablespoon is either the dessert spoon or the soup spoon. A tablespoonful, nominally the capacity of one tablespoon, is commonly used as a measure of volume in cooking. It is abbreviated as T, tb, tbs, tbsp, tblsp, or tblspn. The capacity of ordinary tablespoons is not regulated by law and is subject to considerable variation. In most countries one level tablespoon is approximately 15 mL; in Australia it is 20 mL."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.478677e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tablespoon"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB006" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tablespoon?oldid=494615208"^^xsd:anyURI ; + qudt:symbol "tbsp" ; + qudt:ucumCode "[tbs_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "Tbl", + "Tblsp", + "Tbsp", + "tblsp", + "tbsp" ; + qudt:uneceCommonCode "G24" ; + rdfs:isDefinedBy . + +unit:TONNE-PER-HA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "tonne per hectare"@en ; + dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:MegaGM-PER-HA, + unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/ha" ; + qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-HA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "metric tonne per hectare"@en ; + dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:MegaGM-PER-HA, + unit:TONNE-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassPerArea ; + qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; + qudt:symbol "t/ha" ; + qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_SHIPPING_US a qudt:Unit ; + rdfs:label "Ton (US Shipping)"@en ; + dcterms:description "traditional unit for volume of cargo, especially in shipping"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.1326 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB011" ; + qudt:plainTextDescription "traditional unit for volume of cargo, especially in shipping" ; + qudt:symbol "MTON" ; + qudt:uneceCommonCode "L86" ; + rdfs:isDefinedBy . + +unit:TON_SHORT-PER-HR a qudt:Unit ; + rdfs:label "Short Ton per Hour"@en ; + dcterms:description "The short Ton per Hour is a unit used to express a weight processed in a period of time."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.251995761 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:TON_US-PER-HR ; + qudt:expression "\\(ton/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:MassFlowRate, + quantitykind:MassPerTime ; + qudt:symbol "ton/hr" ; + qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TSP a qudt:Unit ; + rdfs:label "Teaspoon"@en ; + dcterms:description "A teaspoon is a unit of volume. In the United States one teaspoon as a unit of culinary measure is \\(1/3\\) tablespoon , that is, \\(\\approx 4.93 mL\\); it is exactly \\(1/6 U.S. fl. oz\\), \\(1/48 \\; cup\\), and \\(1/768 \\; U.S. liquid gallon\\) (see United States customary units for relative volumes of these other measures) and approximately \\(1/3 cubic inch\\). For nutritional labeling on food packages in the U.S., the teaspoon is defined as precisely \\(5 mL\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.928922e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Teaspoon"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB007" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Teaspoon?oldid=490940468"^^xsd:anyURI ; + qudt:symbol "tsp" ; + qudt:ucumCode "[tsp_us]"^^qudt:UCUMcs ; + qudt:udunitsCode "tsp" ; + qudt:uneceCommonCode "G25" ; + rdfs:isDefinedBy . + +unit:TeraC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "TeraCoulomb"@en ; + dcterms:description "A TeraCoulomb is \\(10^{12} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+12 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Tera ; + qudt:symbol "TC" ; + qudt:ucumCode "TC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:TeraHZ a qudt:Unit ; + rdfs:label "Terahertz"@en ; + dcterms:description "1 000 000 000 000-fold of the SI derived unit hertz"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e+12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA287" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit hertz" ; + qudt:prefix prefix1:Tera ; + qudt:symbol "THz" ; + qudt:ucumCode "THz"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D29" ; + rdfs:isDefinedBy . + +unit:V-A a qudt:Unit ; + rdfs:label "فولت. أمبير"@ar, + "Voltampere"@de, + "volt ampere"@en, + "voltiamperio"@es, + "voltampère"@fr, + "volt ampere"@it, + "volt-ampere"@pt, + "вольт-ампер"@ru ; + dcterms:description "product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ComplexPower, + quantitykind:NonActivePower ; + qudt:iec61360Code "0112/2///62720#UAA298" ; + qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit ampere" ; + qudt:symbol "V⋅A" ; + qudt:ucumCode "V.A"^^qudt:UCUMcs ; + qudt:udunitsCode "VA" ; + qudt:uneceCommonCode "D46" ; + rdfs:isDefinedBy . + +unit:V-PER-CentiM a qudt:Unit ; + rdfs:label "Volt Per Centimetre"@en, + "Volt Per Centimeter"@en-us ; + dcterms:description "derived SI unit volt divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAB054" ; + qudt:plainTextDescription "derived SI unit volt divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "V/cm" ; + qudt:ucumCode "V.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D47" ; + rdfs:isDefinedBy . + +unit:V-PER-IN a qudt:Unit ; + rdfs:label "Volt Per Inch"@en ; + dcterms:description "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 39.37007874015748 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA300" ; + qudt:plainTextDescription "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "V/in" ; + qudt:ucumCode "V.[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H23" ; + rdfs:isDefinedBy . + +unit:V-PER-MilliM a qudt:Unit ; + rdfs:label "Volt Per Millimetre"@en, + "Volt Per Millimeter"@en-us ; + dcterms:description "SI derived unit volt divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA302" ; + qudt:plainTextDescription "SI derived unit volt divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "V/mm" ; + qudt:ucumCode "V.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D51" ; + rdfs:isDefinedBy . + +unit:V-SEC-PER-M a qudt:Unit ; + rdfs:label "Volt Second Per Metre"@en, + "Volt Second Per Meter"@en-us ; + dcterms:description "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength, + quantitykind:MagneticVectorPotential, + quantitykind:ScalarMagneticPotential ; + qudt:iec61360Code "0112/2///62720#UAA303" ; + qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre" ; + qudt:symbol "V⋅s/m" ; + qudt:ucumCode "V.s.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H45" ; + rdfs:isDefinedBy . + +unit:W-HR-PER-M2 a qudt:Unit ; + rdfs:label "Watt hour per square metre"@en ; + dcterms:description "A unit of energy per unit area, equivalent to 3,600 joules per square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+03 ; + qudt:conversionOffset 0e+00 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3,600 joules per square metre." ; + qudt:symbol "W⋅h/m²" ; + rdfs:isDefinedBy . + +unit:W-HR-PER-M3 a qudt:Unit ; + rdfs:label "Watthour per Cubic metre"@en, + "Watthour per Cubic meter"@en-us ; + dcterms:description "The watt hour per cubic meter is a unit of energy density, equal to 3,600 joule per cubic meter."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyDensity ; + qudt:symbol "W⋅hr/m³" ; + qudt:ucumCode "W.h.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-GM a qudt:Unit ; + rdfs:label "Watt per Gram"@en ; + dcterms:description "SI derived unit watt divided by the SI derived unit gram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:MilliW-PER-MilliGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:hasQuantityKind quantitykind:AbsorbedDoseRate, + quantitykind:SpecificPower ; + qudt:plainTextDescription "SI derived unit watt divided by the SI derived unit gram" ; + qudt:symbol "W/g" ; + qudt:ucumCode "W.g-1"^^qudt:UCUMcs, + "W/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-SEC-PER-M2 a qudt:Unit ; + rdfs:label "Watt seconds per square metre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea ; + qudt:symbol "W⋅s/m²" ; + qudt:ucumCode "W.s.m-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:WB a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ويبر; فيبر"@ar, + "вебер"@bg, + "weber"@cs, + "Weber"@de, + "βέμπερ"@el, + "weber"@en, + "weber"@es, + "وبر"@fa, + "weber"@fr, + "ובר"@he, + "वैबर"@hi, + "weber"@hu, + "weber"@it, + "ウェーバ"@ja, + "weberium"@la, + "weber"@ms, + "weber"@pl, + "weber"@pt, + "weber"@ro, + "вебер"@ru, + "weber"@sl, + "weber"@tr, + "韦伯"@zh ; + dcterms:description "The SI unit of magnetic flux. \"Flux\" is the rate (per unit of time) at which something crosses a surface perpendicular to the flow. The weber is a large unit, equal to \\(10^{8}\\) maxwells, and practical fluxes are usually fractions of one weber. The weber is the magnetic flux which, linking a circuit of one turn, would produce in it an electromotive force of 1 volt if it were reduced to zero at a uniform rate in 1 second. In SI base units, the dimensions of the weber are \\((kg \\cdot m^2)/(s^2 \\cdot A)\\). The weber is commonly expressed in terms of other derived units as the Tesla-square meter (\\(T \\cdot m^2\\)), volt-seconds (\\(V \\cdot s\\)), or joules per ampere (\\(J/A\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Weber"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFlux ; + qudt:iec61360Code "0112/2///62720#UAA317" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Weber_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "V.s" ; + qudt:symbol "Wb" ; + qudt:ucumCode "Wb"^^qudt:UCUMcs ; + qudt:udunitsCode "Wb" ; + qudt:uneceCommonCode "WEB" ; + rdfs:isDefinedBy . + +unit:YD3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Yard"@en ; + dcterms:description "A cubic yard is an Imperial / U.S. customary unit of volume, used in the United States, Canada, and the UK. It is defined as the volume of a cube with sides of 1 yard in length."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.764554857984 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(yd^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAB035" ; + qudt:symbol "yd³" ; + qudt:ucumCode "[cyd_i]"^^qudt:UCUMcs, + "[yd_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "YDQ" ; + rdfs:isDefinedBy . + +unit:YD3-PER-DAY a qudt:Unit ; + rdfs:label "Cubic Yard Per Day"@en ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 8.849015e-06 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB037" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; + qudt:symbol "yd³/day" ; + qudt:ucumCode "[cyd_i].d-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M12" ; + rdfs:isDefinedBy . + +unit:YD3-PER-HR a qudt:Unit ; + rdfs:label "Cubic Yard Per Hour"@en ; + dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00021237634944 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB038" ; + qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour" ; + qudt:symbol "yd³/hr" ; + qudt:ucumCode "[cyd_i].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M13" ; + rdfs:isDefinedBy . + +unit:YD3-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Yard per Minute"@en ; + dcterms:description "\"Cubic Yard per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(yd^{3}/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0127425809664 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(yd^{3}/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB040" ; + qudt:symbol "yd³/min" ; + qudt:ucumCode "[cyd_i].min-1"^^qudt:UCUMcs, + "[cyd_i]/min"^^qudt:UCUMcs, + "[yd_i]3.min-1"^^qudt:UCUMcs, + "[yd_i]3/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M15" ; + rdfs:isDefinedBy . + +unit:YD3-PER-SEC a qudt:Unit ; + rdfs:label "Cubic Yard Per Second"@en ; + dcterms:description "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.764554857984 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAB041" ; + qudt:plainTextDescription "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "yd³/s" ; + qudt:ucumCode "[cyd_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M16" ; + rdfs:isDefinedBy . + +unit:YoctoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "YoctoCoulomb"@en ; + dcterms:description "A YoctoCoulomb is \\(10^{-24} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-24 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Yocto ; + qudt:symbol "yC" ; + qudt:ucumCode "yC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:YottaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "YottaCoulomb"@en ; + dcterms:description "A YottaCoulomb is \\(10^{24} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+24 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Yotta ; + qudt:symbol "YC" ; + qudt:ucumCode "YC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:ZeptoC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ZeptoCoulomb"@en ; + dcterms:description "A ZeptoCoulomb is \\(10^{-21} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-21 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Zepto ; + qudt:symbol "zC" ; + qudt:ucumCode "zC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:ZettaC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ZettaCoulomb"@en ; + dcterms:description "A ZettaCoulomb is \\(10^{21} C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+21 ; + qudt:derivedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:prefix prefix1:Zetta ; + qudt:symbol "ZC" ; + qudt:ucumCode "ZC"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + prov:wasDerivedFrom unit:C . + +unit:failures-in-time a qudt:Unit ; + rdfs:label "Failures In Time"@en ; + dcterms:description "unit of failure rate"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAB403" ; + qudt:plainTextDescription "unit of failure rate" ; + qudt:symbol "failures/s" ; + qudt:ucumCode "s-1{failures}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FIT" ; + rdfs:isDefinedBy . + +s223:ActuatableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Actuatable Property" ; + rdfs:comment "This class describes non-numeric properties of which real-time value can be modified by a user or a machine outside of the model." ; + rdfs:subClassOf s223:Property . + +s223:DC-12V a s223:Class, + s223:DC-12V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "12V" ; + s223:hasVoltage s223:Voltage-12V ; + rdfs:comment "This class has enumerated instances of all polarities of 12 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-24V a s223:Class, + s223:DC-24V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "24V" ; + s223:hasVoltage s223:Voltage-24V ; + rdfs:comment "This class has enumerated instances of all polarities of 24 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-380V a s223:Class, + s223:DC-380V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "380V" ; + s223:hasVoltage s223:Voltage-380V ; + rdfs:comment "This class has enumerated instances of all polarities of 380 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-48V a s223:Class, + s223:DC-48V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "48V" ; + s223:hasVoltage s223:Voltage-48V ; + rdfs:comment "This class has enumerated instances of all polarities of 48 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-5V a s223:Class, + s223:DC-5V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "5V" ; + s223:hasVoltage s223:Voltage-5V ; + rdfs:comment "This class has enumerated instances of all polarities of 5 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:DC-6V a s223:Class, + s223:DC-6V, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "6V" ; + s223:hasVoltage s223:Voltage-6V ; + rdfs:comment "This class has enumerated instances of all polarities of 6 volt electricity." ; + rdfs:subClassOf s223:Electricity-DC . + +s223:EnumerationKind-Binary a s223:Class, + s223:EnumerationKind-Binary, + sh:NodeShape ; + rdfs:label "EnumerationKind Binary" ; + rdfs:comment "This class has enumerated subclasses of True, False and Unknown used to describe the possible values of a binary property" ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-Direction a s223:Class, + s223:EnumerationKind-Direction, + sh:NodeShape ; + rdfs:label "Direction" ; + rdfs:comment "This class has enumerated subclasses of Bidirectional, Inlet and Outlet used to qualify ConnectionPoints." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-OnOff a s223:Class, + s223:EnumerationKind-OnOff, + sh:NodeShape ; + rdfs:label "OnOff enumeration" ; + rdfs:comment "This class has enumerated subclasses of states of either on or off." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-Position a s223:Class, + s223:EnumerationKind-Position, + sh:NodeShape ; + rdfs:label "Position" ; + rdfs:comment "This class has enumerated subclasses of position such as closed or open." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-RunStatus a s223:Class, + s223:EnumerationKind-RunStatus, + sh:NodeShape ; + rdfs:label "Run status" ; + rdfs:comment "This class is a more general form of EnumerationKind-OnOff, allowing for additional status values beyond on or off." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:LineNeutralVoltage-110V a s223:Class, + s223:LineNeutralVoltage-110V, + sh:NodeShape ; + rdfs:label "110V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-110V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "110V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-127V a s223:Class, + s223:LineNeutralVoltage-127V, + sh:NodeShape ; + rdfs:label "127V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-127V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "127V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-139V a s223:Class, + s223:LineNeutralVoltage-139V, + sh:NodeShape ; + rdfs:label "139V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-139V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "139V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-1730V a s223:Class, + s223:LineNeutralVoltage-1730V, + sh:NodeShape ; + rdfs:label "1730V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-1730V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "1730V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-1900V a s223:Class, + s223:LineNeutralVoltage-1900V, + sh:NodeShape ; + rdfs:label "1900V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-1900V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "1900V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-208V a s223:Class, + s223:LineNeutralVoltage-208V, + sh:NodeShape ; + rdfs:label "208V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-208V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "208V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-219V a s223:Class, + s223:LineNeutralVoltage-219V, + sh:NodeShape ; + rdfs:label "219V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-219V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "219V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-231V a s223:Class, + s223:LineNeutralVoltage-231V, + sh:NodeShape ; + rdfs:label "231V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-231V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "231V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-2400V a s223:Class, + s223:LineNeutralVoltage-2400V, + sh:NodeShape ; + rdfs:label "2400V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-2400V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "2400V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-240V a s223:Class, + s223:LineNeutralVoltage-240V, + sh:NodeShape ; + rdfs:label "240V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-240V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "240V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-277V a s223:Class, + s223:LineNeutralVoltage-277V, + sh:NodeShape ; + rdfs:label "277V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-277V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "277V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-3460V a s223:Class, + s223:LineNeutralVoltage-3460V, + sh:NodeShape ; + rdfs:label "3460V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-3460V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3460V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-347V a s223:Class, + s223:LineNeutralVoltage-347V, + sh:NodeShape ; + rdfs:label "347V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-347V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "347V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-3810V a s223:Class, + s223:LineNeutralVoltage-3810V, + sh:NodeShape ; + rdfs:label "3810V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-3810V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3810V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:LineNeutralVoltage-5770V a s223:Class, + s223:LineNeutralVoltage-5770V, + sh:NodeShape ; + rdfs:label "5770V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-5770V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "5770V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:Medium-EM a s223:Class, + s223:Medium-EM, + sh:NodeShape ; + rdfs:label "Electromagnetic Wave" ; + rdfs:comment "This class has enumerated subclasses of electromagnetic energy at any frequency range." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:Occupancy-Motion a s223:Class, + s223:Occupancy-Motion, + sh:NodeShape ; + rdfs:label "Occupancy Motion" ; + rdfs:comment "This class has enumerated subclasses indicating whether motion is detected or not." ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:Occupancy-Presence a s223:Class, + s223:Occupancy-Presence, + sh:NodeShape ; + rdfs:label "Occupancy Presence" ; + rdfs:comment "This class has enumerated subclasses indicating whether physical presence is detected or not." ; + rdfs:subClassOf s223:EnumerationKind-Occupancy . + +s223:TerminalUnit a s223:Class, + sh:NodeShape ; + rdfs:label "Terminal Unit" ; + rdfs:comment "An air terminal that modulates the volume of air delivered to a space." ; + rdfs:subClassOf s223:Equipment ; + sh:property [ rdfs:comment "A TerminalUnit shall have at least one inlet ConnectionPoint using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ; + sh:node [ sh:property [ sh:class s223:Medium-Air ; + sh:path s223:hasMedium ] ] ] ], + [ rdfs:comment "A TerminalUnit shall have at least one outlet ConnectionPoint using the medium Air." ; + sh:minCount 1 ; + sh:path s223:hasConnectionPoint ; sh:qualifiedMinCount 1 ; sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ; sh:node [ sh:property [ sh:class s223:Medium-Air ; sh:path s223:hasMedium ] ] ] ] . -s223:DayOfWeek-Weekday a s223:Class, - s223:DayOfWeek-Weekday, - sh:NodeShape ; - rdfs:label "Day of week-Weekday", - "Weekday" ; - rdfs:comment "This class defines the EnumerationKind values of Monday, Tuesday, Wednesday, Thursday, and Friday" ; - rdfs:subClassOf s223:EnumerationKind-DayOfWeek . +s223:Voltage-12V a s223:Class, + s223:Voltage-12V, + sh:NodeShape ; + rdfs:label "12V Voltage" ; + s223:hasValue 12.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "12V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-190V a s223:Class, + s223:Voltage-190V, + sh:NodeShape ; + rdfs:label "190V Voltage" ; + s223:hasValue 190.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "190V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-48V a s223:Class, + s223:Voltage-48V, + sh:NodeShape ; + rdfs:label "48V Voltage" ; + s223:hasValue 48.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "48V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-5V a s223:Class, + s223:Voltage-5V, + sh:NodeShape ; + rdfs:label "5V Voltage" ; + s223:hasValue 5.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "5V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-6V a s223:Class, + s223:Voltage-6V, + sh:NodeShape ; + rdfs:label "6V Voltage" ; + s223:hasValue 6.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "6V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:connectedFrom a rdf:Property ; + rdfs:label "connected from" ; + s223:inverseOf s223:connectedTo ; + rdfs:comment "The relation connectedFrom means that connectable things are connected with a specific flow direction. B is connectedFrom A, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedTo (see `s223:connectedTo`)." ; + rdfs:domain s223:Equipment . + +s223:connectsAt a rdf:Property ; + rdfs:label "connects at" ; + s223:inverseOf s223:connectsThrough ; + rdfs:comment "The connectsAt relation binds a Connection to a specific ConnectionPoint. See Figure x.y." . + +s223:hasObservationLocationHigh a rdf:Property ; + rdfs:label "has observation location high" ; + rdfs:comment "The relation hasObservationLocationHigh associates a differential sensor to one of the topological locations where a differential property is observed (see `s223:observes`)." ; + rdfs:subPropertyOf s223:hasObservationLocation . + +s223:hasValue a rdf:Property ; + rdfs:label "hasValue" ; + rdfs:comment "hasValue is used to contain a fixed value that is part of a 223 model, rather than a computed, measured, or externally derived variable." . + +qudt:Aspect a qudt:AspectClass, + sh:NodeShape ; + rdfs:label "QUDT Aspect" ; + rdfs:comment "An aspect is an abstract type class that defines properties that can be reused."^^rdf:HTML ; + rdfs:isDefinedBy , + ; + rdfs:subClassOf rdfs:Resource ; + sh:property qudt:Aspect-rdfs_isDefinedBy . + +qudt:exactMatch a rdf:Property ; + rdfs:label "exact match" ; + rdfs:isDefinedBy . + +qudt:hasDefinedUnit a rdf:Property ; + rdfs:label "defined unit" ; + dcterms:description "This property relates a unit system with a unit of measure that is defined by the system."^^rdf:HTML ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:hasUnit . + +qudt:isUnitOfSystem a rdf:Property ; + rdfs:label "is unit of system" ; + dcterms:description "This property relates a unit of measure with a system of units that either a) defines the unit or b) allows the unit to be used within the system."^^rdf:HTML ; + rdfs:isDefinedBy . + +qudt:latexDefinition a rdf:Property ; + rdfs:label "latex definition" ; + rdfs:isDefinedBy . + +qkdv:A-1E0L0I0M1H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L0I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarMass ; + qudt:latexDefinition "\\(M N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A-1E0L3I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L3I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SecondOrderReactionRateConstant ; + qudt:latexDefinition "\\(L^3 N^-1 T^-1 \\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-1L2I0M1H0T-4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L2I0M1H0T-4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerElectricCharge ; + qudt:latexDefinition "\\(L^2 M T^-4 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-2L3I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L3I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M0H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M0H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^{-2} T^2\\)"^^qudt:LatexString ; + vaem:todo "Permeability should be force/current**2, which is ML/T2E2. Permittivity should be T4E2L-3M-1" ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-2H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-2H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M-1H0T0D0 a qudt:ISO-DimensionVector, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M-1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ExposureRate, + quantitykind:SpecificElectricCurrent ; + qudt:latexDefinition "\\(I M^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy , + . + +qkdv:NotApplicable a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "Not Applicable" ; + dcterms:description "This is a placeholder dimension vector used in cases where there is no appropriate dimension vector"^^rdf:HTML ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +prefix1:Atto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Atto"@en ; + dcterms:description "\"atto\" is a decimal prefix for expressing a value with a scaling of \\(10^{-18}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atto"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atto?oldid=412748080"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-18 ; + qudt:symbol "a" ; + qudt:ucumCode "a" ; + rdfs:isDefinedBy . + +prefix1:Exa a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Exa"@en ; + dcterms:description "'exa' is a decimal prefix for expressing a value with a scaling of \\(10^{18}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Exa-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Exa-?oldid=494400216"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+18 ; + qudt:symbol "E" ; + qudt:ucumCode "E" ; + rdfs:isDefinedBy . + +prefix1:Femto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Femto"@en ; + dcterms:description "'femto' is a decimal prefix for expressing a value with a scaling of \\(10^{-15}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Femto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Femto-?oldid=467211359"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-15 ; + qudt:symbol "f" ; + qudt:ucumCode "f" ; + rdfs:isDefinedBy . + +prefix1:Hecto a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Hecto"@en ; + dcterms:description "'hecto' is a decimal prefix for expressing a value with a scaling of \\(10^{2}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hecto-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hecto-?oldid=494711166"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+02 ; + qudt:symbol "h" ; + qudt:ucumCode "h" ; + rdfs:isDefinedBy . + +prefix1:Peta a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Peta"@en ; + dcterms:description "'peta' is a decimal prefix for expressing a value with a scaling of \\(10^{15}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Peta"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Peta?oldid=488263435"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+15 ; + qudt:symbol "P" ; + qudt:ucumCode "P" ; + rdfs:isDefinedBy . + +quantitykind:Compressibility a qudt:QuantityKind ; + rdfs:label "Compressibility"@en ; + dcterms:description "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-N, + unit:PER-BAR, + unit:PER-MILLE-PER-PSI, + unit:PER-PA ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\chi = -(\\frac{1}{V})\\frac{dV}{d\\rho}\\), where \\(V\\) is volume and \\(p\\) is pressure."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change." ; + rdfs:isDefinedBy . + +quantitykind:ElectricChargePerAmountOfSubstance a qudt:QuantityKind ; + rdfs:label "Electric charge per amount of substance"@en ; + dcterms:description "\"Electric Charge Per Amount Of Substance\" is the charge assocated with a given amount of substance. Un the ISO and SI systems this is \\(1 mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-MOL, + unit:C_Stat-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricField a qudt:QuantityKind ; + rdfs:label "Electric Field"@en ; + dcterms:description "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)."^^rdf:HTML ; + qudt:applicableUnit unit:V-PER-M, + unit:V_Ab-PER-CentiM, + unit:V_Stat-PER-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_field"^^xsd:anyURI ; + qudt:expression "\\(E\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; + qudt:plainTextDescription "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)." ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerTemperature a qudt:QuantityKind ; + rdfs:label "Energy per temperature"@en ; + qudt:applicableUnit unit:KiloJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:FrictionCoefficient a qudt:QuantityKind ; + rdfs:label "Friction Coefficient"@en ; + dcterms:description "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together"^^rdf:HTML ; + qudt:applicableUnit unit:NUM, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI, + "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together" ; + qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:InverseEnergy_Squared a qudt:QuantityKind ; + rdfs:label "Inverse Square Energy"@en ; + qudt:applicableUnit unit:PER-EV2, + unit:PER-GigaEV2, + unit:PER-J2 ; + qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; + rdfs:isDefinedBy . + +quantitykind:KinematicViscosity a qudt:QuantityKind ; + rdfs:label "لزوجة"@ar, + "viskozita"@cs, + "kinematische Viskosität"@de, + "kinematic viscosity"@en, + "viscosidad cinemática"@es, + "گرانروی جنبشی/ویسکوزیته جنبشی"@fa, + "viscosité cinématique"@fr, + "श्यानता"@hi, + "viscosità cinematica"@it, + "粘度"@ja, + "Kelikatan kinematik"@ms, + "lepkość kinematyczna"@pl, + "viscosidade cinemática"@pt, + "Viscozitate cinematică"@ro, + "кинематическую вязкость"@ru, + "kinematična viskoznost"@sl, + "Kinematik akmazlık"@tr, + "运动粘度"@zh ; + dcterms:description "The ratio of the viscosity of a liquid to its density. Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or tensile stress. In many situations, we are concerned with the ratio of the inertial force to the viscous force (that is the Reynolds number), the former characterized by the fluid density \\(\\rho\\). This ratio is characterized by the kinematic viscosity (Greek letter \\(\\nu\\)), defined as follows: \\(\\nu = \\mu / \\rho\\). The SI unit of \\(\\nu\\) is \\(m^{2}/s\\). The SI unit of \\(\\nu\\) is \\(kg/m^{1}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiST, + unit:ST ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Viscosity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\nu = \\frac{\\eta}{\\rho}\\), where \\(\\eta\\) is dynamic viscosity and \\(\\rho\\) is mass density."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:DynamicViscosity, + quantitykind:MolecularViscosity ; + skos:broader quantitykind:AreaPerTime . + +quantitykind:MagneticAreaMoment a qudt:QuantityKind ; + rdfs:label "Magnetic Area Moment"@en ; + dcterms:description "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2, + unit:EV-PER-T, + unit:J-PER-T ; + qudt:exactMatch quantitykind:MagneticMoment ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"." ; + qudt:symbol "m" ; + rdfs:isDefinedBy . + +quantitykind:MagneticField a qudt:QuantityKind ; + rdfs:label "Magnetic Field"@en ; + dcterms:description "The Magnetic Field, denoted \\(B\\), is a fundamental field in electrodynamics which characterizes the magnetic force exerted by electric currents. It is closely related to the auxillary magnetic field H (see quantitykind:AuxillaryMagneticField)."^^qudt:LatexString ; + qudt:applicableUnit unit:Gamma, + unit:T, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:symbol "B" ; + rdfs:isDefinedBy . + +quantitykind:MagneticFluxPerUnitLength a qudt:QuantityKind ; + rdfs:label "Magnetic flux per unit length"@en ; + dcterms:description "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities."^^rdf:HTML ; + qudt:applicableUnit unit:N-PER-A, + unit:T-M, + unit:V-SEC-PER-M ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:plainTextDescription "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities." ; + rdfs:isDefinedBy . + +quantitykind:MagneticMoment a qudt:QuantityKind ; + rdfs:label "عزم مغناطيسي"@ar, + "Magnetický dipól"@cs, + "magnetisches Dipolmoment"@de, + "giromagnetic moment"@en, + "magnetic moment"@en, + "momento de dipolo magnético"@es, + "دوقطبی مغناطیسی"@fa, + "moment giromagnétique"@fr, + "moment magnétique"@fr, + "चुम्बकीय द्विध्रुव"@hi, + "momento di dipolo magnetico"@it, + "磁気双極子"@ja, + "Momen magnetik"@ms, + "momen giromagnetik"@ms, + "dipol magnetyczny"@pl, + "momento de dipolo magnético"@pt, + "Магнитный момент"@ru, + "Manyetik moment"@tr, + "磁偶极"@zh ; + dcterms:description "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment."^^rdf:HTML ; + qudt:applicableUnit unit:A-M2, + unit:EV-PER-T, + unit:J-PER-T ; + qudt:exactMatch quantitykind:MagneticAreaMoment ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment." ; + qudt:symbol "m" ; + rdfs:isDefinedBy . + +quantitykind:MagneticReluctivity a qudt:QuantityKind ; + rdfs:label "Magnetic Reluctivity"@en ; + dcterms:description "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself."^^rdf:HTML ; + qudt:applicableUnit unit:PER-T-M ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI ; + qudt:plainTextDescription "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectromagneticPermeability . + +quantitykind:MagneticVectorPotential a qudt:QuantityKind ; + rdfs:label "magnetický potenciál"@cs, + "magnetisches Potenzial"@de, + "magnetic vector potential"@en, + "potencial magnético"@es, + "پتانسیل برداری مغناطیسی"@fa, + "potentiel magnétique"@fr, + "potenziale vettore magnetico"@it, + "Keupayaan vektor magnetik"@ms, + "potencjał magnetyczny"@pl, + "potencial magnético"@pt, + "potențial magnetic"@ro, + "Магнитний потенциал"@ru, + "manyetik potansiyeli"@tr, + "磁向量势"@zh ; + dcterms:description "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero."^^rdf:HTML ; + qudt:applicableUnit unit:KiloWB-PER-M, + unit:V-SEC-PER-M, + unit:WB-PER-M, + unit:WB-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-23"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(B = \\textbf{rot} A\\), where \\(B\\) is magnetic flux density."^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero." ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFluxDensity . + +quantitykind:MagnetomotiveForce a qudt:QuantityKind ; + rdfs:label "Magnetomotive Force"@en ; + dcterms:description "\\(\\textbf{Magnetomotive Force}\\) (\\(mmf\\)) is the ability of an electric circuit to produce magnetic flux. Just as the ability of a battery to produce electric current is called its electromotive force or emf, mmf is taken as the work required to move a unit magnet pole from any point through any path which links the electric circuit back the same point in the presence of the magnetic force produced by the electric current in the circuit. \\(\\textbf{Magnetomotive Force}\\) is the scalar line integral of the magnetic field strength along a closed path."^^qudt:LatexString ; + qudt:applicableUnit unit:A, + unit:AT, + unit:GI, + unit:OERSTED-CentiM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetomotive_force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(F_m = \\oint \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(F_m \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticFieldStrength_H . + +quantitykind:MolalityOfSolute a qudt:QuantityKind ; + rdfs:label "Molality of Solute"@en ; + dcterms:description "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM, + unit:KiloMOL-PER-KiloGM, + unit:MOL-PER-KiloGM, + unit:MicroMOL-PER-GM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molality"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(b_B = \\frac{n_B}{m_a}\\), where \\(n_B\\) is the amount of substance and \\(m_A\\) is the mass."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent." ; + qudt:symbol "b_B" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AmountOfSubstancePerUnitMass . + +quantitykind:MortalityRate a qudt:QuantityKind ; + rdfs:label "Mortality Rate"@en ; + dcterms:description "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; + qudt:applicableUnit unit:DEATHS-PER-KiloINDIV-YR, + unit:DEATHS-PER-MegaINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; + qudt:plainTextDescription "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Incidence . + +quantitykind:OrbitalAngularMomentumQuantumNumber a qudt:QuantityKind ; + rdfs:label "Orbital Angular Momentum Quantum Number"@en ; + dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(l^2 = \\hbar^2 l(l + 1), l = 0, 1, ..., n - 1\\), where \\(l_i\\) refers to a specific particle \\(i\\)."^^qudt:LatexString ; + qudt:symbol "l" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber, + quantitykind:PrincipalQuantumNumber, + quantitykind:SpinQuantumNumber . + +quantitykind:ParticleFluence a qudt:QuantityKind ; + rdfs:label "Particle Fluence"@en ; + dcterms:description "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-HA, + unit:NUM-PER-KiloM2, + unit:NUM-PER-M2, + unit:PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\frac{dN}{dA}\\), where \\(dN\\) describes the number of particles incident on a small spherical domain at a given point in space, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)." ; + rdfs:isDefinedBy . + +quantitykind:PowerPerElectricCharge a qudt:QuantityKind ; + rdfs:label "Power Per Electric Charge"@en ; + dcterms:description "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge."^^rdf:HTML ; + qudt:applicableUnit unit:MilliV-PER-MIN, + unit:V-PER-MicroSEC, + unit:V-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; + qudt:plainTextDescription "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge." ; + rdfs:isDefinedBy . + +quantitykind:Reflectance a qudt:QuantityKind ; + rdfs:label "Reflectance"@en ; + dcterms:description "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0."^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:PERCENT, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the reflected radiant flux, the reflected luminous flux, or the reflected sound power and \\(\\Phi_m\\) is the incident radiant flux, incident luminous flux, or incident sound power, respectively."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:SecondAxialMomentOfArea a qudt:QuantityKind ; + rdfs:label "Second Axial Moment of Area"@en ; + dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; + qudt:applicableUnit unit:IN4, + unit:M4, + unit:MilliM4 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_a = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; + qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy . + +quantitykind:SecondOrderReactionRateConstant a qudt:QuantityKind ; + rdfs:label "Reaction Rate Constant"@en ; + dcterms:description "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL-SEC, + unit:M3-PER-MOL-SEC ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; + qudt:plainTextDescription "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction." ; + rdfs:isDefinedBy . + +quantitykind:SoundPowerLevel a qudt:QuantityKind ; + rdfs:label "Sound power level"@en ; + dcterms:description "Sound Power Level abbreviated as \\(SWL\\) expresses sound power more practically as a relation to the threshold of hearing - 1 picoW - in a logarithmic scale."^^qudt:LatexString ; + qudt:applicableUnit unit:B, + unit:DeciB, + unit:DeciB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power#Sound_power_level"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_W = 10 \\log_{10} \\frac{P}{P_0} dB\\), where \\(P\\) is sound power and the reference value is \\(P_0 =1pW\\)."^^qudt:LatexString ; + qudt:symbol "L" ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:SpecificActivity a qudt:QuantityKind ; + rdfs:label "Specific Activity"@en ; + dcterms:description "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-KiloGM, + unit:MicroBQ-PER-KiloGM, + unit:MilliBQ-PER-GM, + unit:MilliBQ-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_activity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = \\frac{A}{m}\\), where \\(A\\) is the activity of a sample and \\(m\\) is its mass."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel." ; + qudt:symbol "a" ; + rdfs:isDefinedBy . + +quantitykind:SpecificImpulse a qudt:QuantityKind ; + rdfs:label "Specific Impulse"@en ; + dcterms:description "The impulse produced by a rocket divided by the mass \\(mp\\) of propellant consumed. Specific impulse \\({I_{sp}}\\) is a widely used measure of performance for chemical, nuclear, and electric rockets. It is usually given in seconds for both U.S. Customary and International System (SI) units. The impulse produced by a rocket is the thrust force \\(F\\) times its duration \\(t\\) in seconds. \\(I_{sp}\\) is the thrust per unit mass flowrate, but with \\(g_o\\), is the thrust per weight flowrate. The specific impulse is given by the equation: \\(I_{sp} = \\frac{F}{\\dot{m}g_o}\\)."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:informativeReference "http://www.grc.nasa.gov/WWW/K-12/airplane/specimp.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassFlowRate . + +quantitykind:SpectralRadiantEnergyDensity a qudt:QuantityKind ; + rdfs:label "Spectral Radiant Energy Density"@en ; + dcterms:description "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-M4, + unit:KiloPA-PER-MilliM, + unit:PA-PER-M ; + qudt:expression "\\(M-PER-L2-T2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; + qudt:plainTextDescription "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)." ; + rdfs:isDefinedBy . + +quantitykind:Strain a qudt:QuantityKind ; + rdfs:label "Strain"@en ; + dcterms:description "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]"^^rdf:HTML ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Strain"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearStrain ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +quantitykind:SurfaceDensity a qudt:QuantityKind ; + rdfs:label "Surface Density"@en ; + dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-KiloM2, + unit:KiloGM-PER-M2, + unit:LB-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac{dm}{dA}\\), where \\(m\\) is mass and \\(A\\) is area."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area." ; + rdfs:isDefinedBy . + +quantitykind:TemperaturePerMagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "Temperature per Magnetic Flux Density"@en ; + qudt:applicableUnit unit:K-PER-T ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; + rdfs:isDefinedBy . + +quantitykind:Thrust a qudt:QuantityKind ; + rdfs:label "Thrust"@en ; + dcterms:description """Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system. +The pushing or pulling force developed by an aircraft engine or a rocket engine. +The force exerted in any direction by a fluid jet or by a powered screw, as, the thrust of an antitorque rotor. +Specifically, in rocketry, \\( F\\,= m\\cdot v\\) where m is propellant mass flow and v is exhaust velocity relative to the vehicle. Also called momentum thrust."""^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thrust"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:plainTextDescription "Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Force . + +quantitykind:TotalLinearStoppingPower a qudt:QuantityKind ; + rdfs:label "Total Linear Stopping Power"@en ; + dcterms:description "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-CentiM, + unit:EV-PER-ANGSTROM, + unit:EV-PER-M, + unit:J-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(S = -\\frac{dE}{dx}\\), where \\(-dE\\) is the energy decrement in the \\(x-direction\\) along an elementary path with the length \\(dx\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length." ; + qudt:symbol "S" ; + rdfs:isDefinedBy . + +quantitykind:VaporPermeability a qudt:QuantityKind ; + rdfs:label "Vapor Permeability"@en ; + dcterms:description "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M2-PA-SEC, + unit:NanoGM-PER-M2-PA-SEC, + unit:PERM_Metric, + unit:PERM_US ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; + qudt:informativeReference "https://www.designingbuildings.co.uk/wiki/Vapour_Permeability"^^xsd:anyURI ; + qudt:plainTextDescription "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric." ; + rdfs:isDefinedBy . + +quantitykind:VolumetricHeatCapacity a qudt:QuantityKind ; + rdfs:label "Volumetric Heat Capacity"@en ; + dcterms:description "\\(\\textit{Volumetric Heat Capacity (VHC)}\\), also termed \\(\\textit{volume-specific heat capacity}\\), describes the ability of a given volume of a substance to store internal energy while undergoing a given temperature change, but without undergoing a phase transition. It is different from specific heat capacity in that the VHC is a \\(\\textit{per unit volume}\\) measure of the relationship between thermal energy and temperature of a material, while the specific heat is a \\(\\textit{per unit mass}\\) measure (or occasionally per molar quantity of the material)."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-M3-K, + unit:LB_F-PER-IN2-DEG_F, + unit:MilliBAR-PER-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volumetric_heat_capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_heat_capacity"^^xsd:anyURI ; + rdfs:isDefinedBy . + +unit:BIOT a qudt:Unit ; + rdfs:label "Biot"@en ; + dcterms:description "\"Biot\" is another name for the abampere (aA), which is the basic electromagnetic unit of electric current in the emu-cgs (centimeter-gram-second) system of units. It is called after a French physicist, astronomer, and mathematician Jean-Baptiste Biot. One abampere is equal to ten amperes in the SI system of units. One abampere is the current, which produces a force of 2 dyne/cm between two infinitively long parallel wires that are 1 cm apart."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 10.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Biot"^^xsd:anyURI ; + qudt:exactMatch unit:A_Ab ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:ElectricCurrent ; + qudt:iec61360Code "0112/2///62720#UAB210" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Biot?oldid=443318821"^^xsd:anyURI, + "http://www.translatorscafe.com/cafe/EN/units-converter/current/10-4/"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Bi" ; + qudt:ucumCode "Bi"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N96" ; + rdfs:isDefinedBy . + +unit:C-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Coulomb per Kilogram"@en ; + dcterms:description "\\(\\textbf{Coulomb Per Kilogram (C/kg)}\\) is the unit in the category of Exposure. It is also known as coulombs per kilogram, coulomb/kilogram. This unit is commonly used in the SI unit system. Coulomb Per Kilogram (C/kg) has a dimension of \\(M^{-1}TI\\) where \\(M\\) is mass, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:iec61360Code "0112/2///62720#UAA131" ; + qudt:symbol "C/kg" ; + qudt:ucumCode "C.kg-1"^^qudt:UCUMcs, + "C/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CKG" ; + rdfs:isDefinedBy . + +unit:C-PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Coulomb per Mole"@en ; + dcterms:description " (\\(C/mol\\)) is a unit in the category of Molar electric charge. It is also known as \\(coulombs/mol\\). Coulomb Per Mol has a dimension of \\(TN{-1}I\\) where \\(T\\) is time, \\(N\\) is amount of substance, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(c-per-mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; + qudt:iec61360Code "0112/2///62720#UAB142" ; + qudt:symbol "c/mol" ; + qudt:ucumCode "C.mol-1"^^qudt:UCUMcs, + "C/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A32" ; + rdfs:isDefinedBy . + +unit:CAL_TH-PER-GM a qudt:Unit ; + rdfs:label "Calorie (thermochemical) Per Gram"@en ; + dcterms:description "Thermochemical Calorie. Calories produced per gram of substance."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:expression "\\(cal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy ; + qudt:iec61360Code "0112/2///62720#UAB153" ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; + qudt:plainTextDescription "unit thermochemical calorie divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:symbol "cal{th}/g" ; + qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs, + "cal_th/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B36" ; + rdfs:isDefinedBy . + +unit:C_Stat a qudt:Unit ; + rdfs:label "Statcoulomb"@en ; + dcterms:description "The statcoulomb (\\(statC\\)) or franklin (\\(Fr\\)) or electrostatic unit of charge (\\(esu\\)) is the physical unit for electrical charge used in the centimetre-gram-second system of units (cgs) and Gaussian units. It is a derived unit given by \\(1\\ statC = 1\\ g\\ cm\\ s = 1\\ erg\\ cm\\). The SI system of units uses the coulomb (C) instead. The conversion between C and statC is different in different contexts. The number 2997924580 is 10 times the value of the speed of light expressed in meters/second, and the conversions are exact except where indicated. The coulomb is an extremely large charge rarely encountered in electrostatics, while the statcoulomb is closer to everyday charges."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 3.335641e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Statcoulomb"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:exactMatch unit:FR ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statcoulomb?oldid=492664360"^^xsd:anyURI ; + qudt:latexDefinition "\\(1 C \\leftrightarrow 2997924580 statC \\approx 3.00 \\times 10^9 statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.3pc} \\approx 3.34 \\times 10^{-10} C\\) for electric charge."^^qudt:LatexString, + "\\(1 C \\leftrightarrow 4 \\pi \\times 2997924580 statC \\approx 3.77 \\times 10^{10} statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.2pc} \\approx 2.6 \\times 10^{-11} C\\) for electric flux \\(\\Phi_D\\)"^^qudt:LatexString, + "\\(1 C/m \\leftrightarrow 4 \\pi \\times 2997924580 \\times 10^{-4} statC/cm \\approx 3.77 \\times 10^6 statC/cm,\\ 1 \\hspace{0.3pc} statC/cm \\leftrightarrow \\hspace{0.3pc} \\approx 2.65 \\times 10^{-7} C/m\\) for electric displacement field \\(D\\)."^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "statC" ; + rdfs:isDefinedBy . + +unit:CentiM-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Centimetre per Square Second"@en, + "Centimeter per Square Second"@en-us ; + dcterms:description "\\(\\textit{Centimeter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(cm/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(cm/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB398" ; + qudt:symbol "cm/s²" ; + qudt:ucumCode "cm.s-2"^^qudt:UCUMcs, + "cm/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M39" ; + rdfs:isDefinedBy . + +unit:DEGREE_BALLING a qudt:Unit ; + rdfs:label "Degree Balling"@en ; + dcterms:description "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA031" ; + qudt:plainTextDescription "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution" ; + qudt:symbol "°Balling" ; + qudt:uneceCommonCode "J17" ; + rdfs:isDefinedBy . + +unit:DEGREE_BAUME a qudt:Unit ; + rdfs:label "Degree Baume (origin Scale)"@en ; + dcterms:description """graduation of the areometer scale for determination of densitiy of fluids. + +The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA028" ; + qudt:plainTextDescription """graduation of the areometer scale for determination of densitiy of fluids. + +The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; + qudt:symbol "°Bé{origin}" ; + qudt:uneceCommonCode "J14" ; + rdfs:isDefinedBy . + +unit:DEGREE_BAUME_US_HEAVY a qudt:Unit ; + rdfs:label "Degree Baume (US Heavy)"@en ; + dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA029" ; + qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water" ; + qudt:symbol "°Bé{US Heavy}" ; + qudt:uneceCommonCode "J15" ; + rdfs:isDefinedBy . + +unit:DEGREE_BAUME_US_LIGHT a qudt:Unit ; + rdfs:label "Degree Baume (US Light)"@en ; + dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA030" ; + qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water" ; + qudt:symbol "°Bé{US Light}" ; + qudt:uneceCommonCode "J16" ; + rdfs:isDefinedBy . + +unit:DEGREE_BRIX a qudt:Unit ; + rdfs:label "Degree Brix"@en ; + dcterms:description "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA032" ; + qudt:plainTextDescription "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution" ; + qudt:symbol "°Bx" ; + qudt:uneceCommonCode "J18" ; + rdfs:isDefinedBy . + +unit:DEGREE_OECHSLE a qudt:Unit ; + rdfs:label "Degree Oechsle"@en ; + dcterms:description "unit of the density of the must, as measure for the proportion of the soluble material in the grape must"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA048" ; + qudt:plainTextDescription "unit of the density of the must, as measure for the proportion of the soluble material in the grape must" ; + qudt:symbol "°Oe" ; + qudt:uneceCommonCode "J27" ; + rdfs:isDefinedBy . + +unit:DEGREE_PLATO a qudt:Unit ; + rdfs:label "Degree Plato"@en ; + dcterms:description "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA049" ; + qudt:plainTextDescription "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation" ; + qudt:symbol "°P" ; + qudt:uneceCommonCode "PLA" ; + rdfs:isDefinedBy . + +unit:DEGREE_TWADDELL a qudt:Unit ; + rdfs:label "Degree Twaddell"@en ; + dcterms:description "unit of the density of fluids, which are heavier than water"^^rdf:HTML ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA054" ; + qudt:plainTextDescription "unit of the density of fluids, which are heavier than water" ; + qudt:symbol "°Tw" ; + qudt:uneceCommonCode "J31" ; + rdfs:isDefinedBy . + +unit:ERG-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Erg Second"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-07 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:symbol "erg⋅s" ; + qudt:ucumCode "erg.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:EV-PER-T a qudt:Unit ; + rdfs:label "Electron Volt per Tesla"@en ; + dcterms:description "\"Electron Volt per Tesla\" is a unit for 'Magnetic Dipole Moment' expressed as \\(eV T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:expression "\\(eV T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment, + quantitykind:MagneticMoment ; + qudt:symbol "eV/T" ; + qudt:ucumCode "eV.T-1"^^qudt:UCUMcs, + "eV/T"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FC a qudt:Unit ; + rdfs:label "Foot Candle"@en ; + dcterms:description "\"Foot Candle\" is a unit for 'Luminous Flux Per Area' expressed as \\(fc\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 10.764 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-candle"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-candle?oldid=475579268"^^xsd:anyURI ; + qudt:symbol "fc" ; + qudt:uneceCommonCode "P27" ; + rdfs:isDefinedBy . + +unit:FR a qudt:Unit ; + rdfs:label "Franklin"@en ; + dcterms:description "\"Franklin\" is a unit for 'Electric Charge' expressed as \\(Fr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 3.335641e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Franklin"^^xsd:anyURI ; + qudt:exactMatch unit:C_Stat ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAB212" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Franklin?oldid=495090654"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Fr" ; + qudt:uneceCommonCode "N94" ; + rdfs:isDefinedBy . + +unit:FT-LB_F-SEC a qudt:Unit ; + rdfs:label "Foot Pound Force Second"@en ; + dcterms:description "\"Foot Pound Force Second\" is a unit for 'Angular Momentum' expressed as \\(lbf / s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf / s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:symbol "lbf/s" ; + qudt:ucumCode "[ft_i].[lbf_av].s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Foot per Square Second"@en ; + dcterms:description "\\(\\textit{Foot per Square Second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(ft/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft/s^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA452" ; + qudt:symbol "ft/s²" ; + qudt:ucumCode "[ft_i].s-2"^^qudt:UCUMcs, + "[ft_i]/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A73" ; + rdfs:isDefinedBy . + +unit:FemtoGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Femtograms per kilogram"@en ; + dcterms:description "One part per 10**18 by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "fg/kg" ; + qudt:ucumCode "fg.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FemtoGM-PER-L a qudt:Unit ; + rdfs:label "Femtograms per litre"@en ; + dcterms:description "One 10**18 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "fg/L" ; + qudt:ucumCode "fg.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:G a qudt:Unit ; + rdfs:label "Gravity"@en ; + dcterms:description "\"Gravity\" is a unit for 'Linear Acceleration' expressed as \\(G\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:symbol "G" ; + qudt:ucumCode "[g]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K40" ; + rdfs:isDefinedBy . + +unit:GALILEO a qudt:Unit ; + rdfs:label "Galileo"@en ; + dcterms:description "The \\(\\textit{Galileo}\\) is the unit of acceleration of free fall used extensively in the science of gravimetry. The Galileo is defined as \\(1 \\textit{centimeter per square second}\\) (\\(1 cm/s^2\\)). Unfortunately, the Galileo is often denoted with the symbol Gal, not to be confused with the Gallon that also uses the same symbol."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gal"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gal?oldid=482010741"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "CGS unit of acceleration called gal with the definition: 1 Gal = 1 cm/s" ; + qudt:symbol "Gal" ; + qudt:ucumCode "Gal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A76" ; + rdfs:isDefinedBy . + +unit:GM-PER-CentiM3 a qudt:Unit ; + rdfs:label "Gram Per Cubic Centimetre"@en, + "Gram Per Cubic Centimeter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA469" ; + qudt:plainTextDescription "0.001-fold of the SI base unit kilogram divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/cm³" ; + qudt:ucumCode "g.cm-3"^^qudt:UCUMcs, + "g/cm3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "23" ; + rdfs:isDefinedBy . + +unit:GM-PER-DeciL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "grams per decilitre"@en, + "grams per decilitre"@en-us ; + dcterms:description "A derived unit for amount-of-substance concentration measured in g/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:expression "\\(g/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "g/dL" ; + qudt:ucumCode "g.dL-1"^^qudt:UCUMcs, + "g/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-DeciM3 a qudt:Unit ; + rdfs:label "Gram Per Cubic Decimetre"@en, + "Gram Per Cubic Decimeter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA475" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/dm³" ; + qudt:ucumCode "g.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F23" ; + rdfs:isDefinedBy . + +unit:GM-PER-GM a qudt:Unit ; + rdfs:label "Gram Per Gram"@en ; + dcterms:description "mass ratio consisting of the 0.001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "g/g" ; + qudt:ucumCode "g.g-1"^^qudt:UCUMcs, + "g/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GM-PER-KiloGM a qudt:Unit ; + rdfs:label "Gram Per Kilogram"@en ; + dcterms:description "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA481" ; + qudt:plainTextDescription "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "g/kg" ; + qudt:ucumCode "g.kg-1"^^qudt:UCUMcs, + "g/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GK" ; + rdfs:isDefinedBy . + +unit:GM-PER-L a qudt:Unit ; + rdfs:label "Gram Per Litre"@en, + "Gram Per Liter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA482" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "g/L" ; + qudt:ucumCode "g.L-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GL" ; + rdfs:isDefinedBy . + +unit:GM-PER-M3 a qudt:Unit ; + rdfs:label "Gram Per Cubic Metre"@en, + "Gram Per Cubic Meter"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA487" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "g/m³" ; + qudt:ucumCode "g.m-3"^^qudt:UCUMcs, + "g/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A93" ; + rdfs:isDefinedBy . + +unit:GM-PER-MilliL a qudt:Unit ; + rdfs:label "Gram Per Millilitre"@en, + "Gram Per Millilitre"@en-us ; + dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA493" ; + qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre" ; + qudt:symbol "g/mL" ; + qudt:ucumCode "g.mL-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GJ" ; + rdfs:isDefinedBy . + +unit:GRAIN-PER-GAL a qudt:Unit ; + rdfs:label "Grain per Gallon"@en ; + dcterms:description "\"Grain per Gallon\" is an Imperial unit for 'Density' expressed as \\(gr/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.017118061 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(gr/gal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "grain{UK}/gal" ; + qudt:ucumCode "[gr].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K41" ; + rdfs:isDefinedBy . + +unit:GRAIN-PER-GAL_US a qudt:Unit ; + rdfs:label "Grain Per Gallon (US)"@en ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.01711806 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA524" ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "grain{US}/gal" ; + qudt:ucumCode "[gr].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K41" ; + rdfs:isDefinedBy . + +unit:GRAIN-PER-M3 a qudt:Unit ; + rdfs:label "Grains per Cubic Metre"@en, + "Grains per Cubic Meter"@en-us ; + dcterms:description "Grains per cubic metre of volume"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00006479891 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:plainTextDescription "Grains per cubic metre of volume" ; + qudt:symbol "Grain/m³" ; + qudt:ucumCode "[gr]/m3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:GT a qudt:Unit ; + rdfs:label "Gross Tonnage"@en ; + dcterms:description "The formula for calculating GT is given by \\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\)"^^qudt:LatexString ; + qudt:conversionMultiplier 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "http://www.imo.org/en/About/Conventions/ListOfConventions/Pages/International-Convention-on-Tonnage-Measurement-of-Ships.aspx"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Gross_tonnage"^^xsd:anyURI ; + qudt:latexDefinition "\\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\) where V is measured in cubic meters."^^qudt:LatexString ; + qudt:plainTextDescription "Gross tonnage (GT, G.T. or gt) is a nonlinear measure of a ship's overall internal volume. Gross tonnage is different from gross register tonnage. Gross tonnage is used to determine things such as a ship's manning regulations, safety rules, registration fees, and port dues, whereas the older gross register tonnage is a measure of the volume of only certain enclosed spaces." ; + qudt:symbol "G.T." ; + qudt:ucumCode "t{gross}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GT" ; + rdfs:isDefinedBy ; + rdfs:seeAlso unit:RT . + +unit:H-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Henry per Metre"@en, + "Henry per Meter"@en-us ; + dcterms:description "The henry per meter (symbolized \\(H/m\\)) is the unit of magnetic permeability in the International System of Units ( SI ). Reduced to base units in SI, \\(1\\,H/m\\) is the equivalent of one kilogram meter per square second per square ampere."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(H/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticPermeability, + quantitykind:Permeability ; + qudt:iec61360Code "0112/2///62720#UAA168" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; + qudt:symbol "H/m" ; + qudt:ucumCode "H.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A98" ; + rdfs:isDefinedBy . + +unit:IN-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Inch per Square second"@en ; + dcterms:description "\\(\\textit{Inch per Square second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(in/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in/s2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB044" ; + qudt:symbol "in/s²" ; + qudt:ucumCode "[in_i].s-2"^^qudt:UCUMcs, + "[in_i]/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IV" ; + rdfs:isDefinedBy . + +unit:J-PER-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "جول لكل كلفن"@ar, + "joule na kelvin"@cs, + "Joule je Kelvin"@de, + "joule per kelvin"@en, + "julio por kelvin"@es, + "ژول بر کلوین"@fa, + "joule par kelvin"@fr, + "जूल प्रति कैल्विन"@hi, + "joule al kelvin"@it, + "ジュール毎立方メートル"@ja, + "joule per kelvin"@ms, + "dżul na kelwin"@pl, + "joule por kelvin"@pt, + "joule pe kelvin"@ro, + "джоуль на кельвин"@ru, + "joule na kelvin"@sl, + "joule bölü kelvin"@tr, + "焦耳每开尔文"@zh ; + dcterms:description "Joule Per Kelvin (J/K) is a unit in the category of Entropy. It is also known as joules per kelvin, joule/kelvin. This unit is commonly used in the SI unit system. Joule Per Kelvin (J/K) has a dimension of \\(ML^{2}T^{-2}Q^{-1}\\( where \\(M\\) is mass, L is length, T is time, and Q is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:Entropy, + quantitykind:HeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA173" ; + qudt:symbol "J/K" ; + qudt:ucumCode "J.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "JE" ; + rdfs:isDefinedBy . + +unit:J-PER-MOL-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Mole Kelvin"@en ; + dcterms:description "Energy needed to heat one mole of substance by 1 Kelvin, under standard conditions (not standard temperature and pressure STP). The standard molar entropy is usually given the symbol S, and has units of joules per mole kelvin ( \\( J\\cdot mol^{-1} K^{-1}\\)). Unlike standard enthalpies of formation, the value of S is an absolute. That is, an element in its standard state has a nonzero value of S at room temperature."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/(mol-K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:MolarEntropy, + quantitykind:MolarHeatCapacity ; + qudt:iec61360Code "0112/2///62720#UAA184" ; + qudt:symbol "J/(mol⋅K)" ; + qudt:ucumCode "J.mol-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B16" ; + rdfs:isDefinedBy . + +unit:KN-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Knot per Second"@en ; + dcterms:description "\\(\\textit{Knot per Second}\\) is a unit for 'Linear Acceleration' expressed as \\(kt/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5144444444444445 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kt/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:symbol "kn/s" ; + qudt:ucumCode "[kn_i].s-1"^^qudt:UCUMcs, + "[kn_i]/s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:Kilo-FT3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Thousand Cubic Foot"@en ; + dcterms:description "1 000-fold of the unit cubic foot. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 28.316846592 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume, + quantitykind:Volume ; + qudt:symbol "k(ft³)" ; + qudt:ucumCode "[k.cft_i]"^^qudt:UCUMcs, + "k[ft_i]3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FC" ; + rdfs:isDefinedBy . + +unit:KiloGAUSS a qudt:Unit ; + rdfs:label "Kilogauss"@en ; + dcterms:description "1 000-fold of the CGS unit of the magnetic flux density B"^^rdf:HTML ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB136" ; + qudt:plainTextDescription "1 000-fold of the CGS unit of the magnetic flux density B" ; + qudt:symbol "kGs" ; + qudt:ucumCode "kG"^^qudt:UCUMcs ; + qudt:uneceCommonCode "78" ; + rdfs:isDefinedBy . + +unit:KiloGM-M-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogramm mal Meter je Sekunde"@de, + "kilogram metre per second"@en, + "Kilogram Meter Per Second"@en-us, + "کیلوگرم متر بر ثانیه"@fa, + "chilogrammo per metro al secondo"@it, + "kilogram meter per saat"@ms, + "kilogram meter na sekundo"@sl, + "千克米每秒"@zh ; + dcterms:description "\"Kilogram Meter Per Second\" is a unit for 'Linear Momentum' expressed as \\(kg-m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg-m/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearMomentum, + quantitykind:Momentum ; + qudt:iec61360Code "0112/2///62720#UAA615" ; + qudt:symbol "kg⋅m/s" ; + qudt:ucumCode "kg.m.s-1"^^qudt:UCUMcs, + "kg.m/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B31" ; + rdfs:isDefinedBy . + +unit:KiloGM-M2-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram Square Metre Per Second"@en, + "Kilogram Square Meter Per Second"@en-us ; + dcterms:description "\"Kilogram Square Meter Per Second\" is a unit for 'Angular Momentum' expressed as \\(kg-m^2-s^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg-m2/sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAA623" ; + qudt:symbol "kg⋅m²/s" ; + qudt:ucumCode "kg.m2.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B33" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-CentiM3 a qudt:Unit ; + rdfs:label "Kilogram Per Cubic Centimetre"@en, + "Kilogram Per Cubic Centimeter"@en-us ; + dcterms:description "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA597" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kg/cm³" ; + qudt:ucumCode "kg.cm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G31" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-DeciM3 a qudt:Unit ; + rdfs:label "Kilogram Per Cubic Decimetre"@en, + "Kilogram Per Cubic Decimeter"@en-us ; + dcterms:description "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA604" ; + qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "kg/dm³" ; + qudt:ucumCode "kg.dm-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B34" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Kilogram Per Kilogram"@en ; + dcterms:description "SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA610" ; + qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "kg/kg" ; + qudt:ucumCode "kg.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "3H" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-L a qudt:Unit ; + rdfs:label "Kilogram Per Litre"@en, + "Kilogram Per Liter"@en-us ; + dcterms:description "SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA612" ; + qudt:plainTextDescription "SI base unit kilogram divided by the unit litre" ; + qudt:symbol "kg/L" ; + qudt:ucumCode "kg.L-1"^^qudt:UCUMcs, + "kg/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B35" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilogram per Square Metre"@en, + "Kilogram per Square Meter"@en-us ; + dcterms:description "Kilogram Per Square Meter (kg/m2) is a unit in the category of Surface density. It is also known as kilograms per square meter, kilogram per square metre, kilograms per square metre, kilogram/square meter, kilogram/square metre. This unit is commonly used in the SI unit system. Kilogram Per Square Meter (kg/m2) has a dimension of ML-2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:BodyMassIndex, + quantitykind:MassPerArea, + quantitykind:MeanMassRange, + quantitykind:SurfaceDensity ; + qudt:iec61360Code "0112/2///62720#UAA617" ; + qudt:symbol "kg/m²" ; + qudt:ucumCode "kg.m-2"^^qudt:UCUMcs, + "kg/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "28" ; + rdfs:isDefinedBy . + +unit:KiloHZ-M a qudt:Unit ; + rdfs:label "Kilohertz Metre"@en, + "Kilohertz Meter"@en-us ; + dcterms:description "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ConductionSpeed, + quantitykind:GroupSpeedOfSound, + quantitykind:PhaseSpeedOfSound, + quantitykind:SoundParticleVelocity ; + qudt:iec61360Code "0112/2///62720#UAA567" ; + qudt:plainTextDescription "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "kHz⋅m" ; + qudt:ucumCode "kHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M17" ; + rdfs:isDefinedBy . + +unit:KiloPA-M2-PER-GM a qudt:Unit ; + rdfs:label "Kilopascal Square Metre per Gram"@en, + "Kilopascal Square Meter per Gram"@en-us ; + dcterms:description "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB130" ; + qudt:plainTextDescription "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2" ; + qudt:symbol "kPa⋅m²/g" ; + qudt:ucumCode "kPa.m2.g-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "33" ; + rdfs:isDefinedBy . + +unit:L a qudt:Unit ; + rdfs:label "Litre"@en, + "Liter"@en-us ; + dcterms:description "The \\(litre\\) (American spelling: \\(\\textit{liter}\\); SI symbol \\(l\\) or \\(L\\)) is a non-SI metric system unit of volume equal to \\(1 \\textit{cubic decimetre}\\) (\\(dm^3\\)), 1,000 cubic centimetres (\\(cm^3\\)) or \\(1/1000 \\textit{cubic metre}\\). If the lower case \"L\" is used as the symbol, it is sometimes rendered as a cursive \"l\" to help distinguish it from the capital \"I\", although this usage has no official approval by any international bureau."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Litre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume, + quantitykind:Volume ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Litre?oldid=494846400"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "L" ; + qudt:ucumCode "L"^^qudt:UCUMcs, + "l"^^qudt:UCUMcs ; + qudt:udunitsCode "L" ; + qudt:uneceCommonCode "LTR" ; + rdfs:isDefinedBy ; + skos:altLabel "litre" . + +unit:L-PER-KiloGM a qudt:Unit ; + rdfs:label "Litre Per Kilogram"@en, + "Liter Per Kilogram"@en-us ; + dcterms:description "unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAB380" ; + qudt:plainTextDescription "unit of the volume litre divided by the SI base unit kilogram" ; + qudt:symbol "L/kg" ; + qudt:ucumCode "L.kg-1"^^qudt:UCUMcs, + "L/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H83" ; + rdfs:isDefinedBy . + +unit:LB-PER-FT3 a qudt:Unit ; + rdfs:label "Pound per Cubic Foot"@en ; + dcterms:description "\"Pound per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(lb/ft^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 16.018463373960138 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "lb/ft³" ; + qudt:ucumCode "[lb_av].[cft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "87" ; + rdfs:isDefinedBy . + +unit:LB-PER-GAL a qudt:Unit ; + rdfs:label "Pound per Gallon"@en ; + dcterms:description "\"Pound per Gallon\" is an Imperial unit for 'Density' expressed as \\(lb/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 99.7763727 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/gal\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "lb/gal" ; + qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-PER-GAL_UK a qudt:Unit ; + rdfs:label "Pound (avoirdupois) Per Gallon (UK)"@en ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 99.77637 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA679" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units" ; + qudt:symbol "lb/gal{UK}" ; + qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K71" ; + rdfs:isDefinedBy . + +unit:LB-PER-GAL_US a qudt:Unit ; + rdfs:label "Pound (avoirdupois) Per Gallon (US)"@en ; + dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 83.0812213 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA680" ; + qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units" ; + qudt:symbol "lb/gal{US}" ; + qudt:ucumCode "[lb_av].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GE" ; + rdfs:isDefinedBy . + +unit:LB-PER-IN3 a qudt:Unit ; + rdfs:label "Pound per Cubic Inch"@en ; + dcterms:description "\"Pound per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(lb/in^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 27679.904710203125 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/in^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "lb/in³" ; + qudt:ucumCode "[lb_av].[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LA" ; + rdfs:isDefinedBy . + +unit:LB-PER-M3 a qudt:Unit ; + rdfs:label "Pound per Cubic Metre"@en, + "Pound per Cubic Meter"@en-us ; + dcterms:description "\"Pound per Cubic Meter\" is a unit for 'Density' expressed as \\(lb/m^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:expression "\\(lb/m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "lb/m³" ; + qudt:ucumCode "[lb_av].m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB-PER-YD3 a qudt:Unit ; + rdfs:label "Pound per Cubic Yard"@en ; + dcterms:description "\"Pound per Cubic Yard\" is an Imperial unit for 'Density' expressed as \\(lb/yd^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.5932764212577829 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lb/yd^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "lb/yd³" ; + qudt:ucumCode "[lb_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K84" ; + rdfs:isDefinedBy . + +unit:LUX a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "لكس"@ar, + "лукс"@bg, + "lux"@cs, + "Lux"@de, + "lux"@el, + "lux"@en, + "lux"@es, + "لوکس"@fa, + "lux"@fr, + "לוקס"@he, + "लक्स"@hi, + "lux"@hu, + "lux"@it, + "ルクス"@ja, + "lux"@ms, + "luks"@pl, + "lux"@pt, + "lux"@ro, + "люкс"@ru, + "luks"@sl, + "lüks"@tr, + "勒克斯"@zh ; + dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:iec61360Code "0112/2///62720#UAA723" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "lm/m^2" ; + qudt:symbol "lx" ; + qudt:ucumCode "lx"^^qudt:UCUMcs ; + qudt:udunitsCode "lx" ; + qudt:uneceCommonCode "LUX" ; + rdfs:isDefinedBy . + +unit:M2-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Metre per Kilogram"@en, + "Square Meter per Kilogram"@en-us ; + dcterms:description "Square Meter Per Kilogram (m2/kg) is a unit in the category of Specific Area. It is also known as square meters per kilogram, square metre per kilogram, square metres per kilogram, square meter/kilogram, square metre/kilogram. This unit is commonly used in the SI unit system. Square Meter Per Kilogram (m2/kg) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(m^2/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MassAbsorptionCoefficient, + quantitykind:MassAttenuationCoefficient, + quantitykind:MassEnergyTransferCoefficient, + quantitykind:SpecificSurfaceArea ; + qudt:iec61360Code "0112/2///62720#UAA750" ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:symbol "m²/kg" ; + qudt:ucumCode "m2.kg-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D21" ; + rdfs:isDefinedBy . + +unit:M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "متر مكعب"@ar, + "кубичен метър"@bg, + "metr krychlový"@cs, + "Kubikmeter"@de, + "κυβικό μετρο"@el, + "cubic metre"@en, + "Cubic Meter"@en-us, + "metro cúbico"@es, + "متر مکعب"@fa, + "mètre cube"@fr, + "מטר מעוקב"@he, + "घन मीटर"@hi, + "metro cubo"@it, + "立方メートル"@ja, + "metrum cubicum"@la, + "meter kubik"@ms, + "metr sześcienny"@pl, + "metro cúbico"@pt, + "metru cub"@ro, + "кубический метр"@ru, + "kubični meter"@sl, + "metreküp"@tr, + "立方米"@zh ; + dcterms:description "The SI unit of volume, equal to 1.0e6 cm3, 1000 liters, 35.3147 ft3, or 1.30795 yd3. A cubic meter holds about 264.17 U.S. liquid gallons or 219.99 British Imperial gallons."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cubic_metre"^^xsd:anyURI ; + qudt:expression "\\(m^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:SectionModulus, + quantitykind:Volume ; + qudt:iec61360Code "0112/2///62720#UAA757" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cubic_metre?oldid=490956678"^^xsd:anyURI ; + qudt:symbol "m³" ; + qudt:ucumCode "m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTQ" ; + rdfs:isDefinedBy . + +unit:M3-PER-KiloGM a qudt:Unit ; + rdfs:label "Cubic Metre per Kilogram"@en, + "Cubic Meter per Kilogram"@en-us ; + dcterms:description "Cubic Meter Per Kilogram (m3/kg) is a unit in the category of Specific volume. It is also known as cubic meters per kilogram, cubic metre per kilogram, cubic metres per kilogram, cubic meter/kilogram, cubic metre/kilogram. This unit is commonly used in the SI unit system. Cubic Meter Per Kilogram (m3/kg) has a dimension of M-1L3 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3}/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:iec61360Code "0112/2///62720#UAA766" ; + qudt:symbol "m³/kg" ; + qudt:ucumCode "m3.kg-1"^^qudt:UCUMcs, + "m3/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A39" ; + rdfs:isDefinedBy . + +unit:M3-PER-MOL a qudt:Unit ; + rdfs:label "متر مكعب لكل مول"@ar, + "metr krychlový na mol"@cs, + "Kubikmeter je Mol"@de, + "cubic metre per mole"@en, + "Cubic Meter per Mole"@en-us, + "metro cúbico por mol"@es, + "متر مکعب بر مول"@fa, + "mètre cube par mole"@fr, + "घन मीटर प्रति मोल (इकाई)"@hi, + "metro cubo alla mole"@it, + "立方メートル 毎立方メートル"@ja, + "meter kubik per mole"@ms, + "metr sześcienny na mol"@pl, + "metro cúbico por mol"@pt, + "metru cub pe mol"@ro, + "кубический метр на моль"@ru, + "kubični meter na mol"@sl, + "metreküp bölü metre küp"@tr, + "立方米每摩尔"@zh ; + dcterms:description "

The molar volume, symbol \\(Vm\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (M) divided by the mass density. It has the SI unit cubic metres per mole \\(m3/mol\\), although it is more practical to use the units cubic decimetres per mole \\(dm3/mol\\) for gases and cubic centimetres per mole \\(cm3/mol\\) for liquids and solids

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3} mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarRefractivity, + quantitykind:MolarVolume ; + qudt:iec61360Code "0112/2///62720#UAA771" ; + qudt:symbol "m³/mol" ; + qudt:ucumCode "m3.mol-1"^^qudt:UCUMcs, + "m3/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A40" ; + rdfs:isDefinedBy . + +unit:MegaGM-PER-M3 a qudt:Unit ; + rdfs:label "Megagram Per Cubic Metre"@en, + "Megagram Per Cubic Meter"@en-us ; + dcterms:description "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA229" ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "Mg/m³" ; + qudt:ucumCode "Mg.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B72" ; + rdfs:isDefinedBy . + +unit:MicroG a qudt:Unit ; + rdfs:label "Microgravity"@en ; + dcterms:description "\"Microgravity\" is a unit for 'Linear Acceleration' expressed as \\(microG\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:latexSymbol "\\(\\mu G\\)"^^qudt:LatexString ; + qudt:symbol "µG" ; + qudt:ucumCode "u[g]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-DeciL a qudt:Unit ; + rdfs:label "Microgram Per Decilitre"@en, + "Microgram Per Deciliter"@en-us ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:plainTextDescription "0.0000000001-fold of the SI base unit kilogram divided by the unit decilitre" ; + qudt:symbol "μg/dL" ; + qudt:ucumCode "ug.dL-1"^^qudt:UCUMcs, + "ug/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-GM a qudt:Unit ; + rdfs:label "Micrograms per gram"@en ; + dcterms:description "One part per 10**6 (million) by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "µg/g" ; + qudt:ucumCode "ug.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Microgram Per Kilogram"@en ; + dcterms:description "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA083" ; + qudt:plainTextDescription "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "μg/kg" ; + qudt:ucumCode "ug.kg-1"^^qudt:UCUMcs, + "ug/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J33" ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-L a qudt:Unit ; + rdfs:label "Microgram Per Litre"@en, + "Microgram Per Liter"@en-us ; + dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA084" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "μg/L" ; + qudt:ucumCode "ug.L-1"^^qudt:UCUMcs, + "ug/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H29" ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-M3 a qudt:Unit ; + rdfs:label "Microgram Per Cubic Metre"@en, + "Microgram Per Cubic Meter"@en-us ; + dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA085" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "μg/m³" ; + qudt:ucumCode "ug.m-3"^^qudt:UCUMcs, + "ug/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GQ" ; + rdfs:isDefinedBy . + +unit:MicroT a qudt:Unit ; + rdfs:label "Microtesla"@en ; + dcterms:description "0.000001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA077" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit tesla" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µT" ; + qudt:ucumCode "uT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D81" ; + rdfs:isDefinedBy . + +unit:MilliG a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Milligravity"@en ; + dcterms:description "\"Milligravity\" is a unit for 'Linear Acceleration' expressed as \\(mG\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00980665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:symbol "mG" ; + qudt:ucumCode "m[g]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGAL a qudt:Unit ; + rdfs:label "Milligal"@en ; + dcterms:description "0.001-fold of the unit of acceleration called gal according to the CGS system of units"^^rdf:HTML ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAB043" ; + qudt:plainTextDescription "0.001-fold of the unit of acceleration called gal according to the CGS system of units" ; + qudt:symbol "mgal" ; + qudt:ucumCode "mGal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C11" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-GM a qudt:Unit ; + rdfs:label "Milligram Per Gram"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA822" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "mg/gm" ; + qudt:ucumCode "mg.g-1"^^qudt:UCUMcs, + "mg/g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H64" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Milligram Per Kilogram"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA826" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "mg/kg" ; + qudt:ucumCode "mg.kg-1"^^qudt:UCUMcs, + "mg/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NA" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-L a qudt:Unit ; + rdfs:label "Milligram Per Litre"@en, + "Milligram Per Liter"@en-us ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA827" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit litre" ; + qudt:symbol "mg/L" ; + qudt:ucumCode "mg.L-1"^^qudt:UCUMcs, + "mg/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M1" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-M3 a qudt:Unit ; + rdfs:label "Milligram Per Cubic Metre"@en, + "Milligram Per Cubic Meter"@en-us ; + dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA830" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "mg/m³" ; + qudt:ucumCode "mg.m-3"^^qudt:UCUMcs, + "mg/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GP" ; + rdfs:isDefinedBy . + +unit:MilliM3-PER-GM a qudt:Unit ; + rdfs:label "Cubic Millimetre per Gram"@en, + "Cubic Millimeter per Gram"@en-us ; + dcterms:description "Cubic Millimeter Per Gram (mm3/g) is a unit in the category of Specific Volume. It is also known as cubic millimeters per gram, cubic millimetre per gram, cubic millimetres per gram, cubic millimeter/gram, cubic millimetre/gram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}/g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:symbol "mm³/g" ; + qudt:ucumCode "mm3.g-1"^^qudt:UCUMcs, + "mm3/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliM3-PER-KiloGM a qudt:Unit ; + rdfs:label "Cubic Millimetre per Kilogram"@en, + "Cubic Millimeter per Kilogram"@en-us ; + dcterms:description "Cubic Millimeter Per Kilogram (mm3/kg) is a unit in the category of Specific Volume. It is also known as cubic millimeters per kilogram, cubic millimetre per kilogram, cubic millimetres per kilogram, cubic millimeter/kilogram, cubic millimetre/kilogram."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.000000001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(mm^{3}/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:symbol "mm³/kg" ; + qudt:ucumCode "mm3.kg-1"^^qudt:UCUMcs, + "mm3/kg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliMOL-PER-L a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "millimoles per litre"@en, + "millimoles per litre"@en-us ; + dcterms:description "The SI derived unit for amount-of-substance concentration is the mmo/L."^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(mmo/L\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration, + quantitykind:AmountOfSubstancePerUnitVolume, + quantitykind:BloodGlucoseLevel, + quantitykind:Solubility_Water ; + qudt:symbol "mmol/L" ; + qudt:ucumCode "mmol.L-1"^^qudt:UCUMcs, + "mmol/L"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M33" ; + rdfs:isDefinedBy . + +unit:MilliT a qudt:Unit ; + rdfs:label "Millitesla"@en ; + dcterms:description "0.001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA803" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit tesla" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mT" ; + qudt:ucumCode "mT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C29" ; + rdfs:isDefinedBy . + +unit:N-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "نيوتن متر"@ar, + "нютон-метър"@bg, + "newton metr"@cs, + "Newtonmeter"@de, + "νιούτον επί μέτρο; νιουτόμετρο"@el, + "newton metre"@en, + "Newton Meter"@en-us, + "newton metro"@es, + "نیوتون متر"@fa, + "newton-mètre"@fr, + "न्यूटन मीटर"@hi, + "newton per metro"@it, + "ニュートンメートル"@ja, + "newton meter"@ms, + "niutonometr; dżul na radian"@pl, + "newton-metro"@pt, + "newton-metru"@ro, + "ньютон-метр"@ru, + "newton meter"@sl, + "newton metre"@tr, + "牛米"@zh ; + dcterms:description "\"Torque\" is the tendency of a force to cause a rotation, is the product of the force and the distance from the center of rotation to the point where the force is applied. Torque has the same units as work or energy, but it is a different physical concept. To stress the difference, scientists measure torque in newton meters rather than in joules, the SI unit of work. One newton meter is approximately 0.737562 pound foot."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:J ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MomentOfForce, + quantitykind:Torque ; + qudt:iec61360Code "0112/2///62720#UAA239" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Newton_metre?oldid=493923333"^^xsd:anyURI ; + qudt:siUnitsExpression "N.m" ; + qudt:symbol "N⋅m" ; + qudt:ucumCode "N.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NU" ; + rdfs:isDefinedBy . + +unit:N-M-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "نيوتن متر ثانية"@ar, + "newton metr sekunda"@cs, + "Newtonmetersekunde"@de, + "newton metre second"@en, + "Newton Meter Second"@en-us, + "newton metro segundo"@es, + "نیوتون ثانیه"@fa, + "newton-mètre-seconde"@fr, + "न्यूटन मीटर सैकण्ड"@hi, + "newton per metro per secondo"@it, + "ニュートンメートル秒"@ja, + "newton meter saat"@ms, + "niutonometrosekunda"@pl, + "newton-metro-segundo"@pt, + "newton-metru-secundă"@ro, + "ньютон-метр-секунда"@ru, + "newton metre saniye"@tr, + "牛秒"@zh ; + dcterms:description "The SI derived unit of angular momentum. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAA245" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/SI_derived_unit"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:siUnitsExpression "N.m.sec" ; + qudt:symbol "N⋅m⋅s" ; + qudt:ucumCode "N.m.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C53" ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-DeciL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "nanograms per decilitre"@en, + "nanograms per decilitre"@en-us ; + dcterms:description "A derived unit for amount-of-substance concentration measured in ng/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.00000001 ; + qudt:expression "\\(ng/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "ng/dL" ; + qudt:ucumCode "ng.dL-1"^^qudt:UCUMcs, + "ng/dL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Nanogram Per Kilogram"@en ; + dcterms:description "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:iec61360Code "0112/2///62720#UAA911" ; + qudt:plainTextDescription "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "ng/Kg" ; + qudt:ucumCode "ng.kg-1"^^qudt:UCUMcs, + "ng/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L32" ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-L a qudt:Unit ; + rdfs:label "Nanograms per litre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "ng/L" ; + qudt:ucumCode "ng.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-M3 a qudt:Unit ; + rdfs:label "Nanogram Per Cubic Metre"@en, + "Nanogram Per Cubic Meter"@en-us ; + dcterms:description "\"0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3\""^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "ng/m³" ; + qudt:ucumCode "ng.m-3"^^qudt:UCUMcs ; + rdfs:comment "\"Derived from GM-PER-M3 which exists in QUDT\"" ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-MicroL a qudt:Unit ; + rdfs:label "Nanograms per microlitre"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "ng/µL" ; + qudt:ucumCode "ng.uL-1"^^qudt:UCUMcs, + "ng/uL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoT a qudt:Unit ; + rdfs:label "Nanotesla"@en ; + dcterms:description "0.000000001-fold of the SI derived unit tesla"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA909" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit tesla" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nT" ; + qudt:ucumCode "nT"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C48" ; + rdfs:isDefinedBy . + +unit:OZ-PER-GAL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Imperial Mass Ounce per Gallon"@en ; + dcterms:description "\"Ounce per Gallon\" is an Imperial unit for 'Density' expressed as \\(oz/gal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.23602329 ; + qudt:expression "oz/gal" ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "oz/gal{US}" ; + qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:OZ-PER-GAL_UK a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Gallon (UK)"@en ; + dcterms:description "unit of the density according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.2360 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA923" ; + qudt:plainTextDescription "unit of the density according to the Imperial system of units" ; + qudt:symbol "oz/gal{UK}" ; + qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L37" ; + rdfs:isDefinedBy . + +unit:OZ-PER-GAL_US a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Gallon (US)"@en ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 7.8125 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA924" ; + qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA924"^^xsd:anyURI ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "oz/gal{US}" ; + qudt:ucumCode "[oz_av].[gal_us]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L38" ; + rdfs:isDefinedBy . + +unit:OZ-PER-IN3 a qudt:Unit ; + rdfs:label "Imperial Mass Ounce per Cubic Inch"@en ; + dcterms:description "\"Ounce per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(oz/in^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1729.99404 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "oz/in^{3}" ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "oz/in³{US}" ; + qudt:ucumCode "[oz_av].[cin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L39" ; + rdfs:isDefinedBy . + +unit:OZ-PER-YD3 a qudt:Unit ; + rdfs:label "Ounce (avoirdupois) Per Cubic Yard"@en ; + dcterms:description "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0370798 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA918" ; + qudt:plainTextDescription "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; + qudt:symbol "oz/yd³" ; + qudt:ucumCode "[oz_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G32" ; + rdfs:isDefinedBy . + +unit:PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Second"@en ; + dcterms:description "A reciprical unit of time for \\(\\textit{reciprocal second}\\) or \\(\\textit{inverse second}\\). The \\(\\textit{Per Second}\\) is a unit of rate."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:HZ ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:symbol "/s" ; + qudt:ucumCode "/s"^^qudt:UCUMcs, + "s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C97" ; + rdfs:isDefinedBy . + +unit:PHOT a qudt:Unit ; + rdfs:label "Phot"@en ; + dcterms:description "A phot (ph) is a photometric unit of illuminance, or luminous flux through an area. It is not an SI unit, but rather is associated with the older centimetre gram second system of units. Metric dimensions: \\(illuminance = luminous intensity \\times solid angle / length\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Phot"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; + qudt:iec61360Code "0112/2///62720#UAB255" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Phot?oldid=477198725"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ph" ; + qudt:ucumCode "ph"^^qudt:UCUMcs ; + qudt:udunitsCode "ph" ; + qudt:uneceCommonCode "P26" ; + rdfs:isDefinedBy . + +unit:PicoGM-PER-GM a qudt:Unit ; + rdfs:label "Picograms per gram"@en ; + dcterms:description "One part per 10**12 (trillion) by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "pg/g" ; + qudt:ucumCode "pg.g-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoGM-PER-KiloGM a qudt:Unit ; + rdfs:label "Picograms per kilogram"@en ; + dcterms:description "One part per 10**15 by mass of the measurand in the matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:MassRatio ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; + qudt:symbol "pg/kg" ; + qudt:ucumCode "pg.kg-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PicoGM-PER-L a qudt:Unit ; + rdfs:label "Picograms per litre"@en ; + dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "pg/L" ; + qudt:ucumCode "pg.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PlanckCharge a qudt:Unit ; + rdfs:label "Planck Charge"@en ; + dcterms:description "In physics, the Planck charge, denoted by, is one of the base units in the system of natural units called Planck units. It is a quantity of electric charge defined in terms of fundamental physical constants. The Planck charge is defined as: coulombs, where: is the speed of light in the vacuum, is Planck's constant, is the reduced Planck constant, is the permittivity of free space is the elementary charge = (137.03599911) is the fine structure constant. The Planck charge is times greater than the elementary charge \\(e\\) carried by an electron."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.875546e-18 ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexSymbol "\\(Q_P\\)"^^qudt:LatexString ; + qudt:symbol "planckcharge" ; + rdfs:isDefinedBy . + +unit:PlanckDensity a qudt:Unit ; + rdfs:label "Planck Density"@en ; + dcterms:description "The Planck density is the unit of density, denoted by \\(\\rho_P\\), in the system of natural units known as Planck units. \\(1\\ \\rho_P \\ is \\approx 5.155 \\times 10^{96} kg/m^3\\). This is a unit which is very large, about equivalent to \\(10^{23}\\) solar masses squeezed into the space of a single atomic nucleus. At one unit of Planck time after the Big Bang, the mass density of the universe is thought to have been approximately one unit of Planck density."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 5.155e+96 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_density"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_density?oldid=493642128"^^xsd:anyURI ; + qudt:symbol "planckdensity" ; + rdfs:isDefinedBy . + +unit:QT_US a qudt:Unit ; + rdfs:label "US Liquid Quart"@en ; + dcterms:description "\"US Liquid Quart\" is a unit for 'Liquid Volume' expressed as \\(qt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.000946353 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LiquidVolume, + quantitykind:Volume ; + qudt:symbol "qt" ; + qudt:ucumCode "[qt_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTL" ; + rdfs:isDefinedBy . + +unit:RT a qudt:Unit ; + rdfs:label "Register Ton"@en ; + dcterms:description "The register ton is a unit of volume used for the cargo capacity of a ship, defined as 100 cubic feet (roughly 2.83 cubic metres)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.8316846592 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Volume ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Tonnage#Tonnage_measurements"^^xsd:anyURI ; + qudt:symbol "RT" ; + qudt:ucumCode "100.[cft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M70" ; + rdfs:isDefinedBy ; + rdfs:seeAlso unit:GT . + +unit:S a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "سيمنز"@ar, + "сименс"@bg, + "siemens"@cs, + "Siemens"@de, + "ζίμενς"@el, + "siemens"@en, + "siemens"@es, + "زیمنس"@fa, + "siemens"@fr, + "סימנס"@he, + "सीमैन्स"@hi, + "siemens"@hu, + "siemens"@it, + "ジーメンス"@ja, + "siemens"@la, + "siemens"@ms, + "simens"@pl, + "siemens"@pt, + "siemens"@ro, + "сименс"@ru, + "siemens"@sl, + "siemens"@tr, + "西门子"@zh ; + dcterms:description "\\(\\textbf{Siemens}\\) is the SI unit of electric conductance, susceptance, and admittance. The most important property of a conductor is the amount of current it will carry when a voltage is applied. Current flow is opposed by resistance in all circuits, and by also by reactance and impedance in alternating current circuits. Conductance, susceptance, and admittance are the inverses of resistance, reactance, and impedance, respectively. To measure these properties, the siemens is the reciprocal of the ohm. In other words, the conductance, susceptance, or admittance, in siemens, is simply 1 divided by the resistance, reactance or impedance, respectively, in ohms. The unit is named for the German electrical engineer Werner von Siemens (1816-1892). \\(\\ \\text{Siemens}\\equiv\\frac{\\text{A}}{\\text{V}}\\equiv\\frac{\\text{amp}}{\\text{volt}}\\equiv\\frac{\\text{F}}{\\text {s}}\\equiv\\frac{\\text{farad}}{\\text{second}}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:MHO ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:hasQuantityKind quantitykind:Admittance, + quantitykind:Conductance ; + qudt:iec61360Code "0112/2///62720#UAA277" ; + qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Siemens_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "A/V" ; + qudt:symbol "S" ; + qudt:ucumCode "S"^^qudt:UCUMcs ; + qudt:udunitsCode "S" ; + qudt:uneceCommonCode "SIE" ; + rdfs:isDefinedBy . + +unit:SLUG-PER-FT3 a qudt:Unit ; + rdfs:label "Slug per Cubic Foot"@en ; + dcterms:description "\"Slug per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(slug/ft^{3}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 515.3788206107324 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:expression "\\(slug/ft^{3}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA981" ; + qudt:symbol "slug/ft³" ; + qudt:uneceCommonCode "L65" ; + rdfs:isDefinedBy . + +unit:V_Ab-PER-CentiM a qudt:Unit ; + rdfs:label "Abvolt per centimetre"@en, + "Abvolt per centimeter"@en-us ; + dcterms:description "In the electromagnetic centimeter-gram-second system of units, 'abvolt per centimeter' is the unit of electric field strength."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e-06 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField, + quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://www.endmemo.com/convert/electric%20field%20strength.php"^^xsd:anyURI ; + qudt:symbol "abV/cm" ; + qudt:ucumCode "10.nV.cm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V_Stat-PER-CentiM a qudt:Unit ; + rdfs:label "Statvolt per Centimetre"@en, + "Statvolt per Centimeter"@en-us ; + dcterms:description """One statvolt per centimetre is equal in magnitude to one gauss. For example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. +The abvolt is another option for a unit of voltage in the cgs system."""^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 29979.2458 ; + qudt:expression "\\(statv-per-cm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField, + quantitykind:ElectricFieldStrength ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI ; + qudt:symbol "statV/cm" ; + rdfs:isDefinedBy . + +s223:EnumerationKind-Speed a s223:Class, + s223:EnumerationKind-Speed, + sh:NodeShape ; + rdfs:label "Speed" ; + rdfs:comment "This class has enumerated subclasses of speed settings of High, Medium, Low (plus Off)." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:LineLineVoltage-10000V a s223:Class, + s223:LineLineVoltage-10000V, + sh:NodeShape ; + rdfs:label "10000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-10000V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "10000V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-190V a s223:Class, + s223:LineLineVoltage-190V, + sh:NodeShape ; + rdfs:label "190V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-190V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "190V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-208V a s223:Class, + s223:LineLineVoltage-208V, + sh:NodeShape ; + rdfs:label "208V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-208V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "208V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-220V a s223:Class, + s223:LineLineVoltage-220V, + sh:NodeShape ; + rdfs:label "220V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-220V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "220V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-3000V a s223:Class, + s223:LineLineVoltage-3000V, + sh:NodeShape ; + rdfs:label "3000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-3000V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3000V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-3300V a s223:Class, + s223:LineLineVoltage-3300V, + sh:NodeShape ; + rdfs:label "3300V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-3300V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "3300V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-380V a s223:Class, + s223:LineLineVoltage-380V, + sh:NodeShape ; + rdfs:label "380V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-380V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "380V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-400V a s223:Class, + s223:LineLineVoltage-400V, + sh:NodeShape ; + rdfs:label "400V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-400V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "400V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-415V a s223:Class, + s223:LineLineVoltage-415V, + sh:NodeShape ; + rdfs:label "415V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-415V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "415V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-4160V a s223:Class, + s223:LineLineVoltage-4160V, + sh:NodeShape ; + rdfs:label "4160V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-4160V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "4160V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-480V a s223:Class, + s223:LineLineVoltage-480V, + sh:NodeShape ; + rdfs:label "480V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-480V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "480V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-6000V a s223:Class, + s223:LineLineVoltage-6000V, + sh:NodeShape ; + rdfs:label "6000V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-6000V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "6000V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-600V a s223:Class, + s223:LineLineVoltage-600V, + sh:NodeShape ; + rdfs:label "600V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-600V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "600V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:LineLineVoltage-6600V a s223:Class, + s223:LineLineVoltage-6600V, + sh:NodeShape ; + rdfs:label "6600V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-6600V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "6600V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +s223:Medium-Glycol a s223:Class, + s223:Medium-Glycol, + sh:NodeShape ; + rdfs:label "Medium-Glycol" ; + rdfs:comment "Medium-Glycol" ; + rdfs:subClassOf s223:Substance-Medium . + +s223:Medium-Refrigerant a s223:Class, + s223:Medium-Refrigerant, + sh:NodeShape ; + rdfs:label "Medium-Refrigerant" ; + rdfs:comment "This class has enumerated subclasses of commonly used refrigerants." ; + rdfs:subClassOf s223:Substance-Medium . + +s223:Numerical-DCVoltage a s223:Class, + s223:Numerical-DCVoltage, + sh:NodeShape ; + rdfs:label "Numerical-DCVoltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common positive and negative voltages, plus zero volts." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A DC-Voltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . + +s223:Numerical-Frequency a s223:Class, + s223:Numerical-Frequency, + sh:NodeShape ; + rdfs:label "Dimensioned Frequency" ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:hasUnit unit:HZ ; + rdfs:comment "This class has enumerated instances of common electrical frequencies." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A Numerical-Frequency must have a Quantity Kind of Frequency" ; + sh:hasValue quantitykind:Frequency ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A Numerical-Frequency must have a unit of Hertz" ; + sh:hasValue unit:HZ ; + sh:path qudt:hasUnit ] . + +s223:Numerical-NumberOfElectricalPhases a s223:Class, + s223:Numerical-NumberOfElectricalPhases, + sh:NodeShape ; + rdfs:label "Dimensionless Number of Electrical Phases" ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasUnit unit:NUM ; + rdfs:comment "This class has enumerated instances of number of electrical phases. The s223:hasNumberOfElectricalPhases relation points to one of the values of this enumeration." ; + rdfs:subClassOf s223:EnumerationKind-Numerical . + +s223:Role-Cooling a s223:Class, + s223:Role-Cooling, + sh:NodeShape ; + rdfs:label "Role-Cooling" ; + rdfs:comment "Role-Cooling" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:Substance-Particulate a s223:Class, + s223:Substance-Particulate, + sh:NodeShape ; + rdfs:label "Particulate" ; + rdfs:comment "This class has enumerated subclasses of particulates in various size ranges." ; + rdfs:subClassOf s223:EnumerationKind-Substance . + +s223:Voltage-24V a s223:Class, + s223:Voltage-24V, + sh:NodeShape ; + rdfs:label "24V Voltage" ; + s223:hasValue 24.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "24V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:Voltage-380V a s223:Class, + s223:Voltage-380V, + sh:NodeShape ; + rdfs:label "380V Voltage" ; + s223:hasValue 380.0 ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "380V Voltage" ; + rdfs:subClassOf s223:Numerical-Voltage, + s223:QuantifiableProperty . + +s223:connectedTo a rdf:Property ; + rdfs:label "connected to" ; + s223:inverseOf s223:connectedFrom ; + rdfs:comment "The relation connectedTo indicates that connectable things are connected with a specific flow direction. A is connectedTo B, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedFrom (see `s223:connectedFrom`)." ; + rdfs:domain s223:Equipment . + +s223:connectsThrough a rdf:Property ; + rdfs:label "connects through" ; + s223:inverseOf s223:connectsAt ; + rdfs:comment "The relation connectedThrough binds a Connectable thing to a Connection without regard to the direction of flow. It is used to discover what connection links two connectable things." . + +s223:hasConstituent a rdf:Property ; + rdfs:label "has constituent" ; + rdfs:comment "The relation hasConstituent is used to indicate what substances constitute a material. The possible values are defined in EnumerationKind-Substance (see `s223:EnumerationKind-Substance`)." . + +s223:hasVoltage a rdf:Property ; + rdfs:label "hasVoltage" ; + rdfs:comment "The relation hasVoltage is used to identify the voltage of an electricity enumeration kind. " . + +s223:ofSubstance a rdf:Property ; + rdfs:label "of substance" ; + rdfs:comment "The relation ofSubstance is used to associate a Property with a specific Substance." . + +qudt:UnitEquivalencePropertyGroup a sh:PropertyGroup ; + rdfs:label "Equivalent Units" ; + rdfs:isDefinedBy ; + sh:order 50.0 . + +qudt:latexSymbol a rdf:Property ; + rdfs:label "latex symbol" ; + dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; + rdfs:isDefinedBy . + +qudt:symbol a rdf:Property ; + rdfs:label "symbol" ; + dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:subPropertyOf qudt:literal . + +qudt:ucumCode a rdf:Property ; + rdfs:label "ucum code" ; + dcterms:description "

ucumCode associates a QUDT unit with its UCUM code (case-sensitive).

In SHACL the values are derived from specific ucum properties using 'sh:values'.

"^^rdf:HTML ; + dcterms:source "https://ucum.org/ucum.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:seeAlso ; + rdfs:subPropertyOf skos:notation . + +qkdv:A-1E0L2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M-1H1T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M-1H1T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalResistivity ; + qudt:latexDefinition "\\(L^{-1} M^{-1} T^3 \\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-4I0M-2H0T4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-4I0M-2H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -2 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InverseSquareEnergy ; + qudt:latexDefinition "\\(L^-4 M^-2 T^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassTemperature ; + qudt:latexDefinition "\\(M Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I1M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I1M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LuminousIntensity ; + qudt:latexDefinition "\\(J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthTemperature ; + qudt:latexSymbol "\\(L \\cdot H\\)"^^qudt:LatexString, + "\\(L \\cdot \\Theta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SecondAxialMomentOfArea ; + qudt:latexDefinition "\\(L^4\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M-1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M-1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M0H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperatureAmountOfSubstance ; + qudt:latexDefinition "\\(\\theta N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:AbsorbedDose a qudt:QuantityKind ; + rdfs:label "Absorbed Dose"@en ; + dcterms:description "\"Absorbed Dose\" (also known as Total Ionizing Dose, TID) is a measure of the energy deposited in a medium by ionizing radiation. It is equal to the energy deposited per unit mass of medium, and so has the unit \\(J/kg\\), which is given the special name Gray (\\(Gy\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:GRAY, + unit:MicroGRAY, + unit:MilliGRAY, + unit:MilliRAD_R, + unit:RAD_R ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Absorbed_dose"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbed_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(D = \\frac{d\\bar{\\varepsilon}}{dm}\\), where \\(d\\bar{\\varepsilon}\\) is the mean energy imparted by ionizing radiation to an element of irradiated matter with the mass \\(dm\\)."^^qudt:LatexString ; + qudt:symbol "D" ; + rdfs:comment "Note that the absorbed dose is not a good indicator of the likely biological effect. 1 Gy of alpha radiation would be much more biologically damaging than 1 Gy of photon radiation for example. Appropriate weighting factors can be applied reflecting the different relative biological effects to find the equivalent dose. The risk of stoctic effects due to radiation exposure can be quantified using the effective dose, which is a weighted average of the equivalent dose to each organ depending upon its radiosensitivity. When ionising radiation is used to treat cancer, the doctor will usually prescribe the radiotherapy treatment in Gy. When risk from ionising radiation is being discussed, a related unit, the Sievert is used." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificEnergy . + +quantitykind:ActivityConcentration a qudt:QuantityKind ; + rdfs:label "Activity Concentration"@en ; + dcterms:description "The \"Activity Concentration\", also known as volume activity, and activity density, is ."^^rdf:HTML ; + qudt:applicableUnit unit:BQ-PER-L, + unit:BQ-PER-M3, + unit:MicroBQ-PER-L, + unit:MilliBQ-PER-L, + unit:NanoBQ-PER-L ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/activityconcentration.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(c_A = \\frac{A}{V}\\), where \\(A\\) is the activity of a sample and \\(V\\) is its volume."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Activity Concentration\", also known as volume activity, and activity density, is ." ; + qudt:symbol "c_A" ; + rdfs:isDefinedBy . + +quantitykind:AngularAcceleration a qudt:QuantityKind ; + rdfs:label "تسارع زاوي"@ar, + "Úhlové zrychlení"@cs, + "Winkelbeschleunigung"@de, + "angular acceleration"@en, + "aceleración angular"@es, + "شتاب زاویه‌ای"@fa, + "accélération angulaire"@fr, + "कोणीय त्वरण"@hi, + "accelerazione angolare"@it, + "角加速度"@ja, + "Pecutan bersudut"@ms, + "Przyspieszenie kątowe"@pl, + "aceleração angular"@pt, + "Accelerație unghiulară"@ro, + "Угловое ускорение"@ru, + "Açısal ivme"@tr, + "角加速度"@zh ; + dcterms:description "Angular acceleration is the rate of change of angular velocity over time. Measurement of the change made in the rate of change of an angle that a spinning object undergoes per unit time. It is a vector quantity. Also called Rotational acceleration. In SI units, it is measured in radians per second squared (\\(rad/s^2\\)), and is usually denoted by the Greek letter alpha."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-SEC2, + unit:RAD-PER-SEC2, + unit:REV-PER-SEC2 ; + qudt:baseCGSUnitDimensions "U/T^2" ; + qudt:baseSIUnitDimensions "\\(/s^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_acceleration"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseSquareTime . + +quantitykind:AreaTime a qudt:QuantityKind ; + rdfs:label "Area Time"@en ; + qudt:applicableUnit unit:CentiM2-MIN, + unit:CentiM2-SEC, + unit:HR-FT2, + unit:SEC-FT2 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; + rdfs:isDefinedBy . + +quantitykind:DataRate a qudt:QuantityKind ; + rdfs:label "Data Rate"@en ; + dcterms:description "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits."^^rdf:HTML ; + qudt:applicableUnit unit:BIT-PER-SEC, + unit:GigaBIT-PER-SEC, + unit:KiloBIT-PER-SEC, + unit:KiloBYTE-PER-SEC, + unit:MegaBIT-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Data_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:plainTextDescription "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InformationFlowRate . + +quantitykind:ElectricDipoleMoment a qudt:QuantityKind ; + rdfs:label "عزم ثنائي قطب"@ar, + "Dipólový moment"@cs, + "elektrisches Dipolmoment"@de, + "electric dipole moment"@en, + "momento de dipolo eléctrico"@es, + "گشتاور دوقطبی الکتریکی"@fa, + "moment dipolaire"@fr, + "विद्युत द्विध्रुव आघूर्ण"@hi, + "momento di dipolo elettrico"@it, + "電気双極子"@ja, + "Momen dwikutub elektrik"@ms, + "elektryczny moment dipolowy"@pl, + "momento do dipolo elétrico"@pt, + "moment electric dipolar"@ro, + "Электрический дипольный момент"@ru, + "elektrik dipol momenti"@tr, + "电偶极矩"@zh ; + dcterms:description "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain."^^rdf:HTML ; + qudt:applicableUnit unit:C-M, + unit:Debye ; + qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_dipole_moment"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition """\\(E_p = -p \\cdot E\\), where \\(E_p\\) is the interaction energy of the molecule with electric dipole moment \\(p\\) and an electric field with electric field strength \\(E\\). + +\\(p = q(r_+ - r_i)\\), where \\(r_+\\) and \\(r_-\\) are the position vectors to carriers of electric charge \\(a\\) and \\(-q\\), respectively."""^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain." ; + qudt:symbol "p" ; + rdfs:isDefinedBy . + +quantitykind:ExtentOfReaction a qudt:QuantityKind ; + rdfs:label "Extent of Reaction"@en ; + dcterms:description "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL, + unit:FemtoMOL, + unit:MOL, + unit:NanoMOL, + unit:PicoMOL ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Extent_of_reaction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(dn_B = \\nu_B d\\xi\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(\\nu_B\\) is the stoichiometric number of substance \\(B\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds." ; + rdfs:isDefinedBy . + +quantitykind:InformationFlowRate a qudt:QuantityKind ; + rdfs:label "Information flow rate"@en ; + qudt:applicableUnit unit:HART-PER-SEC, + unit:NAT-PER-SEC, + unit:SHANNON-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseMagneticFlux a qudt:QuantityKind ; + rdfs:label "Inverse Magnetic Flux"@en ; + qudt:applicableUnit unit:HZ-PER-V, + unit:PER-WB ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; + rdfs:isDefinedBy . + +quantitykind:InverseTimeTemperature a qudt:QuantityKind ; + rdfs:label "Inverse Time Temperature"@en ; + qudt:applicableUnit unit:HZ-PER-K, + unit:MegaHZ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:IsothermalCompressibility a qudt:QuantityKind ; + rdfs:label "معامل الانضغاط عند ثبوت درجة الحرارة"@ar, + "objemová stlačitelnost"@cs, + "isotherme Kompressibilität"@de, + "isothermal compressibility"@en, + "compresibilidad isotérmica"@es, + "ضریب تراکم‌پذیری همدما"@fa, + "compressibilité isotherme"@fr, + "comprimibilità isotermica"@it, + "等温圧縮率"@ja, + "Ketermampatan isotermik"@ms, + "ściśliwość izotermiczna"@pl, + "compressibilidade isotérmica"@pt, + "изотермический коэффициент сжимаемости"@ru, + "Izotermna stisljivost"@sl, + "等温压缩率"@zh ; + dcterms:description "The isothermal compressibility defines the rate of change of system volume with pressure."^^rdf:HTML ; + qudt:applicableUnit unit:PER-BAR, + unit:PER-MILLE-PER-PSI, + unit:PER-PA, + unit:PER-PSI ; + qudt:exactMatch quantitykind:InversePressure ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varkappa_T = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_T\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varkappa_T\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The isothermal compressibility defines the rate of change of system volume with pressure." ; + rdfs:isDefinedBy . + +quantitykind:LuminousFluxPerArea a qudt:QuantityKind ; + rdfs:label "Luminous Flux per Area"@en ; + dcterms:description "In photometry, illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of how much the incident light illuminates the surface, wavelength-weighted by the luminosity function to correlate with human brightness perception. Similarly, luminous emittance is the luminous flux per unit area emitted from a surface. In SI derived units these are measured in \\(lux (lx)\\) or \\(lumens per square metre\\) (\\(cd \\cdot m^{-2}\\)). In the CGS system, the unit of illuminance is the \\(phot\\), which is equal to \\(10,000 lux\\). The \\(foot-candle\\) is a non-metric unit of illuminance that is used in photography."^^qudt:LatexString ; + qudt:applicableUnit unit:FC, + unit:LUX, + unit:PHOT ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:MagneticQuantumNumber a qudt:QuantityKind ; + rdfs:label "Magnetic Quantum Number"@en ; + dcterms:description "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis." ; + qudt:symbol "m" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber, + quantitykind:PrincipalQuantumNumber, + quantitykind:SpinQuantumNumber . + +quantitykind:MassAttenuationCoefficient a qudt:QuantityKind ; + rdfs:label "Mass Attenuation Coefficient"@en ; + dcterms:description "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass."^^rdf:HTML ; + qudt:applicableUnit unit:M2-PER-GM, + unit:M2-PER-GM_DRY, + unit:M2-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_m = \\frac{\\mu}{\\rho}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_m\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass." ; + rdfs:isDefinedBy . + +quantitykind:MassConcentration a qudt:QuantityKind ; + rdfs:label "Mass Concentration"@en ; + dcterms:description "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-PER-M3, + unit:MicroGM-PER-MilliL, + unit:MilliGM-PER-MilliL, + unit:NanoGM-PER-MilliL, + unit:PicoGM-PER-MilliL ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_concentration_(chemistry)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_B = \\frac{m_B}{V}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ." ; + rdfs:isDefinedBy . + +quantitykind:MassTemperature a qudt:QuantityKind ; + rdfs:label "Mass Temperature"@en ; + qudt:applicableUnit unit:GM-PER-DEG_C, + unit:KiloGM-K, + unit:LB-DEG_F, + unit:LB-DEG_R ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:MolarEnergy a qudt:QuantityKind ; + rdfs:label "Molar Energy"@en ; + dcterms:description "\"Molar Energy\" is the total energy contained by a thermodynamic system. The unit is \\(J/mol\\), also expressed as \\(joule/mole\\), or \\(joules per mole\\). This unit is commonly used in the SI unit system. The quantity has the dimension of \\(M \\cdot L^2 \\cdot T^{-2} \\cdot N^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, \\(T\\) is time, and \\(N\\) is amount of substance."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-MOL, + unit:KiloCAL-PER-MOL, + unit:KiloJ-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units-molar_energy-joule_per_mole.cfm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_m = \\frac{U}{n}\\), where \\(U\\) is internal energy and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:symbol "U_M" ; + vaem:todo "dimensions are wrong" ; + rdfs:isDefinedBy . + +quantitykind:MolarFlowRate a qudt:QuantityKind ; + rdfs:label "Molar Flow Rate"@en ; + dcterms:description "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow."^^rdf:HTML ; + qudt:applicableUnit unit:KiloMOL-PER-MIN, + unit:KiloMOL-PER-SEC, + unit:MOL-PER-HR, + unit:MOL-PER-MIN, + unit:MOL-PER-SEC ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://www.sciencedirect.com/topics/engineering/molar-flow-rate"^^xsd:anyURI ; + qudt:plainTextDescription "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow." ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy . + +quantitykind:MolarHeatCapacity a qudt:QuantityKind ; + rdfs:label "Molar Heat Capacity"@en ; + dcterms:description "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-MOL-DEG_F, + unit:J-PER-MOL-K, + unit:KiloCAL-PER-MOL-DEG_C ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://chemistry.about.com/od/chemistryglossary/g/Molar-Heat-Capacity-Definition.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_m = \\frac{C}{n}\\), where \\(C\\) is heat capacity and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:plainTextDescription "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin." ; + qudt:symbol "C_m", + "cn" ; + rdfs:isDefinedBy . + +quantitykind:MolarRefractivity a qudt:QuantityKind ; + rdfs:label "Molar Refractivity"@en ; + dcterms:description "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-MOL, + unit:DeciM3-PER-MOL, + unit:L-PER-MOL, + unit:L-PER-MicroMOL, + unit:M3-PER-MOL ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure." ; + rdfs:isDefinedBy . + +quantitykind:Permeability a qudt:QuantityKind ; + rdfs:label "Permeability"@en ; + qudt:applicableUnit unit:H-PER-M, + unit:H_Stat-PER-CentiM, + unit:MicroH-PER-M, + unit:NanoH-PER-M ; + qudt:exactMatch quantitykind:ElectromagneticPermeability ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:PowerArea a qudt:QuantityKind ; + rdfs:label "Power Area"@en ; + qudt:applicableUnit unit:HectoPA-L-PER-SEC, + unit:HectoPA-M3-PER-SEC, + unit:W-M2 ; + qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; + rdfs:isDefinedBy . + +quantitykind:PressureCoefficient a qudt:QuantityKind ; + rdfs:label "Pressure Coefficient"@en ; + qudt:applicableUnit unit:BAR-PER-K, + unit:HectoPA-PER-K, + unit:KiloPA-PER-K, + unit:MegaPA-PER-K, + unit:PA-PER-K ; + qudt:expression "\\(pres-coef\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\beta = \\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:PrincipalQuantumNumber a qudt:QuantityKind ; + rdfs:label "Principal Quantum Number"@en ; + dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber, + quantitykind:OrbitalAngularMomentumQuantumNumber, + quantitykind:SpinQuantumNumber . + +quantitykind:SpecificHeatCapacityAtSaturation a qudt:QuantityKind ; + rdfs:label "Specific Heat Capacity at Saturation"@en ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K, + unit:J-PER-KiloGM-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Specific heat per constant volume." ; + qudt:symbol "c_{sat}" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity, + quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatCapacityAtConstantVolume . + +quantitykind:SpecificPower a qudt:QuantityKind ; + rdfs:label "Specific Power"@en ; + dcterms:description "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-GM-SEC, + unit:GRAY-PER-SEC, + unit:MilliW-PER-MilliGM, + unit:W-PER-GM, + unit:W-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Power-to-weight_ratio"^^xsd:anyURI ; + qudt:plainTextDescription "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)." ; + rdfs:isDefinedBy ; + skos:altLabel "Power-to-Weight Ratio"@en . + +quantitykind:StressOpticCoefficient a qudt:QuantityKind ; + rdfs:label "Stress-Optic Coefficient"@en ; + dcterms:description "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:NanoM-PER-CentiM-MegaPA, + unit:NanoM-PER-CentiM-PSI, + unit:NanoM-PER-MilliM-MegaPA, + unit:PER-PA, + unit:PER-PSI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:informativeReference "https://en.wikipedia.org/w/index.php?title=Photoelasticity&oldid=1109858854#Experimental_principles"^^xsd:anyURI ; + qudt:latexDefinition "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law \\(\\Delta ={\\frac {2\\pi t}{\\lambda }}C(\\sigma _{1}-\\sigma _{2})\\), where \\(\\Delta\\) is the induced retardation, \\(C\\) is the stress-optic coefficient, \\(t\\) is the specimen thickness, \\(\\lambda\\) is the vacuum wavelength, and \\(\\sigma_1\\) and \\(\\sigma_2\\) are the first and second principal stresses, respectively."^^qudt:LatexString ; + qudt:plainTextDescription "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:ThermalResistivity a qudt:QuantityKind ; + rdfs:label "Thermal Resistivity"@en ; + dcterms:description "The reciprocal of thermal conductivity is thermal resistivity, measured in \\(kelvin-metres\\) per watt (\\(K \\cdot m/W\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG_F-HR, + unit:FT2-PER-BTU_IT-IN, + unit:K-M-PER-W, + unit:M-K-PER-W ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; + rdfs:isDefinedBy . + +quantitykind:TimeTemperature a qudt:QuantityKind ; + rdfs:label "Time Temperature"@en ; + qudt:applicableUnit unit:DEG_C-WK, + unit:K-DAY, + unit:K-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + rdfs:isDefinedBy . + +unit:A-PER-CentiM a qudt:Unit ; + rdfs:label "Ampere Per Centimetre"@en, + "Ampere Per Centimeter"@en-us ; + dcterms:description "SI base unit ampere divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB073" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.01-fold of the SI base unit metre" ; + qudt:symbol "A/cm" ; + qudt:ucumCode "A.cm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A2" ; + rdfs:isDefinedBy . + +unit:A-PER-MilliM a qudt:Unit ; + rdfs:label "Ampere Per Millimetre"@en, + "Ampere Per Millimeter"@en-us ; + dcterms:description "SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAB072" ; + qudt:plainTextDescription "SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "A/mm" ; + qudt:ucumCode "A.mm-1"^^qudt:UCUMcs, + "A/mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A3" ; + rdfs:isDefinedBy . + +unit:B a qudt:DimensionlessUnit, + qudt:LogarithmicUnit, + qudt:Unit ; + rdfs:label "بل"@ar, + "бел"@bg, + "bel"@cs, + "Bel"@de, + "μπέλ"@el, + "bel"@en, + "belio"@es, + "بل"@fa, + "bel"@fr, + "בל"@he, + "बेल"@hi, + "bel"@hu, + "bel"@it, + "ベル"@ja, + "bel"@ms, + "bel"@pl, + "bel"@pt, + "bel"@ro, + "бел"@ru, + "bel"@sl, + "bel"@tr, + "贝"@zh ; + dcterms:description "A logarithmic unit of sound pressure equal to 10 decibels (dB), It is defined as: \\(1 B = (1/2) \\log_{10}(Np)\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel, + quantitykind:SoundPowerLevel, + quantitykind:SoundPressureLevel, + quantitykind:SoundReductionIndex ; + qudt:iec61360Code "0112/2///62720#UAB351" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_unit"^^xsd:anyURI ; + qudt:symbol "B" ; + qudt:ucumCode "B"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M72" ; + rdfs:isDefinedBy . + +unit:C-PER-CentiM2 a qudt:Unit ; + rdfs:label "Coulomb Per Square Centimetre"@en, + "Coulomb Per Square Centimeter"@en-us ; + dcterms:description "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAB101" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "C/cm²" ; + qudt:ucumCode "C.cm-2"^^qudt:UCUMcs, + "C/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A33" ; + rdfs:isDefinedBy . + +unit:C-PER-MilliM2 a qudt:Unit ; + rdfs:label "Coulomb Per Square Millimetre"@en, + "Coulomb Per Square Millimeter"@en-us ; + dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAB100" ; + qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "C/mm²" ; + qudt:ucumCode "C.mm-2"^^qudt:UCUMcs, + "C/mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A35" ; + rdfs:isDefinedBy . + +unit:CASES-PER-KiloINDIV-YR a qudt:Unit ; + rdfs:label "Cases per 1000 individuals per year"@en ; + dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Incidence ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; + qudt:symbol "Cases/1000 individuals/year" ; + rdfs:isDefinedBy . + +unit:C_Ab-PER-CentiM2 a qudt:Unit ; + rdfs:label "Abcoulomb per Square Centimetre"@en, + "Abcoulomb per Square Centimeter"@en-us ; + dcterms:description """Abcoulomb Per Square Centimeter is a unit in the category of Electric charge surface density. It is also known as abcoulombs per square centimeter, abcoulomb per square centimetre, abcoulombs per square centimetre, abcoulomb/square centimeter,abcoulomb/square centimetre. This unit is commonly used in the cgs unit system. +Abcoulomb Per Square Centimeter (abcoulomb/cm2) has a dimension of \\(L_2TI\\). where L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit \\(C/m^2\\) by multiplying its value by a factor of 100,000."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e+05 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:expression "\\(abc-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_charge_surface_density--abcoulomb_per_square_centimeter.cfm"^^xsd:anyURI ; + qudt:latexDefinition "\\(abcoulomb/cm^2\\)"^^qudt:LatexString ; + qudt:symbol "abC/cm²" ; + qudt:ucumCode "10.C.cm-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:C_Stat-PER-CentiM2 a qudt:Unit ; + rdfs:label "Statcoulomb per Square Centimetre"@en, + "Statcoulomb per Square Centimeter"@en-us ; + dcterms:description "\\(\\textbf{Statcoulomb per Square Centimeter}\\) is a unit of measure for electric flux density and electric polarization. One Statcoulomb per Square Centimeter is \\(2.15\\times 10^9 \\, coulomb\\,per\\,square\\,inch\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 3.33564e-06 ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:expression "\\(statc-per-cm2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:symbol "statC/cm²" ; + rdfs:isDefinedBy . + +unit:DeciB a qudt:DimensionlessUnit, + qudt:LogarithmicUnit, + qudt:Unit ; + rdfs:label "Decibel"@en ; + dcterms:description "A customary logarithmic measure most commonly used (in various ways) for measuring sound.Sound is measured on a logarithmic scale. Informally, if one sound is \\(1\\,bel\\) (10 decibels) \"louder\" than another, this means the louder sound is 10 times louder than the fainter one. A difference of 20 decibels corresponds to an increase of 10 x 10 or 100 times in intensity. The beginning of the scale, 0 decibels, can be set in different ways, depending on exactly the aspect of sound being measured. For sound intensity (the power of the sound waves per unit of area) \\(0\\,decibel\\) is equal to \\(1\\,picoWatts\\,per\\,Metre\\,Squared\\). This corresponds approximately to the faintest sound that can be detected by a person who has good hearing. For sound pressure (the pressure exerted by the sound waves) 0 decibels equals \\(20\\,micropascals\\,RMS\\), and for sound power \\(0\\,decibels\\) sometimes equals \\(1\\,picoWatt\\). In all cases, one decibel equals \\(\\approx\\,0.115129\\,neper\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Decibel"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel, + quantitykind:SoundPowerLevel, + quantitykind:SoundPressureLevel, + quantitykind:SoundReductionIndex ; + qudt:iec61360Code "0112/2///62720#UAA409" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decibel?oldid=495380648"^^xsd:anyURI ; + qudt:symbol "dB" ; + qudt:ucumCode "dB"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2N" ; + rdfs:isDefinedBy . + +unit:DeciB_M a qudt:DimensionlessUnit, + qudt:Unit ; + rdfs:label "Decibel Referred to 1mw"@en ; + dcterms:description "\"Decibel Referred to 1mw\" is a 'Dimensionless Ratio' expressed as \\(dBm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:SoundExposureLevel, + quantitykind:SoundPowerLevel, + quantitykind:SoundPressureLevel, + quantitykind:SoundReductionIndex ; + qudt:symbol "dBmW" ; + qudt:udunitsCode "Bm" ; + qudt:uneceCommonCode "DBM" ; + rdfs:isDefinedBy . + +unit:Gamma a qudt:Unit ; + rdfs:label "Gamma"@en ; + dcterms:description "\"Gamma\" is a C.G.S System unit for 'Magnetic Field'."^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gamma"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField, + quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB213" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gamma?oldid=494680973"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "γ" ; + qudt:uneceCommonCode "P12" ; + rdfs:isDefinedBy . + +unit:GigaJ-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Gigajoule per Square Metre"@en, + "Gigajoule per Square Meter"@en-us ; + dcterms:description "Gigajoule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as Gigajoules per square meter, Gigajoule per square metre, Gigajoule/square meter, Gigajoule/square metre."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000000000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(GJ/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyFluence, + quantitykind:EnergyPerArea, + quantitykind:RadiantFluence ; + qudt:iec61360Code "0112/2///62720#UAA179" ; + qudt:symbol "GJ/m²" ; + qudt:ucumCode "GJ.m-2"^^qudt:UCUMcs, + "GJ/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B13" ; + rdfs:isDefinedBy . + +unit:J-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Square Metre"@en, + "Joule per Square Meter"@en-us ; + dcterms:description "Joule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as joules per square meter, joule per square metre, joule/square meter, joule/square metre. This unit is commonly used in the SI unit system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyFluence, + quantitykind:EnergyPerArea, + quantitykind:RadiantFluence ; + qudt:iec61360Code "0112/2///62720#UAA179" ; + qudt:symbol "J/m²" ; + qudt:ucumCode "J.m-2"^^qudt:UCUMcs, + "J/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B13" ; + rdfs:isDefinedBy . + +unit:J-PER-MOL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "جول لكل مول"@ar, + "joule na mol"@cs, + "Joule je Mol"@de, + "joule per mole"@en, + "julio por mol"@es, + "ژول بر مول"@fa, + "joule par mole"@fr, + "जूल प्रति मोल (इकाई)"@hi, + "joule alla mole"@it, + "ジュール毎立方メートル"@ja, + "joule per mole"@ms, + "dżul na mol"@pl, + "joule por mol"@pt, + "joule pe mol"@ro, + "джоуль на моль"@ru, + "joule na mol"@sl, + "joule bölü metre küp"@tr, + "焦耳每摩尔"@zh ; + dcterms:description "The joule per mole (symbol: \\(J\\cdot mol^{-1}\\)) is an SI derived unit of energy per amount of material. Energy is measured in joules, and the amount of material is measured in moles. Physical quantities measured in \\(J\\cdot mol^{-1}\\)) usually describe quantities of energy transferred during phase transformations or chemical reactions. Division by the number of moles facilitates comparison between processes involving different quantities of material and between similar processes involving different types of materials. The meaning of such a quantity is always context-dependent and, particularly for chemical reactions, is dependent on the (possibly arbitrary) definition of a 'mole' for a particular process."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/mol\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ChemicalAffinity, + quantitykind:ElectricPolarizability, + quantitykind:MolarEnergy ; + qudt:iec61360Code "0112/2///62720#UAA183" ; + qudt:symbol "J/mol" ; + qudt:ucumCode "J.mol-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B15" ; + rdfs:isDefinedBy . + +unit:KiloA-PER-M a qudt:Unit ; + rdfs:label "Kiloampere Per Metre"@en, + "Kiloampere Per Meter"@en-us ; + dcterms:description "1 000-fold of the SI base unit ampere divided by the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA558" ; + qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the SI base unit metre" ; + qudt:symbol "kA/m" ; + qudt:ucumCode "kA.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B24" ; + rdfs:isDefinedBy . + +unit:M-PER-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre per Square Second"@en, + "Meter per Square Second"@en-us ; + dcterms:description "The \\(\\textit{meter per Square second}\\) is the unit of acceleration in the International System of Units (SI). As a derived unit it is composed from the SI base units of length, the metre, and the standard unit of time, the second. Its symbol is written in several forms as \\(m/s^2\\), or \\(m s^{-2}\\). As acceleration, the unit is interpreted physically as change in velocity or speed per time interval, that is, \\(\\textit{metre per second per second}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m/s^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Acceleration, + quantitykind:LinearAcceleration ; + qudt:iec61360Code "0112/2///62720#UAA736" ; + qudt:symbol "m/s²" ; + qudt:ucumCode "m.s-2"^^qudt:UCUMcs, + "m/s2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MSK" ; + rdfs:isDefinedBy . + +unit:M3-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Cubic Metre per Second"@en, + "Cubic Meter per Second"@en-us ; + dcterms:description "A cubic metre per second (\\(m^{3}s^{-1}, m^{3}/s\\)), cumecs or cubic meter per second in American English) is a derived SI unit of flow rate equal to that of a stere or cube with sides of one metre ( u0303 39.37 in) in length exchanged or moving each second. It is popularly used for water flow, especially in rivers and streams, and fractions for HVAC values measuring air flow."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{3}/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:RecombinationCoefficient, + quantitykind:SoundVolumeVelocity, + quantitykind:VolumeFlowRate, + quantitykind:VolumePerUnitTime ; + qudt:iec61360Code "0112/2///62720#UAA772" ; + qudt:symbol "m³/s" ; + qudt:ucumCode "m3.s-1"^^qudt:UCUMcs, + "m3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MQS" ; + rdfs:isDefinedBy . + +unit:MegaC-PER-M2 a qudt:Unit ; + rdfs:label "Megacoulomb Per Square Metre"@en, + "Megacoulomb Per Square Meter"@en-us ; + dcterms:description "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA207" ; + qudt:plainTextDescription "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "MC/m²" ; + qudt:ucumCode "MC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B70" ; + rdfs:isDefinedBy . + +unit:MicroC-PER-M2 a qudt:Unit ; + rdfs:label "Microcoulomb Per Square Metre"@en, + "Microcoulomb Per Square Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA060" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "μC/m²" ; + qudt:ucumCode "uC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B88" ; + rdfs:isDefinedBy . + +unit:MicroGM-PER-MilliL a qudt:Unit ; + rdfs:label "Microgram Per MilliLitre"@en, + "Microgram Per Milliliter"@en-us ; + dcterms:description "One 10**6 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassConcentration, + quantitykind:MassDensity ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the unit microlitre" ; + qudt:symbol "µg/mL", + "μg/mL" ; + qudt:ucumCode "ug.mL-1"^^qudt:UCUMcs, + "ug/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliA-PER-IN a qudt:Unit ; + rdfs:label "Milliampere Per Inch"@en ; + dcterms:description "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 0.03937008 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA778" ; + qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units" ; + qudt:symbol "µA/in" ; + qudt:ucumCode "mA.[in_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F08" ; + rdfs:isDefinedBy . + +unit:MilliA-PER-MilliM a qudt:Unit ; + rdfs:label "Milliampere Per Millimetre"@en, + "Milliampere Per Millimeter"@en-us ; + dcterms:description "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA781" ; + qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; + qudt:symbol "mA/mm" ; + qudt:ucumCode "mA.mm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F76" ; + rdfs:isDefinedBy . + +unit:MilliC-PER-M2 a qudt:Unit ; + rdfs:label "Millicoulomb Per Square Metre"@en, + "Millicoulomb Per Square Meter"@en-us ; + dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; + qudt:iec61360Code "0112/2///62720#UAA784" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mC/m²" ; + qudt:ucumCode "mC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D89" ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-DeciL a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "milligrams per decilitre"@en, + "milligrams per decilitre"@en-us ; + dcterms:description "A derived unit for amount-of-substance concentration measured in mg/dL."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:expression "\\(mg/dL\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:BloodGlucoseLevel_Mass, + quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "mg/dL" ; + qudt:ucumCode "mg.dL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliGM-PER-MilliL a qudt:Unit ; + rdfs:label "Milligram Per Millilitre"@en, + "Milligram Per Milliliter"@en-us ; + dcterms:description "A scaled unit of mass concentration."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassConcentration, + quantitykind:MassDensity ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit millilitre" ; + qudt:symbol "mg/mL" ; + qudt:ucumCode "mg.mL-1"^^qudt:UCUMcs, + "mg/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliL-PER-GM a qudt:Unit ; + rdfs:label "Millilitre per Gram"@en, + "Milliliter per Gram"@en-us ; + dcterms:description "Milliliter Per Gram is a unit in the category of Specific Volume. It is also known as milliliters per gram, millilitre per gram, millilitres per gram, milliliter/gram, millilitre/gram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:CentiM3-PER-GM ; + qudt:expression "\\(mL/g\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient, + quantitykind:SpecificVolume ; + qudt:symbol "mL/g" ; + qudt:ucumCode "mL.g-1"^^qudt:UCUMcs, + "mL/g"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NanoGM-PER-MilliL a qudt:Unit ; + rdfs:label "Nanograms per millilitre"@en ; + dcterms:description "One 10**12 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassConcentration, + quantitykind:MassDensity ; + qudt:symbol "ng/mL" ; + qudt:ucumCode "ng.mL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-PA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Reciprocal Pascal"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:expression "\\(/Pa\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + qudt:hasQuantityKind quantitykind:Compressibility, + quantitykind:InversePressure, + quantitykind:IsentropicCompressibility, + quantitykind:IsothermalCompressibility, + quantitykind:StressOpticCoefficient ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:siUnitsExpression "m^2/N" ; + qudt:symbol "/Pa" ; + qudt:ucumCode "Pa-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C96" ; + rdfs:isDefinedBy . + +unit:PPM-PER-K a qudt:Unit ; + rdfs:label "Parts Per Million per Kelvin"@en ; + dcterms:description "Unit for expansion ratios expressed as parts per million per Kelvin."^^qudt:LatexString ; + qudt:conversionMultiplier 1e-06 ; + qudt:expression "\\(PPM/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio, + quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "PPM/K" ; + qudt:ucumCode "ppm.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PPTM-PER-K a qudt:Unit ; + rdfs:label "Parts Per Ten Million per Kelvin"@en ; + dcterms:description "Unit for expansion ratios expressed as parts per ten million per Kelvin."^^qudt:LatexString ; + qudt:conversionMultiplier 1e-07 ; + qudt:expression "\\(PPTM/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio, + quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "PPTM/K" ; + rdfs:isDefinedBy . + +unit:PicoGM-PER-MilliL a qudt:Unit ; + rdfs:label "Picograms per millilitre"@en ; + dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassConcentration, + quantitykind:MassDensity ; + qudt:symbol "pg/mL" ; + qudt:ucumCode "pg/mL"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TONNE-PER-M3 a qudt:Unit ; + rdfs:label "Tonne Per Cubic Metre"@en, + "Tonne Per Cubic Meter"@en-us ; + dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA997" ; + qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "t/m³" ; + qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D41" ; + rdfs:isDefinedBy . + +unit:TON_LONG-PER-YD3 a qudt:Unit ; + rdfs:label "Long Ton per Cubic Yard"@en ; + dcterms:description "The long ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in long tons."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1328.9391836174336 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:exactMatch unit:TON_UK-PER-YD3 ; + qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "t{long}/yd³" ; + qudt:ucumCode "[lton_av]/[cyd_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L92" ; + rdfs:isDefinedBy . + +unit:TON_Metric-PER-M3 a qudt:Unit ; + rdfs:label "Tonne Per Cubic Metre"@en, + "Tonne Per Cubic Meter"@en-us ; + dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TONNE-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA997" ; + qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; + qudt:symbol "t/m³" ; + qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D41" ; + rdfs:isDefinedBy . + +unit:TON_SHORT-PER-YD3 a qudt:Unit ; + rdfs:label "Short Ton per Cubic Yard"@en ; + dcterms:description "The short ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in short tons."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1186.552842515566 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:TON_US-PER-YD3 ; + qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:symbol "ton{short}/yd³" ; + qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_UK-PER-YD3 a qudt:Unit ; + rdfs:label "Long Ton (UK) Per Cubic Yard"@en ; + dcterms:description "unit of the density according the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1328.8778292234224 ; + qudt:exactMatch unit:TON_LONG-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAB018" ; + qudt:plainTextDescription "unit of the density according the Imperial system of units" ; + qudt:symbol "t{long}/yd³" ; + qudt:ucumCode "[lton_av].[cyd_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_US-PER-YD3 a qudt:Unit ; + rdfs:label "Short Ton (US) Per Cubic Yard"@en ; + dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1186.3112117181538 ; + qudt:exactMatch unit:TON_SHORT-PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAB020" ; + qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; + qudt:symbol "ton{US}/yd³" ; + qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L93" ; + rdfs:isDefinedBy . + +unit:V-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "voltů na metr"@cs, + "Volt je Meter"@de, + "volt per metre"@en, + "Volt per Meter"@en-us, + "voltio por metro"@es, + "ولت بر متر"@fa, + "volt par mètre"@fr, + "प्रति मीटर वोल्ट"@hi, + "volt al metro"@it, + "ボルト毎メートル"@ja, + "volt per meter"@ms, + "wolt na metr"@pl, + "volt por metro"@pt, + "volți pe metru"@ro, + "вольт на метр"@ru, + "volt na meter"@sl, + "volt bölü metre"@tr, + "伏特每米"@zh ; + dcterms:description "Volt Per Meter (V/m) is a unit in the category of Electric field strength. It is also known as volts per meter, volt/meter, volt/metre, volt per metre, volts per metre. This unit is commonly used in the SI unit system. Volt Per Meter (V/m) has a dimension of \\(MLT^{-3}I^{-1}\\) where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(V/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricField, + quantitykind:ElectricFieldStrength ; + qudt:iec61360Code "0112/2///62720#UAA301" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_field_strength--volt_per_meter.cfm"^^xsd:anyURI ; + qudt:symbol "V/m" ; + qudt:ucumCode "V.m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D50" ; + rdfs:isDefinedBy . + +s223:BidirectionalConnectionPoint a s223:Class, + sh:NodeShape ; + rdfs:label "Bidirectional Connection Point" ; + rdfs:comment "A BidirectionalConnectionPoint is a predefined subclass of ConnectionPoint. Using a BidirectionalConnectionPoint implies that the flow direction is not fixed in one direction. It depends on the status of some other part of the system, such as a valve position, that is expected to change during operation (see `s223:Direction-Bidirectional`) or to model energy transfer occurring without specific flow direction." ; + rdfs:subClassOf s223:ConnectionPoint . + +s223:DayOfWeek-Weekday a s223:Class, + s223:DayOfWeek-Weekday, + sh:NodeShape ; + rdfs:label "Day of week-Weekday", + "Weekday" ; + rdfs:comment "This class defines the EnumerationKind values of Monday, Tuesday, Wednesday, Thursday, and Friday" ; + rdfs:subClassOf s223:Aspect-DayOfWeek . + +s223:Electricity-Signal a s223:Class, + s223:Electricity-Signal, + sh:NodeShape ; + rdfs:label "Electricity Signal" ; + rdfs:comment "This class has enumerated subclasses of common communication protocols." ; + rdfs:subClassOf s223:Medium-Electricity . + +s223:EnumerationKind-HVACOperatingMode a s223:Class, + s223:EnumerationKind-HVACOperatingMode, + sh:NodeShape ; + rdfs:label "HVAC operating mode" ; + rdfs:comment "HVACOperatingMode has enumerated subclasses of the policy under which the HVAC system or equipment is operating." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-HVACOperatingStatus a s223:Class, + s223:EnumerationKind-HVACOperatingStatus, + sh:NodeShape ; + rdfs:label "HVAC operating status" ; + rdfs:comment "HVACOperatingStatus has enumerated subclasses of the HVAC system/equipment operating status." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-Occupancy a s223:Class, + s223:EnumerationKind-Occupancy, + sh:NodeShape ; + rdfs:label "Occupancy status" ; + rdfs:comment "This class has enumerated subclasses of occupancy status, i.e. the state of being used or occupied. Some Occupancy enumerations have subclasses for more specific use." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:EnumerationKind-Phase a s223:Class, + s223:EnumerationKind-Phase, + sh:NodeShape ; + rdfs:label "EnumerationKind Phase" ; + rdfs:comment "This class has enumerated subclasses of thermodynamic phase, i.e. states of matter." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:hasObservationLocation a rdf:Property ; + rdfs:label "has observation location" ; + rdfs:comment "The relation hasObservationLocation associates a sensor to the topological location where it is observing the property (see `s223:observes`). The observation location can be a Connectable (see `s223:Connectable`), Connection (see `s223:Connection`), or ConnectionPoint (see `s223:ConnectioPoint`)." . + +constant:MagneticConstant a qudt:PhysicalConstant ; + rdfs:label "Magnetic Constant"@en ; + dcterms:description "\\(\\textbf{Magentic Constant}\\), also known as \\(\\textit{Permeability of Vacuum}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product with the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^rdf:HTML ; + qudt:abbreviation "magnetic-constant" ; + qudt:applicableUnit unit:H-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; + qudt:exactConstant true ; + qudt:exactMatch constant:ElectromagneticPermeabilityOfVacuum ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Filed magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,H/M\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; + qudt:quantityValue constant:Value_MagneticConstant ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M0H0T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H1T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H1T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TimeTemperature ; + qudt:latexDefinition "\\(T Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthMass ; + qudt:latexDefinition "\\(L M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L4I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L4I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 4 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerArea ; + qudt:latexDefinition "\\(L^4 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; + qudt:latexDefinition "\\(L^2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:AbsorbedDoseRate a qudt:QuantityKind ; + rdfs:label "Absorbed Dose Rate"@en ; + dcterms:description "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-PER-GM-SEC, + unit:GRAY-PER-SEC, + unit:MilliW-PER-MilliGM, + unit:W-PER-GM, + unit:W-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; + qudt:informativeReference "http://www.answers.com/topic/absorbed-dose-rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\dot{D} = \\frac{dD}{dt}\\), where \\(dD\\) is the increment of absorbed dose during time interval with duration \\(dt\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{D}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)." ; + rdfs:isDefinedBy . + +quantitykind:BoilingPoint a qudt:QuantityKind ; + rdfs:label "Boiling Point Temperature"@en ; + dcterms:description "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:CatalyticActivityConcentration a qudt:QuantityKind ; + rdfs:label "Catalytic Activity Concentration"@en ; + dcterms:description "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre."^^rdf:HTML ; + qudt:applicableUnit unit:KAT-PER-L, + unit:KAT-PER-MicroL, + unit:MicroKAT-PER-L, + unit:MilliKAT-PER-L, + unit:NanoKAT-PER-L, + unit:PicoKAT-PER-L ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; + qudt:informativeReference "https://doi.org/10.1351/goldbook.C00882"^^xsd:anyURI ; + qudt:plainTextDescription "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre." ; + rdfs:isDefinedBy . + +quantitykind:CurvatureFromRadius a qudt:QuantityKind ; + rdfs:label "Curvature"@en ; + dcterms:description "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\kappa = \\frac{1}{\\rho}\\), where \\(\\rho\\) is the radius of the curvature."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context." ; + rdfs:isDefinedBy ; + skos:closeMatch quantitykind:Curvature . + +quantitykind:DoseEquivalent a qudt:QuantityKind ; + rdfs:label "Dose Equivalent"@en ; + dcterms:description "\"Dose Equivalent} (former), or \\textit{Equivalent Absorbed Radiation Dose}, usually shortened to \\textit{Equivalent Dose\", is a computed average measure of the radiation absorbed by a fixed mass of biological tissue, that attempts to account for the different biological damage potential of different types of ionizing radiation. The equivalent dose to a tissue is found by multiplying the absorbed dose, in gray, by a dimensionless \"quality factor\" \\(Q\\), dependent upon radiation type, and by another dimensionless factor \\(N\\), dependent on all other pertinent factors. N depends upon the part of the body irradiated, the time and volume over which the dose was spread, even the species of the subject."^^qudt:LatexString ; + qudt:applicableUnit unit:MicroSV, + unit:MicroSV-PER-HR, + unit:MilliR_man, + unit:MilliSV, + unit:REM, + unit:SV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Equivalent_dose"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "At the point of interest in tissue, \\(H = DQ\\), where \\(D\\) is the absorbed dose and \\(Q\\) is the quality factor at that point."^^qudt:LatexString ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificEnergy . + +quantitykind:ElectricChargeDensity a qudt:QuantityKind ; + rdfs:label "Electric Charge Density"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; + qudt:applicableUnit unit:C-PER-M3, + unit:MegaC-PER-M3, + unit:MicroC-PER-M3 ; + qudt:expression "\\(charge-density\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.maxwells-equations.com/pho/charge-density.php"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{dQ}{dV}\\), where \\(Q\\) is electric charge and \\(V\\) is Volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity . + +quantitykind:Enthalpy a qudt:QuantityKind ; + rdfs:label "محتوى حراري"@ar, + "entalpie"@cs, + "Enthalpie"@de, + "enthalpy"@en, + "entalpía"@es, + "آنتالپی"@fa, + "enthalpie"@fr, + "पूर्ण ऊष्मा"@hi, + "entalpia"@it, + "エンタルピー"@ja, + "Entalpi"@ms, + "entalpia"@pl, + "entalpia"@pt, + "Entalpie"@ro, + "энтальпия"@ru, + "entalpija"@sl, + "Entalpi"@tr, + "焓"@zh ; + dcterms:description "In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy \\(U\\) and the product of pressure \\(p\\) and volume \\(V\\) of a system. The characteristic function (also known as thermodynamic potential) \\(\\textit{enthalpy}\\) used to be called \\(\\textit{heat content}\\), which is why it is conventionally indicated by \\(H\\). The specific enthalpy of a working mass is a property of that mass used in thermodynamics, defined as \\(h=u+p \\cdot v\\), where \\(u\\) is the specific internal energy, \\(p\\) is the pressure, and \\(v\\) is specific volume. In other words, \\(h = H / m\\) where \\(m\\) is the mass of the system. The SI unit for \\(\\textit{Specific Enthalpy}\\) is \\(\\textit{joules per kilogram}\\)"^^qudt:LatexString ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Enthalpy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:latexDefinition "\\(H = U + pV\\), where \\(U\\) is internal energy, \\(p\\) is pressure and \\(V\\) is volume."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:symbol "H" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:InternalEnergy ; + skos:broader quantitykind:Energy . + +quantitykind:FlashPoint a qudt:QuantityKind ; + rdfs:label "Flash Point Temperature"@en ; + dcterms:description "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:Incidence a qudt:QuantityKind ; + rdfs:label "Incidence" ; + dcterms:description "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time."^^rdf:HTML ; + qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; + qudt:plainTextDescription "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Frequency . + +quantitykind:InversePressure a qudt:QuantityKind ; + rdfs:label "Inverse Pressure"@en ; + qudt:applicableUnit unit:PER-BAR, + unit:PER-MILLE-PER-PSI, + unit:PER-PA, + unit:PER-PSI ; + qudt:exactMatch quantitykind:IsothermalCompressibility ; + qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; + rdfs:isDefinedBy . + +quantitykind:IonicStrength a qudt:QuantityKind ; + rdfs:label "Ionic Strength"@en ; + dcterms:description "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM, + unit:KiloMOL-PER-KiloGM, + unit:MOL-PER-KiloGM, + unit:MicroMOL-PER-GM, + unit:MilliMOL-PER-GM, + unit:MilliMOL-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionic_strength"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(I = \\frac{1}{2} \\sum z_i^2 b_i\\), where the summation is carried out over all ions with charge number \\(z_i\\) and molality \\(m_i\\)."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution." ; + qudt:symbol "I" ; + rdfs:isDefinedBy . + +quantitykind:LengthMass a qudt:QuantityKind ; + rdfs:label "Length Mass"@en ; + qudt:applicableUnit unit:GM-MilliM, + unit:LB-IN, + unit:M-KiloGM, + unit:OZ-FT, + unit:OZ-IN ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:LengthTemperature a qudt:QuantityKind ; + rdfs:label "Length Temperature"@en ; + qudt:applicableUnit unit:DEG_C-CentiM, + unit:K-M, + unit:M-K ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:LinearAbsorptionCoefficient a qudt:QuantityKind ; + rdfs:label "Linear Absorption Coefficient"@en ; + dcterms:description "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\alpha(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease, caused by absorption, in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; + rdfs:isDefinedBy . + +quantitykind:LinearAttenuationCoefficient a qudt:QuantityKind ; + rdfs:label "Linear Attenuation Coefficient"@en ; + dcterms:description "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(\\mu = -\\frac{1}{J}\\frac{dJ}{dx}\\), where \\(J\\) is the magnitude of the current rate of a beam of particles parallel to the \\(x-direction\\). + +Or: + +\\(\\mu(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; + rdfs:isDefinedBy . + +quantitykind:LinearIonization a qudt:QuantityKind ; + rdfs:label "Linear Ionization"@en ; + dcterms:description "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition "\\(N_{il} = \\frac{1}{e}\\frac{dQ}{dl}\\), where \\(e\\) is the elementary charge and \\(dQ\\) is the average total charge of all positive ions produced over an infinitesimal element of the path with length \\(dl\\) by an ionizing charged particle."^^qudt:LatexString ; + qudt:plainTextDescription "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition." ; + qudt:symbol "N_{il}" ; + rdfs:isDefinedBy . + +quantitykind:Luminance a qudt:QuantityKind ; + rdfs:label "Luminance"@en ; + dcterms:description "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle."^^rdf:HTML ; + qudt:applicableUnit unit:CD-PER-IN2, + unit:CD-PER-M2, + unit:FT-LA, + unit:LA, + unit:STILB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Luminance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Luminance"^^xsd:anyURI ; + qudt:latexDefinition "\\(L_v = \\frac{dI_v}{dA}\\), where \\(dI_v\\) is the luminous intensity of an element of the surface with the area \\(dA\\) of the orthogonal projection of this element on a plane perpendicular to the given direction."^^qudt:LatexString ; + qudt:plainTextDescription "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle." ; + qudt:symbol "L_v" ; + rdfs:isDefinedBy . + +quantitykind:MassieuFunction a qudt:QuantityKind ; + rdfs:label "Massieu Function"@en ; + dcterms:description "The Massieu function, \\(\\Psi\\), is defined as: \\(\\Psi = \\Psi (X_1, \\dots , X_i, Y_{i+1}, \\dots , Y_r )\\), where for every system with degree of freedom \\(r\\) one may choose \\(r\\) variables, e.g. , to define a coordinate system, where \\(X\\) and \\(Y\\) are extensive and intensive variables, respectively, and where at least one extensive variable must be within this set in order to define the size of the system. The \\((r + 1)^{th}\\) variable,\\(\\Psi\\) , is then called the Massieu function."^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Massieu_function"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(J = -A/T\\), where \\(A\\) is Helmholtz energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:symbol "J" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:PlanckFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy . + +quantitykind:MeltingPoint a qudt:QuantityKind ; + rdfs:label "Melting Point Temperature"@en ; + dcterms:description "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Temperature . + +quantitykind:Momentum a qudt:QuantityKind ; + rdfs:label "زخم الحركة"@ar, + "hybnost"@cs, + "Impuls"@de, + "momentum"@en, + "cantidad de movimiento"@es, + "تکانه"@fa, + "quantité de mouvement"@fr, + "quantità di moto"@it, + "運動量"@ja, + "Momentum"@ms, + "pęd"@pl, + "momento linear"@pt, + "impuls"@ro, + "импульс"@ru, + "gibalna količina"@sl, + "Momentum"@tr, + "动量"@zh ; + dcterms:description "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-M-PER-SEC, + unit:MegaEV-PER-SpeedOfLight, + unit:N-M-SEC-PER-M, + unit:N-SEC, + unit:PlanckMomentum ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearMomentum ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:plainTextDescription "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium." ; + qudt:symbol "p" ; + rdfs:isDefinedBy . + +quantitykind:PhaseCoefficient a qudt:QuantityKind ; + rdfs:label "Phase coefficient"@en ; + dcterms:description "The phase coefficient is the amount of phase shift that occurs as the wave travels one meter. Increasing the loss of the material, via the manipulation of the material's conductivity, will decrease the wavelength (increase \\(\\beta\\)) and increase the attenuation coefficient (increase \\(\\alpha\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "If \\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:PlanckFunction a qudt:QuantityKind ; + rdfs:label "Planck Function"@en ; + dcterms:description "The \\(\\textit{Planck function}\\) is used to compute the radiance emitted from objects that radiate like a perfect \"Black Body\". The inverse of the \\(\\textit{Planck Function}\\) is used to find the \\(\\textit{Brightness Temperature}\\) of an object. The precise formula for the Planck Function depends on whether the radiance is determined on a \\(\\textit{per unit wavelength}\\) or a \\(\\textit{per unit frequency}\\). In the ISO System of Quantities, \\(\\textit{Planck Function}\\) is defined by the formula: \\(Y = -G/T\\), where \\(G\\) is Gibbs Energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:expression "\\(B_{\\nu}(T)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://ntrs.nasa.gov/archive/nasa/casi.ntrs.nasa.gov/19680008986_1968008986.pdf"^^xsd:anyURI, + "http://pds-atmospheres.nmsu.edu/education_and_outreach/encyclopedia/planck_function.htm"^^xsd:anyURI, + "http://www.star.nesdis.noaa.gov/smcd/spb/calibration/planck.html"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition """The Planck function, \\(B_{\\tilde{\\nu}}(T)\\), is given by: +\\(B_{\\nu}(T) = \\frac{2h c^2\\tilde{\\nu}^3}{e^{hc / k \\tilde{\\nu} T}-1}\\) +where, \\(\\tilde{\\nu}\\) is wavelength, \\(h\\) is Planck's Constant, \\(k\\) is Boltzman's Constant, \\(c\\) is the speed of light in a vacuum, \\(T\\) is thermodynamic temperature."""^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassieuFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy . + +quantitykind:PropagationCoefficient a qudt:QuantityKind ; + rdfs:label "Propagation coefficient"@en ; + dcterms:description "The propagation constant, symbol \\(\\gamma\\), for a given system is defined by the ratio of the amplitude at the source of the wave to the amplitude at some distance x."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Propagation_constant"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\gamma = \\alpha + j\\beta\\), where \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:RotationalMass a qudt:QuantityKind ; + rdfs:label "Rotational Mass"@en ; + dcterms:description "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:exactMatch quantitykind:MomentOfInertia ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcrotationalmassmeasure.htm"^^xsd:anyURI ; + qudt:plainTextDescription "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2." ; + rdfs:isDefinedBy . + +quantitykind:SoilAdsorptionCoefficient a qudt:QuantityKind ; + rdfs:label "Soil Adsorption Coefficient"@en ; + dcterms:description "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium."^^rdf:HTML ; + qudt:applicableUnit unit:L-PER-KiloGM, + unit:M3-PER-KiloGM, + unit:MilliL-PER-GM, + unit:MilliM3-PER-GM, + unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:plainTextDescription "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:SpecificVolume . + +quantitykind:SpecificHeatCapacityAtConstantPressure a qudt:QuantityKind ; + rdfs:label "Specific heat capacity at constant pressure"@en ; + dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K, + unit:J-PER-KiloGM-K, + unit:J-PER-KiloGM-K-PA ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat at a constant pressure." ; + qudt:symbol "c_p" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity, + quantitykind:SpecificHeatCapacityAtConstantVolume, + quantitykind:SpecificHeatCapacityAtSaturation . + +quantitykind:SpecificHeatCapacityAtConstantVolume a qudt:QuantityKind ; + rdfs:label "Specific heat capacity at constant volume"@en ; + dcterms:description "Specific heat per constant volume."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-GM-K, + unit:J-PER-KiloGM-K, + unit:J-PER-KiloGM-K-M3 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:plainTextDescription "Specific heat per constant volume." ; + qudt:symbol "c_v" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SpecificHeatCapacity, + quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatCapacityAtSaturation . + +quantitykind:SpinQuantumNumber a qudt:QuantityKind ; + rdfs:label "Spin Quantum Number"@en ; + dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(s^2 = \\hbar^2 s(s + 1)\\), where \\(s\\) is the spin quantum number and \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; + qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; + qudt:symbol "s" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:QuantumNumber ; + skos:closeMatch quantitykind:MagneticQuantumNumber, + quantitykind:OrbitalAngularMomentumQuantumNumber, + quantitykind:PrincipalQuantumNumber . + +unit:A-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "ampérů na metr"@cs, + "Ampere je Meter"@de, + "ampere per metre"@en, + "Ampere per Meter"@en-us, + "amperio por metro"@es, + "آمپر بر متر"@fa, + "ampère par mètre"@fr, + "प्रति मीटर एम्पीयर"@hi, + "ampere al metro"@it, + "アンペア毎メートル"@ja, + "ampere per meter"@ms, + "amper na metr"@pl, + "ampere por metro"@pt, + "ampere pe metru"@ro, + "ампер на метр"@ru, + "amper na meter"@sl, + "amper bölü metre"@tr, + "安培每米"@zh ; + dcterms:description " is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (\\(12.566\\, 371\\,millioersteds\\)) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001\\,emu\\,per\\,cubic\\,centimeter\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(A/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Coercivity, + quantitykind:LinearElectricCurrentDensity, + quantitykind:MagneticFieldStrength_H ; + qudt:iec61360Code "0112/2///62720#UAA104" ; + qudt:symbol "A/m" ; + qudt:ucumCode "A.m-1"^^qudt:UCUMcs, + "A/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AE" ; + rdfs:isDefinedBy . + +unit:DEG-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Degree per Hour"@en ; + dcterms:description "\"Degree per Hour\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 4.848137e-06 ; + qudt:expression "\\(deg/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "°/h" ; + qudt:ucumCode "deg.h-1"^^qudt:UCUMcs, + "deg/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG-PER-MIN a qudt:Unit ; + rdfs:label "Degree per Minute"@en ; + dcterms:description "A unit of measure for the rate of change of plane angle, \\(d\\omega / dt\\), in durations of one minute.The vector \\(\\omega\\) is directed along the axis of rotation in the direction for which the rotation is clockwise."^^qudt:LatexString ; + qudt:conversionMultiplier 0.000290888209 ; + qudt:expression "\\(deg-per-min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "°/min" ; + qudt:ucumCode "deg.min-1"^^qudt:UCUMcs, + "deg/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Degree per Second"@en ; + dcterms:description "\"Degree per Second\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:expression "\\(deg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAA026" ; + qudt:symbol "°/s" ; + qudt:ucumCode "deg.s-1"^^qudt:UCUMcs, + "deg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E96" ; + rdfs:isDefinedBy . + +unit:FARAD-PER-M a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar, + "faradů na metr"@cs, + "Farad je Meter"@de, + "farad per metre"@en, + "Farad per Meter"@en-us, + "faradio por metro"@es, + "فاراد بر متر"@fa, + "farad par mètre"@fr, + "प्रति मीटर फैराड"@hi, + "farad al metro"@it, + "ファラド毎メートル"@ja, + "farad per meter"@ms, + "farad na metr"@pl, + "farad por metro"@pt, + "farad pe metru"@ro, + "фарада на метр"@ru, + "farad na meter"@sl, + "farad bölü metre"@tr, + "法拉每米"@zh ; + dcterms:description "Farad Per Meter (\\(F/m\\)) is a unit in the category of Electric permittivity. It is also known as farad/meter. This unit is commonly used in the SI unit system. Farad Per Meter has a dimension of M-1L-3T4I2 where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(F/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:hasQuantityKind quantitykind:Permittivity ; + qudt:iec61360Code "0112/2///62720#UAA146" ; + qudt:symbol "F/m" ; + qudt:ucumCode "F.m-1"^^qudt:UCUMcs, + "F/m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A69" ; + rdfs:isDefinedBy . + +unit:GAUSS a qudt:Unit ; + rdfs:label "Gauss"@en ; + dcterms:description "CGS unit of the magnetic flux density B"^^rdf:HTML ; + qudt:conversionMultiplier 0.0001 ; + qudt:exactMatch unit:Gs, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAB135" ; + qudt:plainTextDescription "CGS unit of the magnetic flux density B" ; + qudt:symbol "Gs" ; + qudt:ucumCode "G"^^qudt:UCUMcs ; + qudt:uneceCommonCode "76" ; + rdfs:isDefinedBy . + +unit:J-PER-GM-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Gram Kelvin"@en ; + dcterms:description "Joule per Gram Kelvin is a unit typically used for specific heat capacity." ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy, + quantitykind:SpecificHeatCapacity, + quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatCapacityAtConstantVolume, + quantitykind:SpecificHeatCapacityAtSaturation ; + qudt:iec61360Code "0112/2///62720#UAA176" ; + qudt:latexSymbol "\\(\\frac{J}{g \\cdot K}\\)"^^qudt:LatexString ; + qudt:symbol "J/(g⋅K)" ; + qudt:ucumCode "J.g-1.K-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-PER-KiloGM-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Kilogram Kelvin"@en ; + dcterms:description "Specific heat capacity - The heat required to raise unit mass of a substance by unit temperature interval under specified conditions, such as constant pressure: usually measured in joules per kelvin per kilogram. Symbol \\(c_p\\) (for constant pressure) Also called specific heat."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J-per-kgK\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEntropy, + quantitykind:SpecificHeatCapacity, + quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatCapacityAtConstantVolume, + quantitykind:SpecificHeatCapacityAtSaturation ; + qudt:iec61360Code "0112/2///62720#UAA176" ; + qudt:latexSymbol "\\(J/(kg \\cdot K)\\)"^^qudt:LatexString ; + qudt:symbol "J/(kg⋅K)" ; + qudt:ucumCode "J.kg-1.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B11" ; + rdfs:isDefinedBy . + +unit:J-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Cubic Metre"@en, + "Joule per Cubic Meter"@en-us ; + dcterms:description "\\(\\textit{Joule Per Cubic Meter}\\) (\\(J/m^{3}\\)) is a unit in the category of Energy density. It is also known as joules per cubic meter, joule per cubic metre, joules per cubic metre, joule/cubic meter, joule/cubic metre. This unit is commonly used in the SI unit system. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-m3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticEnergyDensity, + quantitykind:EnergyDensity, + quantitykind:RadiantEnergyDensity, + quantitykind:VolumicElectromagneticEnergy ; + qudt:iec61360Code "0112/2///62720#UAA180" ; + qudt:symbol "J/m³" ; + qudt:ucumCode "J.m-3"^^qudt:UCUMcs, + "J/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B8" ; + rdfs:isDefinedBy . + +unit:KiloC-PER-M2 a qudt:Unit ; + rdfs:label "Kilocoulomb Per Square Metre"@en, + "Kilocoulomb Per Square Meter"@en-us ; + dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea, + quantitykind:ElectricPolarization ; + qudt:iec61360Code "0112/2///62720#UAA564" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kC/m²" ; + qudt:ucumCode "kC.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B28" ; + rdfs:isDefinedBy . + +unit:KiloGM-CentiM2 a qudt:Unit ; + rdfs:label "Kilogram Square Centimetre"@en, + "Kilogram Square Centimeter"@en-us ; + dcterms:description "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia, + quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA600" ; + qudt:plainTextDescription "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "kg⋅cm²" ; + qudt:ucumCode "kg.cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F18" ; + rdfs:isDefinedBy . + +unit:KiloGM-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "كيلوغرام متر مربع"@ar, + "kilogram čtvereční metr"@cs, + "Kilogramm mal Quadratmeter"@de, + "kilogram square metre"@en, + "Kilogram Square Meter"@en-us, + "kilogramo metro cuadrado"@es, + "نیوتون متر مربع"@fa, + "kilogramme-mètre carré"@fr, + "किलोग्राम वर्ग मीटर"@hi, + "chilogrammo metro quadrato"@it, + "キログラム平方メートル"@ja, + "kilogram meter persegi"@ms, + "quilograma-metro quadrado"@pt, + "kilogram-metru pătrat"@ro, + "килограмм-квадратный метр"@ru, + "kilogram metrekare"@tr, + "千克平方米"@zh ; + dcterms:description "\"Kilogram Square Meter\" is a unit for 'Moment Of Inertia' expressed as \\(kg-m^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg-m2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia, + quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA622" ; + qudt:symbol "kg⋅m²" ; + qudt:ucumCode "kg.m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B32" ; + rdfs:isDefinedBy . + +unit:KiloGM-MilliM2 a qudt:Unit ; + rdfs:label "Kilogram Square Millimetre"@en, + "Kilogram Square Millimeter"@en-us ; + dcterms:description "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia, + quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA627" ; + qudt:plainTextDescription "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2" ; + qudt:symbol "kg⋅mm²" ; + qudt:ucumCode "kg.mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F19" ; + rdfs:isDefinedBy . + +unit:LB-FT2 a qudt:Unit ; + rdfs:label "Pound Mass (avoirdupois) Square Foot"@en ; + dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.04214011 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia, + quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA671" ; + qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2" ; + qudt:symbol "lb⋅ft²" ; + qudt:ucumCode "[lb_av].[sft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K65" ; + rdfs:isDefinedBy . + +unit:LB-IN2 a qudt:Unit ; + rdfs:label "Pound Mass (avoirdupois) Square Inch"@en ; + dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0002926397 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MomentOfInertia, + quantitykind:RotationalMass ; + qudt:iec61360Code "0112/2///62720#UAA672" ; + qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2" ; + qudt:symbol "lb⋅in²" ; + qudt:ucumCode "[lb_av].[sin_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F20" ; + rdfs:isDefinedBy . + +unit:N-M-PER-M2 a qudt:Unit ; + rdfs:label "Newton Metre Per Square Metre"@en, + "Newton Meter Per Square Meter"@en-us ; + dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea, + quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA244" ; + qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "N⋅m/m²" ; + qudt:ucumCode "N.m.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H86" ; + rdfs:isDefinedBy . + +unit:PicoPA-PER-KiloM a qudt:Unit ; + rdfs:label "Picopascal Per Kilometre"@en, + "Picopascal Per Kilometer"@en-us ; + dcterms:description "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:EnergyPerArea, + quantitykind:ForcePerLength ; + qudt:iec61360Code "0112/2///62720#UAA933" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre" ; + qudt:symbol "pPa/km" ; + qudt:ucumCode "pPa.km-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H69" ; + rdfs:isDefinedBy . + +unit:PlanckFrequency_Ang a qudt:Unit ; + rdfs:label "Planck Angular Frequency"@en ; + qudt:conversionMultiplier 1.8548e+43 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "planckangularfrequency" ; + rdfs:isDefinedBy . + +unit:RAD-PER-HR a qudt:Unit ; + rdfs:label "Radian per Hour"@en ; + dcterms:description "\"Radian per Hour\" is a unit for 'Angular Velocity' expressed as \\(rad/h\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:expression "\\(rad/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rad/h" ; + qudt:ucumCode "rad.h-1"^^qudt:UCUMcs, + "rad/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:RAD-PER-MIN a qudt:Unit ; + rdfs:label "Radian per Minute"@en ; + dcterms:description "Radian Per Minute (rad/min) is a unit in the category of Angular velocity. It is also known as radians per minute, radian/minute. Radian Per Minute (rad/min) has a dimension of aT-1 where T is time. It can be converted to the corresponding standard SI unit rad/s by multiplying its value by a factor of 0.0166666666667. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 60.0 ; + qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rad/min" ; + qudt:ucumCode "rad.min-1"^^qudt:UCUMcs, + "rad/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:RAD-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "راديان في الثانية"@ar, + "radián za sekundu"@cs, + "Radian je Sekunde"@de, + "radian per second"@en, + "radián por segundo"@es, + "رادیان بر ثانیه"@fa, + "radian par seconde"@fr, + "वर्ग मीटर प्रति सैकिण्ड"@hi, + "radiante al secondo"@it, + "ラジアン毎秒"@ja, + "radian per saat"@ms, + "radian na sekundę"@pl, + "radiano por segundo"@pt, + "radian pe secundă"@ro, + "радиан в секунду"@ru, + "radian na sekundo"@sl, + "radyan bölü saniye"@tr, + "弧度每秒"@zh ; + dcterms:description "\"Radian per Second\" is the SI unit of rotational speed (angular velocity), and, also the unit of angular frequency. The radian per second is defined as the change in the orientation of an object, in radians, every second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(rad/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAA968" ; + qudt:symbol "rad/s" ; + qudt:ucumCode "rad.s-1"^^qudt:UCUMcs, + "rad/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2A" ; + rdfs:isDefinedBy . + +unit:REV-PER-HR a qudt:Unit ; + rdfs:label "Revolution per Hour"@en ; + dcterms:description "\"Revolution per Hour\" is a unit for 'Angular Velocity' expressed as \\(rev/h\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00174532925 ; + qudt:expression "\\(rev/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rev/h" ; + qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:REV-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Revolution per Minute"@en ; + dcterms:description "\"Revolution per Minute\" is a unit for 'Angular Velocity' expressed as \\(rev/min\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.104719755 ; + qudt:expression "\\(rev/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:iec61360Code "0112/2///62720#UAB231" ; + qudt:symbol "rev/min" ; + qudt:ucumCode "{#}.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M46" ; + rdfs:isDefinedBy . + +unit:REV-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Revolution per Second"@en ; + dcterms:description "\"Revolution per Second\" is a unit for 'Angular Velocity' expressed as \\(rev/s\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 6.28318531 ; + qudt:expression "\\(rev/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularVelocity ; + qudt:symbol "rev/s" ; + qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "RPS" ; + rdfs:isDefinedBy . + +unit:T a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "تسلا"@ar, + "тесла"@bg, + "tesla"@cs, + "Tesla"@de, + "τέσλα"@el, + "tesla"@en, + "tesla"@es, + "تسلا"@fa, + "tesla"@fr, + "טסלה"@he, + "टैस्ला"@hi, + "tesla"@hu, + "tesla"@it, + "テスラ"@ja, + "tesla"@la, + "tesla"@ms, + "tesla"@pl, + "tesla"@pt, + "tesla"@ro, + "тесла"@ru, + "tesla"@sl, + "tesla"@tr, + "特斯拉"@zh ; + dcterms:description "The SI unit of flux density (or field intensity) for magnetic fields (also called the magnetic induction). The intensity of a magnetic field can be measured by placing a current-carrying conductor in the field. The magnetic field exerts a force on the conductor, a force which depends on the amount of the current and on the length of the conductor. One tesla is defined as the field intensity generating one newton of force per ampere of current per meter of conductor. Equivalently, one tesla represents a magnetic flux density of one weber per square meter of area. A field of one tesla is quite strong: the strongest fields available in laboratories are about 20 teslas, and the Earth's magnetic flux density, at its surface, is about 50 microteslas. The tesla, defined in 1958, honors the Serbian-American electrical engineer Nikola Tesla (1856-1943), whose work in electromagnetic induction led to the first practical generators and motors using alternating current. \\(T = V\\cdot s \\cdot m^{-2} = N\\cdot A^{-1}\\cdot m^{-1} = Wb\\cdot m^{-1} = kg \\cdot C^{-1}\\cdot s^{-1}\\cdot A^{-1} = kg \\cdot s^{-2}\\cdot A^{-1} = N \\cdot s \\cdot C^{-1}\\cdot m^{-1}\\) where, \\(\\\\\\) \\(A\\) = ampere, \\(C\\)=coulomb, \\(m\\) = meter, \\(N\\) = newton, \\(s\\) = second, \\(T\\) = tesla, \\(Wb\\) = weber"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tesla"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField, + quantitykind:MagneticFluxDensity ; + qudt:iec61360Code "0112/2///62720#UAA285" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tesla?oldid=481198244"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Tesla_(unit)"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1406?rskey=AzXBLd"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "Wb/m^2" ; + qudt:symbol "T" ; + qudt:ucumCode "T"^^qudt:UCUMcs ; + qudt:udunitsCode "T" ; + qudt:uneceCommonCode "D33" ; + rdfs:isDefinedBy . + +unit:W-PER-M2-K a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Watt per Square Metre Kelvin"@en, + "Watt per Square Meter Kelvin"@en-us ; + dcterms:description "\\(\\textbf{Watt Per Square Meter Per Kelvin }(\\(W m^{-2} K^{-1}\\)) is a unit in the category of Thermal heat transfer coefficient. It is also known as watt/square meter-kelvin. This unit is commonly used in the SI unit system. Watt Per Square Meter Per Kelvin (\\(W m^{-2} K^{-1}\\)) has a dimension of \\(MT^{-1}Q^{-1}\\) where \\(M\\) is mass, \\(T\\) is time, and \\(Q\\) is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/(m^{2}-K)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer, + quantitykind:CombinedNonEvaporativeHeatTransferCoefficient, + quantitykind:SurfaceCoefficientOfHeatTransfer ; + qudt:iec61360Code "0112/2///62720#UAA311" ; + qudt:symbol "W/(m²⋅K)" ; + qudt:ucumCode "W.m-2.K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D55" ; + rdfs:isDefinedBy . + +s223:EnumerationKind-Numerical a s223:Class, + s223:EnumerationKind-Numerical, + sh:NodeShape ; + rdfs:label "EnumerationKind Numerical" ; + qudt:hasQuantityKind quantitykind:Unknown ; + qudt:hasUnit unit:UNKNOWN ; + rdfs:comment "Numerical enumeration kinds are used to support the definitions of the Electricity medium. The enumerations instances in these classes have names that are recognizable by humans but are just a string for a computer application. To avoid the need to parse strings, each of these enumeration kinds have properties associated with the enumeration that represent electrical phase, voltage, and frequency. The purpose of these properties is to enable a machine to query them and obtain the same information that a person would associate with the sting" ; + rdfs:subClassOf s223:EnumerationKind ; + sh:property [ rdfs:comment "An EnumerationKind-Numerical can be associated with a decimal value using the relation hasValue." ; + sh:datatype xsd:decimal ; + sh:path s223:hasValue ], + [ rdfs:comment "An EnumerationKind-Numerical must be associated with at least one QuantityKind using the relation hasQuantityKind." ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "An EnumerationKind-Numerical must be associated with at least one Unit using the relation hasUnit." ; + sh:class qudt:Unit ; + sh:minCount 1 ; + sh:path qudt:hasUnit ; + sh:severity sh:Info ] . + +s223:EnumerationKind-Substance a s223:Class, + s223:EnumerationKind-Substance, + sh:NodeShape ; + rdfs:label "Substance" ; + rdfs:comment "This class has enumerated subclasses of the substances that are consumed, produced, transported, sensed, controlled or otherwise interacted with (e.g. water, air, etc.)." ; + rdfs:subClassOf s223:EnumerationKind ; + sh:property [ rdfs:comment "If the relation hasConstituent is present, it must associate an EnumerationKind-Substance with one or more Properties that identify and characterize those constituents." ; + sh:class s223:Property ; + sh:path s223:hasConstituent ], + [ rdfs:comment "A substance may only have atomic constituents, it may not have a constituent that also has constituents." ; + sh:path s223:hasConstituent ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a substance has a constituent, that constituent may not itself have constituents." ; + sh:message "This substance {$this} has a constituent {?constituent} that itself has constituents {?nextConstituent}. Create new substance with only atomic constituents." ; + sh:prefixes ; + sh:select """ +SELECT $this ?constituent ?nextConstituent +WHERE { +$this s223:hasConstituent ?constituent . +?constituent s223:ofSubstance/s223:hasConstituent ?nextConstituent . +} +""" ] ] . + +s223:LineNeutralVoltage-120V a s223:Class, + s223:LineNeutralVoltage-120V, + sh:NodeShape ; + rdfs:label "120V Line-Neutral Voltage" ; + s223:hasVoltage s223:Voltage-120V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "120V Line-Neutral Voltage" ; + rdfs:subClassOf s223:Numerical-LineNeutralVoltage . + +s223:Role-Heating a s223:Class, + s223:Role-Heating, + sh:NodeShape ; + rdfs:label "Role-Heating" ; + rdfs:comment "Role-Heating" ; + rdfs:subClassOf s223:EnumerationKind-Role . + +s223:contains a rdf:Property ; + rdfs:label "contains" ; + rdfs:comment "The relation contains associates a PhysicalSpace or a piece of Equipment to a PhysicalSpace or another piece of Equipment, respectively." . + +qkdv:A-1E0L2I0M1H-1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L2I0M1H-1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarHeatCapacity ; + qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A-1E0L3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarVolume ; + qudt:latexDefinition "\\(L^3 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M-1H1T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M-1H1T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalInsulance ; + qudt:latexDefinition "\\(M^-1 T^3 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumeThermalExpansion ; + qudt:latexDefinition "\\(L^3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Centi a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Centi"@en ; + dcterms:description "'centi' is a decimal prefix for expressing a value with a scaling of \\(10^{-2}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centi-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centi-?oldid=480291808"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-02 ; + qudt:symbol "c" ; + qudt:ucumCode "c" ; + rdfs:isDefinedBy . + +prefix1:Deca a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Deca"@en ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; + qudt:exactMatch prefix1:Deka ; + qudt:prefixMultiplier 1e+01 ; + qudt:symbol "da" ; + qudt:ucumCode "da" ; + rdfs:isDefinedBy . + +prefix1:Tera a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Tera"@en ; + dcterms:description "'tera' is a decimal prefix for expressing a value with a scaling of \\(10^{12}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tera"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tera?oldid=494204788"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+12 ; + qudt:symbol "T" ; + qudt:ucumCode "T" ; + rdfs:isDefinedBy . + +quantitykind:AngularImpulse a qudt:QuantityKind ; + rdfs:label "نبضة دفعية زاوية"@ar, + "Drehmomentstoß"@de, + "Drehstoß"@de, + "angular impulse"@en, + "impulso angular"@es, + "impulsion angulaire"@fr, + "impulso angolare"@it, + "角力積"@ja, + "popęd kątowy"@pl, + "impulsão angular"@pt, + "角冲量;冲量矩"@zh ; + dcterms:description "The Angular Impulse, also known as angular momentum, is the moment of linear momentum around a point. It is defined as\\(H = \\int Mdt\\), where \\(M\\) is the moment of force and \\(t\\) is time."^^qudt:LatexString ; + qudt:applicableUnit unit:ERG-SEC, + unit:EV-SEC, + unit:FT-LB_F-SEC, + unit:J-SEC, + unit:KiloGM-M2-PER-SEC, + unit:N-M-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/AngularMomentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:AngularMomentum ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://emweb.unl.edu/NEGAHBAN/EM373/note13/note.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:symbol "H" ; + rdfs:isDefinedBy . + +quantitykind:AngularReciprocalLatticeVector a qudt:QuantityKind ; + rdfs:label "Angular Reciprocal Lattice Vector"@en ; + dcterms:description "\"Angular Reciprocal Lattice Vector\" is a vector whose scalar products with all fundamental lattice vectors are integral multiples of \\(2\\pi\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; + qudt:symbol "G" ; + rdfs:isDefinedBy . + +quantitykind:AttenuationCoefficient a qudt:QuantityKind ; + rdfs:label "Attenuation Coefficient"@en ; + dcterms:description "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient."^^rdf:HTML ; + qudt:applicableUnit unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM, + unit:PERCENT-PER-M ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; + qudt:latexDefinition "\\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient." ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +quantitykind:Count a qudt:QuantityKind ; + rdfs:label "Count"@en ; + dcterms:description "\"Count\" is the value of a count of items."^^rdf:HTML ; + qudt:applicableUnit unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "\"Count\" is the value of a count of items." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:ElectricChargeVolumeDensity a qudt:QuantityKind ; + rdfs:label "Electric Charge Volume Density"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM3, + unit:C-PER-M3, + unit:C-PER-MilliM3, + unit:KiloC-PER-M3, + unit:MilliC-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ElectricConductivity a qudt:QuantityKind ; + rdfs:label "elektrische Leitfähigkeit"@de, + "electric conductivity"@en, + "conductividad eléctrica"@es, + "رسانايى الکتريکى/هدایت الکتریکی"@fa, + "conductivité électrique"@fr, + "conducibilità elettrica"@it, + "Kekonduksian elektrik"@ms, + "condutividade elétrica"@pt, + "električna prevodnost"@sl, + "elektrik iletkenliği"@tr, + "电导率"@zh ; + dcterms:description "\"Electric Conductivity} or \\textit{Specific Conductance\" is a measure of a material's ability to conduct an electric current. When an electrical potential difference is placed across a conductor, its movable charges flow, giving rise to an electric current. The conductivity \\(\\sigma\\) is defined as the ratio of the electric current density \\(J\\) to the electric field \\(E\\): \\(J = \\sigma E\\). In isotropic materials, conductivity is scalar-valued, however in general, conductivity is a tensor-valued quantity."^^qudt:LatexString ; + qudt:applicableUnit unit:A_Ab-CentiM2, + unit:MHO, + unit:MHO_Stat, + unit:MicroMHO, + unit:S_Ab, + unit:S_Stat ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ElectricFluxDensity a qudt:QuantityKind ; + rdfs:label "إزاحة كهربائية"@ar, + "Elektrická indukce"@cs, + "elektrische Flussdichte"@de, + "elektrische Induktion"@de, + "elektrische Verschiebung"@de, + "displacement"@en, + "electric flux density"@en, + "Densidad de flujo eléctrico"@es, + "چگالی شار الکتریکی"@fa, + "Induction électrique"@fr, + "densité de flux électrique"@fr, + "induzione elettrica"@it, + "spostamento elettrico"@it, + "電束密度"@ja, + "Ketumpatan fluks elektrik"@ms, + "anjakan"@ms, + "Indukcja elektryczna"@pl, + "campo de deslocamento elétrico"@pt, + "Inducție electrică"@ro, + "Электрическая индукция"@ru, + "elektrik akı yoğunluğu"@tr, + "yer değiştirme"@tr, + "電位移"@zh ; + dcterms:description "\\(\\textbf{Electric Flux Density}\\), also referred to as \\(\\textit{Electric Displacement}\\), is related to electric charge density by the following equation: \\(\\text{div} \\; D = \\rho\\), where \\(\\text{div}\\) denotes the divergence."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2, + unit:C-PER-M2, + unit:C-PER-MilliM2, + unit:C_Ab-PER-CentiM2, + unit:C_Stat-PER-CentiM2, + unit:KiloC-PER-M2, + unit:MegaC-PER-M2, + unit:MicroC-PER-M2, + unit:MilliC-PER-M2 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; + qudt:exactMatch quantitykind:ElectricDisplacement ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{D} = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(\\mathbf{E} \\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{D}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricChargePerArea . + +quantitykind:ElectromagneticPermeability a qudt:QuantityKind ; + rdfs:label "Permeability"@en ; + dcterms:description "\"Permeability} is the degree of magnetization of a material that responds linearly to an applied magnetic field. In general permeability is a tensor-valued quantity. The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor. In electromagnetism, permeability is the measure of the ability of a material to support the formation of a magnetic field within itself. In other words, it is the degree of magnetization that a material obtains in response to an applied magnetic field. Magnetic permeability is typically represented by the Greek letter \\(\\mu\\). The term was coined in September, 1885 by Oliver Heaviside. The reciprocal of magnetic permeability is \\textit{Magnetic Reluctivity\"."^^qudt:LatexString ; + qudt:applicableUnit unit:H-PER-M, + unit:H_Stat-PER-CentiM, + unit:MicroH-PER-M, + unit:NanoH-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Permeability ; + qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\frac{B}{H}\\), where \\(B\\) is magnetic flux density, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso constant:ElectromagneticPermeabilityOfVacuum, + constant:MagneticConstant, + quantitykind:MagneticFieldStrength_H, + quantitykind:MagneticFluxDensity . + +quantitykind:ExpansionRatio a qudt:QuantityKind ; + rdfs:label "Expansion Ratio"@en ; + qudt:applicableUnit unit:PER-K, + unit:PPM-PER-K, + unit:PPTM-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + rdfs:isDefinedBy . + +quantitykind:Impedance a qudt:QuantityKind ; + rdfs:label "Impedance"@en ; + dcterms:description "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle."^^rdf:HTML ; + qudt:applicableUnit unit:OHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_impedance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-43"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\underline{Z} = \\underline{U} / \\underline{I}\\), where \\(\\underline{U}\\) is the voltage phasor and \\(\\underline{I}\\) is the electric current phasor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{Z}\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrentPhasor, + quantitykind:VoltagePhasor . + +quantitykind:InternalEnergy a qudt:QuantityKind ; + rdfs:label "Internal Energy"@en ; + dcterms:description "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy."^^rdf:HTML ; + qudt:abbreviation "int-energy" ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; + qudt:exactMatch quantitykind:EnergyInternal, + quantitykind:ThermodynamicEnergy ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Internal_energy"^^xsd:anyURI ; + qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; + qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy." ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Energy, + quantitykind:Enthalpy, + quantitykind:GibbsEnergy, + quantitykind:HelmholtzEnergy ; + skos:broader quantitykind:Energy . + +quantitykind:LinearElectricCurrentDensity a qudt:QuantityKind ; + rdfs:label "Linear Electric Current Density"@en ; + dcterms:description "\"Linear Electric Linear Current Density\" is the electric current per unit length. Electric current, \\(I\\), through a curve \\(C\\) is defined as \\(I = \\int_C J _s \\times e_n\\), where \\(e_n\\) is a unit vector perpendicular to the surface and line vector element, and \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM, + unit:A-PER-M, + unit:A-PER-MilliM, + unit:KiloA-PER-M, + unit:MilliA-PER-IN, + unit:MilliA-PER-MilliM ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J_s = \\rho_A v\\), where \\(\\rho_A\\) is surface density of electric charge and \\(v\\) is velocity."^^qudt:LatexString ; + qudt:symbol "J_s" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity, + quantitykind:ElectricCurrentDensity . + +quantitykind:QuantumNumber a qudt:QuantityKind ; + rdfs:label "Quantum Number"@en ; + dcterms:description "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers."^^rdf:HTML ; + qudt:applicableUnit unit:NUM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:plainTextDescription "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +quantitykind:SpecificEnthalpy a qudt:QuantityKind ; + rdfs:label "Specific Enthalpy"@en ; + dcterms:description "\\(\\textit{Specific Enthalpy}\\) is enthalpy per mass of substance involved. Specific enthalpy is denoted by a lower case h, with dimension of energy per mass (SI unit: joule/kg). In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy U and the product of pressure p and volume V of a system: \\(H = U + pV\\). The internal energy U and the work term pV have dimension of energy, in SI units this is joule; the extensive (linear in size) quantity H has the same dimension."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(h = H/m\\), where \\(H\\) is enthalpy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "h" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Enthalpy, + quantitykind:MassieuFunction, + quantitykind:PlanckFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy . + +quantitykind:SpecificGibbsEnergy a qudt:QuantityKind ; + rdfs:label "Specific Gibbs Energy"@en ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(g = G/m\\), where \\(G\\) is Gibbs energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)." ; + qudt:symbol "g" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassieuFunction, + quantitykind:PlanckFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy . + +quantitykind:SpecificHelmholtzEnergy a qudt:QuantityKind ; + rdfs:label "Specific Helmholtz Energy"@en ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \\(\\textit{Specific Helmholtz Energy}\\), which is \\(\\textit{Helmholz Energy}\\) per mass of substance involved.\\( \\textit{Specific Helmholz Energy}\\) is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^qudt:LatexString ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(a = A/m\\), where \\(A\\) is Helmholtz energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "a" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MassieuFunction, + quantitykind:PlanckFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificInternalEnergy . + +quantitykind:SpecificInternalEnergy a qudt:QuantityKind ; + rdfs:label "Specific Internal Energy"@en ; + dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; + qudt:applicableUnit unit:J-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:latexDefinition "\\(u = U/m\\), where \\(U\\) is thermodynamic energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)." ; + qudt:symbol "u" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:InternalEnergy, + quantitykind:MassieuFunction, + quantitykind:PlanckFunction, + quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy . + +quantitykind:VolumeThermalExpansion a qudt:QuantityKind ; + rdfs:label "Volume Thermal Expansion"@en ; + dcterms:description """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. + +Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: + + * linear thermal expansion + * area thermal expansion + * volumetric thermal expansion + +These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. + +Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; + qudt:applicableUnit unit:CentiM3-PER-K, + unit:FT3-PER-DEG_F, + unit:L-PER-K, + unit:M3-PER-K, + unit:MilliL-PER-K, + unit:YD3-PER-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; + qudt:plainTextDescription """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. + +Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: + + * linear thermal expansion + * area thermal expansion + * volumetric thermal expansion + +These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. + +Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; + rdfs:isDefinedBy . + +unit:BAR-L-PER-SEC a qudt:Unit ; + rdfs:label "Bar Litre Per Second"@en, + "Bar Liter Per Second"@en-us ; + dcterms:description "product of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA326" ; + qudt:plainTextDescription "product of the unit bar and the unit litre divided by the SI base unit second" ; + qudt:symbol "bar⋅L/s" ; + qudt:ucumCode "bar.L.s-1"^^qudt:UCUMcs, + "bar.L/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F91" ; + rdfs:isDefinedBy . + +unit:BAR-M3-PER-SEC a qudt:Unit ; + rdfs:label "Bar Cubic Metre Per Second"@en, + "Bar Cubic Meter Per Second"@en-us ; + dcterms:description "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA814" ; + qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "bar⋅m³/s" ; + qudt:ucumCode "bar.m3.s-1"^^qudt:UCUMcs, + "bar.m3/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F92" ; + rdfs:isDefinedBy . + +unit:C-PER-M2 a qudt:Unit ; + rdfs:label "كولوم في المتر المربع"@ar, + "coulomb na metr čtvereční"@cs, + "Coulomb je Quadratmeter"@de, + "coulomb per square metre"@en, + "Coulomb per Square Meter"@en-us, + "culombio por metro cuadrado"@es, + "کولمب/کولن بر مترمربع"@fa, + "coulomb par mètre carré"@fr, + "कूलम्ब प्रति वर्ग मीटर"@hi, + "coulomb al metro quadrato"@it, + "クーロン毎平方メートル"@ja, + "coulomb per meter persegi"@ms, + "kulomb na metr kwadratowy"@pl, + "coulomb por metro quadrado"@pt, + "coulomb pe metru pătrat"@ro, + "кулон на квадратный метр"@ru, + "coulomb bölü metre kare"@tr, + "库伦每平方米"@zh ; + dcterms:description "Coulomb Per Square Meter (\\(C/m^2\\)) is a unit in the category of Electric charge surface density. It is also known as coulombs per square meter, coulomb per square metre, coulombs per square metre, coulomb/square meter, coulomb/square metre. This unit is commonly used in the SI unit system. Coulomb Per Square Meter (C/m2) has a dimension of \\(L^{-2}TI\\) where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(C/m^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerArea, + quantitykind:ElectricChargeSurfaceDensity, + quantitykind:ElectricPolarization ; + qudt:iec61360Code "0112/2///62720#UAA134" ; + qudt:symbol "C/m²" ; + qudt:ucumCode "C.m-2"^^qudt:UCUMcs, + "C/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A34" ; + rdfs:isDefinedBy . + +unit:ERG-PER-SEC a qudt:Unit ; + rdfs:label "Erg per Second"@en ; + dcterms:description "\"Erg per Second\" is a C.G.S System unit for 'Power' expressed as \\(erg/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-07 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(erg/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA430" ; + qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{3}\\)"^^qudt:LatexString ; + qudt:symbol "erg/s" ; + qudt:ucumCode "erg.s-1"^^qudt:UCUMcs, + "erg/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A63" ; + rdfs:isDefinedBy . + +unit:EV-SEC a qudt:Unit ; + rdfs:label "Electron Volt Second"@en ; + dcterms:description "\"Electron Volt Second\" is a unit for 'Angular Momentum' expressed as \\(eV s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:symbol "eV⋅s" ; + qudt:ucumCode "eV.s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-HR a qudt:Unit ; + rdfs:label "Foot Pound Force per Hour"@en ; + dcterms:description "\"Foot Pound Force per Hour\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00376616129 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/hr" ; + qudt:ucumCode "[ft_i].[lbf_av].h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K15" ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-MIN a qudt:Unit ; + rdfs:label "Foot Pound Force per Minute"@en ; + dcterms:description "\"Foot Pound Force per Minute\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0225969678 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/min" ; + qudt:ucumCode "[ft_i].[lbf_av].min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K16" ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-SEC a qudt:Unit ; + rdfs:label "Foot Pound Force per Second"@en ; + dcterms:description "\"Foot Pound Force per Second\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "ft⋅lbf/s" ; + qudt:ucumCode "[ft_i].[lbf_av].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A74" ; + rdfs:isDefinedBy . + +unit:GigaJ-PER-HR a qudt:Unit ; + rdfs:label "Gigajoule Per Hour"@en ; + dcterms:description "SI derived unit Gigajoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit gigajoule divided by the 3600 times the SI base unit second" ; + qudt:symbol "GJ/hr" ; + qudt:ucumCode "GJ.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy . + +unit:Gs a qudt:Unit ; + rdfs:label "Gs"@en ; + dcterms:description "The gauss, abbreviated as \\(G\\), is the cgs unit of measurement of a magnetic field \\(B\\), which is also known as the \"magnetic flux density\" or the \"magnetic induction\". One gauss is defined as one maxwell per square centimeter; it equals \\(10^{-4} tesla\\) (or \\(100 micro T\\)). The Gauss is identical to maxwells per square centimetre; technically defined in a three-dimensional system, it corresponds in the SI, with its extra base unit the ampere. The gauss is quite small by earthly standards, 1 Gs being only about four times Earth's flux density, but it is subdivided, with \\(1 gauss = 105 gamma\\). This unit of magnetic induction is also known as the \\(\\textit{abtesla}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 0.0001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gauss_%28unit%29"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:GAUSS, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gauss_(unit)"^^xsd:anyURI, + "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-526?rskey=HAbfz2"^^xsd:anyURI ; + qudt:symbol "G" ; + qudt:ucumCode "G"^^qudt:UCUMcs ; + qudt:uneceCommonCode "76" ; + rdfs:isDefinedBy . + +unit:HP a qudt:Unit ; + rdfs:label "Horsepower"@en ; + dcterms:description "550 foot-pound force per second"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 745.6999 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Horsepower"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Horsepower?oldid=495510329"^^xsd:anyURI ; + qudt:symbol "HP" ; + qudt:ucumCode "[HP]"^^qudt:UCUMcs ; + qudt:udunitsCode "hp" ; + qudt:uneceCommonCode "K43" ; + rdfs:isDefinedBy . + +unit:HP_Boiler a qudt:Unit ; + rdfs:label "Boiler Horsepower"@en ; + dcterms:description "\"Boiler Horsepower\" is a unit for 'Power' expressed as \\(hp_boiler\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9809.5 ; + qudt:expression "\\(boiler_hp\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:symbol "HP{boiler}" ; + qudt:uneceCommonCode "K42" ; + rdfs:isDefinedBy . + +unit:HP_Brake a qudt:Unit ; + rdfs:label "Horsepower (brake)"@en ; + dcterms:description "unit of the power according to the Imperial system of units"^^rdf:HTML ; + qudt:conversionMultiplier 9809.5 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA536" ; + qudt:plainTextDescription "unit of the power according to the Imperial system of units" ; + qudt:symbol "HP{brake}" ; + qudt:uneceCommonCode "K42" ; + rdfs:isDefinedBy . + +unit:HP_Electric a qudt:Unit ; + rdfs:label "Horsepower (electric)"@en ; + dcterms:description "unit of the power according to the Anglo-American system of units"^^rdf:HTML ; + qudt:conversionMultiplier 746.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA537" ; + qudt:plainTextDescription "unit of the power according to the Anglo-American system of units" ; + qudt:symbol "HP{electric}" ; + qudt:uneceCommonCode "K43" ; + rdfs:isDefinedBy . + +unit:HP_Metric a qudt:Unit ; + rdfs:label "Horsepower (metric)"@en ; + dcterms:description "unit of the mechanical power according to the Anglo-American system of units"^^rdf:HTML ; + qudt:conversionMultiplier 735.4988 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA534" ; + qudt:plainTextDescription "unit of the mechanical power according to the Anglo-American system of units" ; + qudt:symbol "HP{metric}" ; + qudt:uneceCommonCode "HJ" ; + rdfs:isDefinedBy . + +unit:J-PER-HR a qudt:Unit ; + rdfs:label "Joule Per Hour"@en ; + dcterms:description "SI derived unit joule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit joule divided by the 3600 times the SI base unit second" ; + qudt:symbol "J/hr" ; + qudt:ucumCode "J.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy . + +unit:J-PER-KiloGM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Joule per Kilogram"@en ; + dcterms:description "Joule Per Kilogram} (\\(J/kg\\)) is a unit in the category of Thermal heat capacity. It is also known as \\textit{joule/kilogram}, \\textit{joules per kilogram}. This unit is commonly used in the SI unit system. The unit has a dimension of \\(L2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(J/kg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:hasQuantityKind quantitykind:SpecificEnergy, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA175" ; + qudt:symbol "J/kg" ; + qudt:ucumCode "J.kg-1"^^qudt:UCUMcs, + "J/kg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J2" ; + rdfs:isDefinedBy . + +unit:J-PER-SEC a qudt:Unit ; + rdfs:label "Joule Per Second"@en ; + dcterms:description "SI derived unit joule divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit joule divided by the SI base unit second" ; + qudt:symbol "J/s" ; + qudt:ucumCode "J.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P14" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M3 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "كيلوغرام لكل متر مكعب"@ar, + "килограм на кубичен метър"@bg, + "kilogram na metr krychlový"@cs, + "Kilogramm je Kubikmeter"@de, + "χιλιόγραμμο ανά κυβικό μέτρο"@el, + "kilogram per cubic metre"@en, + "kilogram per cubic meter"@en-us, + "kilogramo por metro cúbico"@es, + "کیلوگرم بر متر مکعب"@fa, + "kilogramme par mètre cube"@fr, + "किलोग्राम प्रति घन मीटर"@hi, + "chilogrammo al metro cubo"@it, + "キログラム毎立方メートル"@ja, + "kilogram per meter kubik"@ms, + "kilogram na metr sześcienny"@pl, + "quilograma por metro cúbico"@pt, + "kilogram pe metru cub"@ro, + "килограмм на кубический метр"@ru, + "kilogram na kubični meter"@sl, + "kilogram bölü metre küp"@tr, + "千克每立方米"@zh ; + dcterms:description "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is \\(kg \\cdot m^{-3}\\), or equivalently either \\(kg/m^3\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(kg/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Density, + quantitykind:MassConcentration, + quantitykind:MassConcentrationOfWater, + quantitykind:MassConcentrationOfWaterVapour, + quantitykind:MassDensity ; + qudt:iec61360Code "0112/2///62720#UAA619" ; + qudt:plainTextDescription "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is kg . m^-3, or equivalently either kg/m^3." ; + qudt:symbol "kg/m³" ; + qudt:ucumCode "kg.m-3"^^qudt:UCUMcs, + "kg/m3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMQ" ; + rdfs:isDefinedBy . + +unit:KiloV a qudt:Unit ; + rdfs:label "Kilovolt"@en ; + dcterms:description "1 000-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA580" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit volt" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kV" ; + qudt:ucumCode "kV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KVT" ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-HR a qudt:Unit ; + rdfs:label "Megajoule Per Hour"@en ; + dcterms:description "SI derived unit MegaJoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:plainTextDescription "SI derived unit Megajoule divided by the 3600 times the SI base unit second" ; + qudt:symbol "MJ/hr" ; + qudt:ucumCode "MJ.h-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "P16" ; + rdfs:isDefinedBy . + +unit:MegaJ-PER-SEC a qudt:Unit ; + rdfs:label "Megajoule Per Second"@en ; + dcterms:description "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAB177" ; + qudt:plainTextDescription "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second" ; + qudt:symbol "MJ/s" ; + qudt:ucumCode "MJ.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D78" ; + rdfs:isDefinedBy . + +unit:MegaPA-L-PER-SEC a qudt:Unit ; + rdfs:label "Megapascal Litre Per Second"@en, + "Megapascal Liter Per Second"@en-us ; + dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA218" ; + qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "MPa⋅L/s" ; + qudt:ucumCode "MPa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F97" ; + rdfs:isDefinedBy . + +unit:MegaPA-M3-PER-SEC a qudt:Unit ; + rdfs:label "Megapascal Cubic Metre Per Second"@en, + "Megapascal Cubic Meter Per Second"@en-us ; + dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA219" ; + qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "MPa⋅m³/s" ; + qudt:ucumCode "MPa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F98" ; + rdfs:isDefinedBy . + +unit:MegaV a qudt:Unit ; + rdfs:label "Megavolt"@en ; + dcterms:description "1,000,000-fold of the derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA221" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit volt" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "mV" ; + qudt:ucumCode "MV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B78" ; + rdfs:isDefinedBy . + +unit:MicroV a qudt:Unit ; + rdfs:label "Microvolt"@en ; + dcterms:description "0.000001-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA078" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit volt" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µV" ; + qudt:ucumCode "uV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D82" ; + rdfs:isDefinedBy . + +unit:MilliBAR-L-PER-SEC a qudt:Unit ; + rdfs:label "Millibar Litre Per Second"@en, + "Millibar Liter Per Second"@en-us ; + dcterms:description "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA813" ; + qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second" ; + qudt:symbol "mbar⋅L/s" ; + qudt:ucumCode "mbar.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F95" ; + rdfs:isDefinedBy . + +unit:MilliBAR-M3-PER-SEC a qudt:Unit ; + rdfs:label "Millibar Cubic Metre Per Second"@en, + "Millibar Cubic Meter Per Second"@en-us ; + dcterms:description "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA327" ; + qudt:plainTextDescription "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "mbar⋅m³/s" ; + qudt:ucumCode "mbar.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F96" ; + rdfs:isDefinedBy . + +unit:MilliV a qudt:Unit ; + rdfs:label "Millivolt"@en ; + dcterms:description "0,001-fold of the SI derived unit volt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA804" ; + qudt:plainTextDescription "0,001-fold of the SI derived unit volt" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mV" ; + qudt:ucumCode "mV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2Z" ; + rdfs:isDefinedBy . + +unit:PA-L-PER-SEC a qudt:Unit ; + rdfs:label "Pascal Litre Per Second"@en, + "Pascal Liter Per Second"@en-us ; + dcterms:description "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA261" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; + qudt:symbol "Pa⋅L/s" ; + qudt:ucumCode "Pa.L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F99" ; + rdfs:isDefinedBy . + +unit:PA-M3-PER-SEC a qudt:Unit ; + rdfs:label "Pascal Cubic Metre Per Second"@en, + "Pascal Cubic Meter Per Second"@en-us ; + dcterms:description "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA264" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; + qudt:symbol "Pa⋅m³/s" ; + qudt:ucumCode "Pa.m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G01" ; + rdfs:isDefinedBy . + +unit:PER-K a qudt:Unit ; + rdfs:label "Reciprocal Kelvin"@en ; + dcterms:description "Per Kelvin Unit is a denominator unit with dimensions \\(/k\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:expression "\\(/K\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; + qudt:hasQuantityKind quantitykind:ExpansionRatio, + quantitykind:InverseTemperature, + quantitykind:RelativePressureCoefficient, + quantitykind:ThermalExpansionCoefficient ; + qudt:symbol "/K" ; + qudt:ucumCode "K-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C91" ; + rdfs:isDefinedBy . + +unit:PER-T-SEC a qudt:Unit ; + rdfs:label "Reciprocal Tesla Second Unit"@en ; + dcterms:description "Per Tesla Second Unit is a denominator unit with dimensions \\(/s . T\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/s . T\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "/T⋅s" ; + qudt:ucumCode "T-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PSI-IN3-PER-SEC a qudt:Unit ; + rdfs:label "Psi Cubic Inch Per Second"@en ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.1129848 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA703" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)" ; + qudt:symbol "psi⋅in³/s" ; + qudt:ucumCode "[psi].[cin_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K87" ; + rdfs:isDefinedBy . + +unit:PSI-M3-PER-SEC a qudt:Unit ; + rdfs:label "PSI Cubic Metre Per Second"@en, + "PSI Cubic Meter Per Second"@en-us ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)"^^rdf:HTML ; + qudt:conversionMultiplier 6894.757 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA705" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)" ; + qudt:symbol "psi⋅m³/s" ; + qudt:ucumCode "[psi].m3.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K89" ; + rdfs:isDefinedBy . + +unit:PSI-YD3-PER-SEC a qudt:Unit ; + rdfs:label "Psi Cubic Yard Per Second"@en ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 5271.42 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA706" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)" ; + qudt:symbol "psi⋅yd³/s" ; + qudt:ucumCode "[psi].[cyd_i].s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K90" ; + rdfs:isDefinedBy . + +unit:PlanckPower a qudt:Unit ; + rdfs:label "Planck Power"@en ; + dcterms:description "The Planck energy divided by the Planck time is the Planck power \\(P_p \\), equal to about \\(3.62831 \\times 10^{52} W\\). This is an extremely large unit; even gamma-ray bursts, the most luminous phenomena known, have output on the order of \\(1 \\times 10^{45} W\\), less than one ten-millionth of the Planck power."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 3.62831e+52 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_power"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_power?oldid=493642483"^^xsd:anyURI ; + qudt:latexDefinition "\\(P_p = {\\frac{ c^5}{G}}\\), where \\(c\\) is the speed of light in a vacuum, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; + qudt:symbol "planckpower" ; + rdfs:isDefinedBy . + +unit:PlanckVolt a qudt:Unit ; + rdfs:label "Planck Volt"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.04295e+27 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:symbol "Vₚ" ; + rdfs:isDefinedBy . + +unit:T_Ab a qudt:Unit ; + rdfs:label "Abtesla"@en ; + dcterms:description "The unit of magnetic induction in the cgs system, \\(10^{-4}\\,tesla\\). Also known as the gauss."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:exactMatch unit:GAUSS, + unit:Gs ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:MagneticField, + quantitykind:MagneticFluxDensity ; + qudt:informativeReference "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI ; + qudt:symbol "abT" ; + rdfs:isDefinedBy . + +unit:V_Ab a qudt:Unit ; + rdfs:label "Abvolt"@en ; + dcterms:description "A unit of electrical potential equal to one hundred millionth of a volt (\\(10^{-8}\\,volts\\)), used in the centimeter-gram-second (CGS) system of units. One abV is the potential difference that exists between two points when the work done to transfer one abcoulomb of charge between them equals: \\(1\\,erg\\cdot\\,1\\,abV\\,=\\,10\\,nV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU ; + qudt:conversionMultiplier 1e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Abvolt"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-EMU ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Abvolt?oldid=477198646"^^xsd:anyURI, + "http://www.lexic.us/definition-of/abvolt"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-27"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "abV" ; + qudt:ucumCode "10.nV"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V_Stat a qudt:Unit ; + rdfs:label "Statvolt"@en ; + dcterms:description "\"statvolt\" is a unit of voltage and electrical potential used in the cgs system of units. The conversion to the SI system is \\(1 statvolt = 299.792458 volts\\). The conversion factor 299.792458 is simply the numerical value of the speed of light in m/s divided by 106. The statvolt is also defined in the cgs system as \\(1 erg / esu\\). It is a useful unit for electromagnetism because one statvolt per centimetre is equal in magnitude to one gauss. Thus, for example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. The abvolt is another option for a unit of voltage in the cgs system."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-ESU ; + qudt:conversionMultiplier 299.792458 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Statvolt"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:CGS-ESU ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Statvolt?oldid=491769750"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "statV" ; + rdfs:isDefinedBy . + +s223:Sensor a s223:Class, + sh:NodeShape ; + rdfs:label "Sensor" ; + rdfs:comment "A Sensor observes an ObservableProperty (see `s223:ObservableProperty`) which may be quantifiable (see `s223:QuantifiableObservableProperty`), such as a temperature, flowrate, or concentration, or Enumerable (see `s223:EnumeratedObservableProperty`), such as an alarm state or occupancy state." ; + rdfs:subClassOf s223:AbstractSensor ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the hasObservationLocation relation for a Sensor from the Property that it is observing, only if that property is associated with a single entity." ; + sh:construct """ +CONSTRUCT {$this s223:hasObservationLocation ?something .} +WHERE { +{ +SELECT ?prop (COUNT (DISTINCT ?measurementLocation) AS ?count) $this +WHERE { +FILTER (NOT EXISTS {$this s223:hasObservationLocation ?anything}) . +$this s223:observes ?prop . +?measurementLocation s223:hasProperty ?prop . +} +GROUP BY ?prop $this +} +FILTER (?count = 1) . +?something s223:hasProperty ?prop . +{?something a/rdfs:subClassOf* s223:Connectable} +UNION +{?something a/rdfs:subClassOf* s223:Connection} +UNION +{?something a/rdfs:subClassOf* s223:ConnectionPoint} +} +""" ; + sh:name "InferredMeasurementLocation" ; + sh:prefixes ] ; + sh:xone ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:Connectable ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:Connection ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, or ConnectionPoint using the relation hasObservationLocation." ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:hasObservationLocation ] ] ), + ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty using the relation observes." ; + sh:class s223:QuantifiableObservableProperty ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:observes ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty using the relation observes." ; + sh:class s223:EnumeratedObservableProperty ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:path s223:observes ] ] ) . + +qudt:Verifiable a qudt:AspectClass, + sh:NodeShape ; + rdfs:label "Verifiable" ; + rdfs:comment "An aspect class that holds properties that provide external knowledge and specifications of a given resource." ; + rdfs:isDefinedBy ; + rdfs:subClassOf qudt:Aspect ; + sh:property qudt:Verifiable-dbpediaMatch, + qudt:Verifiable-informativeReference, + qudt:Verifiable-isoNormativeReference, + qudt:Verifiable-normativeReference . + +qudt:applicableUnit a rdf:Property ; + rdfs:label "applicable unit" ; + dcterms:description "See https://github.com/qudt/qudt-public-repo/wiki/Advanced-User-Guide#4-computing-applicable-units-for-a-quantitykind on how `qudt:applicableUnit` is computed from `qudt:hasQuantityKind` and then materialized"^^rdf:HTML ; + rdfs:isDefinedBy . + +qkdv:A0E-2L1I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L1I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectromagneticPermeability ; + qudt:latexDefinition "\\(L M T^-2 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpectralRadiantEnergyDensity ; + qudt:latexDefinition "\\(L^-2 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; + qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearThermalExpansion ; + qudt:latexDefinition "\\(L .H^{-1}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(L .\\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaTime ; + qudt:latexDefinition "\\(L^2 T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LengthEnergy, + quantitykind:ThermalEnergyLength ; + qudt:latexDefinition "\\(L^3 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Deci a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Deci"@en ; + dcterms:description "\"deci\" is a decimal prefix for expressing a value with a scaling of \\(10^{-1}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Deci-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Deci-?oldid=469980160"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-01 ; + qudt:symbol "d" ; + qudt:ucumCode "d" ; + rdfs:isDefinedBy . + +quantitykind:ComplexPower a qudt:QuantityKind ; + rdfs:label "Complex Power"@en ; + dcterms:description "\"Complex Power\", under sinusoidal conditions, is the product of the phasor \\(U\\) representing the voltage between the terminals of a linear two-terminal element or two-terminal circuit and the complex conjugate of the phasor \\(I\\) representing the electric current in the element or circuit."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-A, + unit:MegaV-A, + unit:V-A ; + qudt:expression "\\(complex-power\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-39"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\underline{S} = \\underline{U}\\underline{I^*}\\), where \\(\\underline{U}\\) is voltage phasor and \\(\\underline{I^*}\\) is the complex conjugate of the current phasor."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\underline{S}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrentPhasor, + quantitykind:VoltagePhasor ; + skos:broader quantitykind:ElectricPower . + +quantitykind:DryVolume a qudt:QuantityKind ; + rdfs:label "Dry Volume"@en ; + dcterms:description "Dry measures are units of volume used to measure bulk commodities which are not gas or liquid. They are typically used in agriculture, agronomy, and commodity markets to measure grain, dried beans, and dried and fresh fruit; formerly also salt pork and fish. They are also used in fishing for clams, crabs, etc. and formerly for many other substances (for example coal, cement, lime) which were typically shipped and delivered in a standardized container such as a barrel. In the original metric system, the unit of dry volume was the stere, but this is not part of the modern metric system; the liter and the cubic meter (\\(m^{3}\\)) are now used. However, the stere is still widely used for firewood."^^qudt:LatexString ; + qudt:applicableUnit unit:BBL_US_DRY, + unit:BU_UK, + unit:BU_US, + unit:CORD, + unit:GAL_US_DRY, + unit:PINT_US_DRY, + unit:PK_US_DRY, + unit:QT_US_DRY ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dry_measure"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Volume . + +quantitykind:ForcePerAreaTime a qudt:QuantityKind ; + rdfs:label "Force Per Area Time"@en ; + qudt:applicableUnit unit:DeciBAR-PER-YR, + unit:HectoPA-PER-HR, + unit:LB_F-PER-IN2-SEC, + unit:PA-PER-HR, + unit:PA-PER-MIN, + unit:PA-PER-SEC, + unit:W-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; + rdfs:isDefinedBy . + +quantitykind:HeatCapacity a qudt:QuantityKind ; + rdfs:label "سعة حرارية"@ar, + "tepelná kapacita"@cs, + "Wärmekapazität"@de, + "heat capacity"@en, + "capacidad calorífica"@es, + "ظرفیت گرمایی"@fa, + "capacité thermique"@fr, + "ऊष्मा धारिता"@hi, + "capacità termica"@it, + "熱容量"@ja, + "muatan haba"@ms, + "pojemność cieplna"@pl, + "capacidade térmica"@pt, + "capacitate termică"@ro, + "теплоёмкость"@ru, + "toplotna kapaciteta"@sl, + "isı kapasitesi"@tr, + "热容"@zh ; + dcterms:description "\"Heat Capacity\" (usually denoted by a capital \\(C\\), often with subscripts), or thermal capacity, is the measurable physical quantity that characterizes the amount of heat required to change a substance's temperature by a given amount. In the International System of Units (SI), heat capacity is expressed in units of joule(s) (J) per kelvin (K)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-DEG_F, + unit:BTU_IT-PER-DEG_R, + unit:EV-PER-K, + unit:J-PER-K, + unit:MegaJ-PER-K ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity"^^xsd:anyURI ; + qudt:latexDefinition "\\(C = dQ/dT\\), where \\(Q\\) is amount of heat and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; + qudt:symbol "C_P" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerTemperature . + +quantitykind:LinearThermalExpansion a qudt:QuantityKind ; + rdfs:label "Linear Thermal Expansion"@en ; + dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-K, + unit:FT-PER-DEG_F, + unit:IN-PER-DEG_F, + unit:M-PER-K, + unit:MicroM-PER-K, + unit:MilliM-PER-K, + unit:YD-PER-DEG_F ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/linear_thermal_expansion"^^xsd:anyURI ; + qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion." ; + rdfs:isDefinedBy . + +quantitykind:MassPerTime a qudt:QuantityKind ; + rdfs:label "Mass per Time"@en ; + qudt:applicableUnit unit:KiloGM-PER-HR, + unit:KiloGM-PER-SEC, + unit:LB-PER-HR, + unit:LB-PER-MIN, + unit:N-SEC-PER-M, + unit:NanoGM-PER-DAY, + unit:SLUG-PER-SEC, + unit:TON_SHORT-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:ThermalInsulance a qudt:QuantityKind ; + rdfs:label "Thermal Insulance"@en ; + dcterms:description "\\(\\textit{Thermal Insulance}\\) is the reduction of heat transfer (the transfer of thermal energy between objects of differing temperature) between objects in thermal contact or in range of radiative influence. In building technology, this quantity is often called \\(\\textit{Thermal Resistance}\\), with the symbol \\(R\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CLO, + unit:DEG_F-HR-FT2-PER-BTU_IT, + unit:DEG_F-HR-FT2-PER-BTU_TH, + unit:FT2-HR-DEG_F-PER-BTU_IT, + unit:M2-HR-DEG_C-PER-KiloCAL_IT, + unit:M2-K-PER-W ; + qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = 1/K\\), where \\(K\\) is \"Coefficient of Heat Transfer\""^^qudt:LatexString ; + qudt:symbol "M" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer . + +unit:GigaW a qudt:Unit ; + rdfs:label "Gigawatt"@en ; + dcterms:description "1,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA154" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit watt" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GW" ; + qudt:ucumCode "GW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A90" ; + rdfs:isDefinedBy . + +unit:M2-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "متر مربع في الثانية"@ar, + "čtvereční metr za sekundu"@cs, + "Quadratmeter je Sekunde"@de, + "square metre per second"@en, + "Square Meter per Second"@en-us, + "metro cuadrado por segundo"@es, + "متر مربع بر ثانیه"@fa, + "mètre carré par seconde"@fr, + "वर्ग मीटर प्रति सैकिण्ड"@hi, + "metro quadrato al secondo"@it, + "平方メートル毎秒"@ja, + "meter persegi per saat"@ms, + "metr kwadratowy na sekundę"@pl, + "metro quadrado por segundo"@pt, + "metru pătrat pe secundă"@ro, + "квадратный метр в секунду"@ru, + "kvadratni meter na sekundo"@sl, + "metrekare bölü saniye"@tr, + "平方米每秒"@zh ; + dcterms:description "\\(Square Metres per second is the SI derived unit of angular momentum, defined by distance or displacement in metres multiplied by distance again in metres and divided by time in seconds. The unit is written in symbols as m2/s or m2u00b7s-1 or m2s-1. It may be better understood when phrased as \"metres per second times metres\", i.e. the momentum of an object with respect to a position.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m^{2} s^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:AreaPerTime, + quantitykind:DiffusionCoefficient, + quantitykind:NeutronDiffusionCoefficient, + quantitykind:ThermalDiffusionRatioCoefficient ; + qudt:iec61360Code "0112/2///62720#UAA752" ; + qudt:symbol "m²/s" ; + qudt:ucumCode "m2.s-1"^^qudt:UCUMcs, + "m2/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "S4" ; + rdfs:isDefinedBy . + +unit:MegaHZ-PER-T a qudt:Unit ; + rdfs:label "Mega Hertz per Tesla"@en ; + dcterms:description "\"Mega Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(MHz T^{-1}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:expression "\\(MHz T^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; + qudt:symbol "MHz/T" ; + qudt:ucumCode "MHz.T-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroW a qudt:Unit ; + rdfs:label "Microwatt"@en ; + dcterms:description "0.000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA080" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit watt" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "mW" ; + qudt:ucumCode "uW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D80" ; + rdfs:isDefinedBy . + +unit:NanoW a qudt:Unit ; + rdfs:label "Nanowatt"@en ; + dcterms:description "0.000000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA910" ; + qudt:plainTextDescription "0.000000001-fold of the SI derived unit watt" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nW" ; + qudt:ucumCode "nW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C49" ; + rdfs:isDefinedBy . + +unit:OHM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "أوم"@ar, + "ом"@bg, + "ohm"@cs, + "Ohm"@de, + "ωμ"@el, + "ohm"@en, + "ohmio"@es, + "اهم"@fa, + "ohm"@fr, + "אוהם"@he, + "ओह्म"@hi, + "ohm"@hu, + "ohm"@it, + "オーム"@ja, + "ohmium"@la, + "ohm"@ms, + "om"@pl, + "ohm"@pt, + "ohm"@ro, + "ом"@ru, + "ohm"@sl, + "ohm"@tr, + "欧姆"@zh ; + dcterms:description "The \\textit{ohm} is the SI derived unit of electrical resistance, named after German physicist Georg Simon Ohm. \\(\\Omega \\equiv\\ \\frac{\\text{V}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{volt}}{\\text{amp}}\\ \\equiv\\ \\frac{\\text{W}}{\\text {A}^{2}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}^{2}}\\ \\equiv\\ \\frac{\\text{H}}{\\text {s}}\\ \\equiv\\ \\frac{\\text{henry}}{\\text{second}}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ohm"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:Impedance, + quantitykind:ModulusOfImpedance, + quantitykind:Reactance, + quantitykind:Resistance ; + qudt:iec61360Code "0112/2///62720#UAA017" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ohm?oldid=494685555"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "V/A" ; + qudt:symbol "Ω" ; + qudt:ucumCode "Ohm"^^qudt:UCUMcs ; + qudt:udunitsCode "Ω" ; + qudt:uneceCommonCode "OHM" ; + rdfs:isDefinedBy . + +unit:PicoW a qudt:Unit ; + rdfs:label "Picowatt"@en ; + dcterms:description "0.000000000001-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA935" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pW" ; + qudt:ucumCode "pW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C75" ; + rdfs:isDefinedBy . + +unit:TeraW a qudt:Unit ; + rdfs:label "Terawatt"@en ; + dcterms:description "1,000,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA289" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit watt" ; + qudt:prefix prefix1:Tera ; + qudt:symbol "TW" ; + qudt:ucumCode "TW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D31" ; + rdfs:isDefinedBy . + +s223:Aspect-ElectricalVoltagePhases a s223:Aspect-ElectricalVoltagePhases, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Electrical Voltage Phases" ; + rdfs:comment "This class enumerates the relevant electrical phases for a voltage difference for AC electricity inside a Connection." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:Connection a s223:Class, + sh:NodeShape ; + rdfs:label "Connection" ; + rdfs:comment """A Connection is the modeling construct used to represent a physical thing (e.g., pipe, duct, or wire) that is used to convey some Medium (e.g., water, air, or electricity), or a virtual connection to convey electromagnetic radiation (e.g. light or wifi signal) between two connectable things. All Connections have two or more ConnectionPoints bound to either Equipment (see `s223:Equipment`), DomainSpace (see `s223:DomainSpace`), or Junction (see `s223:Junction`) See Figure 6-2. If the direction of flow is constrained, that constraint is indicated by using one or more InletConnectionPoints (see `s223:InletConnectionPoint`) to represent the inflow points and OutletConnectionPoints (see `s223:OutletConnectionPoint`) to represent the outflow points. + +A Connection may contain branches or intersections. These may be modeled using Junctions if it is necessary to identify a specific intersection. (see `s223:Junction`). + +![Graphical Depiction of Connection.](figures/Figure_5-3_Connection.svg) +""" ; + rdfs:subClassOf s223:Concept ; + sh:or ( [ sh:property [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 1 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:InletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 1 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:OutletConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] [ sh:property [ rdfs:comment "A Connection shall have at least two cnx relations allowing flow in and out of the Connection." ; + sh:minCount 2 ; + sh:path s223:cnx ; + sh:qualifiedMinCount 1 ; + sh:qualifiedValueShape [ sh:class s223:BidirectionalConnectionPoint ] ; + sh:qualifiedValueShapesDisjoint true ] ] ) ; + sh:property [ rdfs:comment "If the relation connectsAt is present it must associate the Connection with a ConnectionPoint." ; + sh:class s223:ConnectionPoint ; + sh:path s223:connectsAt ], + [ rdfs:comment "If the relation connectsFrom is present it must associate the Connection with a Connectable." ; + sh:class s223:Connectable ; + sh:name "ConnectionToUpstreamConnectableShape" ; + sh:path s223:connectsFrom ], + [ rdfs:comment "If the relation connectsTo is present it must associate the Connection with a Connectable." ; + sh:class s223:Connectable ; + sh:name "ConnectionToDownstreamConnectableShape" ; + sh:path s223:connectsTo ], + [ rdfs:comment "A Connection must be associated with exactly one EnumerationKind-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "Connection medium" ; + sh:path s223:hasMedium ], + [ rdfs:comment "If the relation hasRole is present it must associate the Connection with an EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ], + [ rdfs:comment "If the relation hasThermodynamicPhase is present it must associate the Connection with an EnumerationKind-Phase." ; + sh:class s223:EnumerationKind-Phase ; + sh:maxCount 1 ; + sh:path s223:hasThermodynamicPhase ], + [ rdfs:comment "A Connection must have two or more cnx relations to ConnectionPoints" ; + sh:class s223:ConnectionPoint ; + sh:message "A Connection must have two or more cnx relations to ConnectionPoints" ; + sh:minCount 2 ; + sh:path s223:cnx ; + sh:severity sh:Info ], + [ rdfs:comment "A Connection must only have a cnx relation with a ConnectionPoint" ; + sh:path s223:cnx ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A Connection must only have a cnx relation with a ConnectionPoint" ; + sh:message "{$this} cannot have a s223:cnx relation to {?something}, because {?something} is not a ConnectionPoint." ; + sh:prefixes ; + sh:select """SELECT $this ?something +WHERE { +$this s223:cnx ?something . +FILTER NOT EXISTS {?something a/rdfs:subClassOf* s223:ConnectionPoint} . +}""" ] ], + [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Connection." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Connection." ; + sh:message "{$this} with Medium {?m2} is incompatible with {?cp} with Medium {?m1}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m2 ?cp ?m1 +WHERE { +$this s223:cnx ?cp . +?cp a/rdfs:subClassOf* s223:ConnectionPoint . +?cp s223:hasMedium ?m1 . +$this s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ], + [ rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by all the associated ConnectionPoints via the s223:hasMedium relation are compatible with one another." ; + sh:message "{?cp1} with Medium {?m1} is incompatible with {?cp2} with Medium {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?cp1 ?m1 ?cp2 ?m2 +WHERE { +$this s223:cnx ?cp1 . +?cp1 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp1 s223:hasMedium ?m1 . +$this s223:cnx ?cp2 . +?cp2 a/rdfs:subClassOf* s223:ConnectionPoint . +?cp2 s223:hasMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ] ] ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the connectsFrom relation using connectsAt" ; + sh:construct """ +CONSTRUCT {$this s223:connectsFrom ?equipment .} +WHERE { +$this s223:connectsAt ?cp . +?cp a s223:OutletConnectionPoint . +?cp s223:isConnectionPointOf ?equipment . +} +""" ; + sh:name "InferredConnectionToUpstreamEquipmentProperty" ; + sh:prefixes ], + [ a sh:SPARQLRule ; + rdfs:comment "Infer the connectsTo relation using connectsAt" ; + sh:construct """ +CONSTRUCT {$this s223:connectsTo ?equipment .} +WHERE { +$this s223:connectsAt ?cp . +?cp a s223:InletConnectionPoint . +?cp s223:isConnectionPointOf ?equipment . +} +""" ; + sh:name "InferredConnectionToDownstreamEquipmentProperty" ; + sh:prefixes ], + [ a sh:TripleRule ; + rdfs:comment "Infer cnx relation using connectsAt", + "InferredConnectionToConnectionPointBaseProperty" ; + sh:object [ sh:path s223:connectsAt ] ; + sh:predicate s223:cnx ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer cnx relation using connectsThrough", + "InferredConnectionToConnectionPointBasePropertyFromInverse" ; + sh:object [ sh:path [ sh:inversePath s223:connectsThrough ] ] ; + sh:predicate s223:cnx ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer the connectsAt relation using cnx", + "InferredConnectionToConnectionPointProperty" ; + sh:object [ sh:path s223:cnx ] ; + sh:predicate s223:connectsAt ; + sh:subject sh:this ] . + +s223:EM-Light a s223:Class, + s223:EM-Light, + sh:NodeShape ; + rdfs:label "EM-Light" ; + rdfs:comment "The EM-Light class has enumerated subclasses of what are considered visible or near-visible light." ; + rdfs:subClassOf s223:Medium-EM . + +s223:mapsTo a rdf:Property ; + rdfs:label "mapsTo" ; + rdfs:comment "The relation mapsTo is used to associate a ConnectionPoint of a Connectable to a corresponding ConnectionPoint of the one containing it (see `pub:equipment-containment`). The associated ConnectionPoints must have the same direction (see `s223:EnumerationKind-Direction`) and compatiable medium Substance-Medium." . + +qudt:NumericUnionList a rdf:List ; + rdfs:label "Numeric Union List" ; + rdf:first [ sh:datatype xsd:string ] ; + rdf:rest ( [ sh:datatype xsd:nonNegativeInteger ] [ sh:datatype xsd:positiveInteger ] [ sh:datatype xsd:integer ] [ sh:datatype xsd:int ] [ sh:datatype xsd:float ] [ sh:datatype xsd:double ] [ sh:datatype xsd:decimal ] ) ; + rdfs:comment "An rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either xsd:integer, xsd:float, xsd:double or xsd:decimal." ; + rdfs:isDefinedBy . + +qkdv:A0E-1L1I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L1I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFluxPerUnitLength ; + qudt:latexDefinition "\\(L M T^-2 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-3T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearMomentum ; + qudt:latexDefinition "\\(L M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-3I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-3I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargeVolumeDensity ; + qudt:latexDefinition "\\(L^-3 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-2I0M-1H0T4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-2I0M-1H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Capacitance ; + qudt:latexDefinition "\\(L^-2 M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Giga a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Giga"@en ; + dcterms:description "'giga' is a decimal prefix for expressing a value with a scaling of \\(10^{9}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Giga-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Giga-?oldid=473222816"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+09 ; + qudt:symbol "G" ; + qudt:ucumCode "G" ; + rdfs:isDefinedBy . + +prefix1:Pico a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Pico"@en ; + dcterms:description "'pico' is a decimal prefix for expressing a value with a scaling of \\(10^{-12}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pico"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pico?oldid=485697614"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-12 ; + qudt:symbol "p" ; + qudt:ucumCode "p" ; + rdfs:isDefinedBy . + +quantitykind:Capacitance a qudt:QuantityKind ; + rdfs:label "Capacitance"@en ; + dcterms:description "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity."^^rdf:HTML ; + qudt:applicableUnit unit:AttoFARAD, + unit:FARAD, + unit:FARAD_Ab, + unit:FARAD_Stat, + unit:MicroFARAD, + unit:MilliFARAD, + unit:NanoFARAD, + unit:PicoFARAD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Capacitance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(C = Q/U\\), where \\(Q\\) is electric charge and \\(V\\) is voltage."^^qudt:LatexString ; + qudt:plainTextDescription "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity." ; + qudt:symbol "C" ; + rdfs:isDefinedBy . + +quantitykind:Conductance a qudt:QuantityKind ; + rdfs:label "Conductance"@en ; + dcterms:description "\\(\\textit{Conductance}\\), for a resistive two-terminal element or two-terminal circuit with terminals A and B, quotient of the electric current i in the element or circuit by the voltage \\(u_{AB}\\) between the terminals: \\(G = \\frac{1}{R}\\), where the electric current is taken as positive if its direction is from A to B and negative in the opposite case. The conductance of an element or circuit is the inverse of its resistance."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciS, + unit:KiloS, + unit:MegaS, + unit:MicroS, + unit:MilliS, + unit:NanoS, + unit:PicoS, + unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-06"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition """\\(G = Re\\underline{Y}\\), where \\(\\underline{Y}\\) is admittance. + +Alternatively: + +\\(G = \\frac{1}{R}\\), where \\(R\\) is resistance."""^^qudt:LatexString ; + qudt:symbol "G" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Admittance . + +quantitykind:EnergyDensity a qudt:QuantityKind ; + rdfs:label "Energy Density"@en ; + dcterms:description "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT3, + unit:BTU_TH-PER-FT3, + unit:ERG-PER-CentiM3, + unit:J-PER-M3, + unit:MegaJ-PER-M3, + unit:W-HR-PER-M3 ; + qudt:baseISOUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)" ; + qudt:baseImperialUnitDimensions "\\(ft^{-1} \\cdot lb \\cdot s^{-2}\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)"^^qudt:LatexString ; + qudt:baseUSCustomaryUnitDimensions "\\(L^{-1} \\cdot M \\cdot T^{-2}\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Energy_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Energy_density"^^xsd:anyURI ; + qudt:plainTextDescription "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter." ; + rdfs:isDefinedBy . + +quantitykind:MolarVolume a qudt:QuantityKind ; + rdfs:label "حجم مولي"@ar, + "molární objem"@cs, + "Molvolumen"@de, + "molares Volumen"@de, + "stoffmengenbezogenes Volumen"@de, + "molar volume"@en, + "volumen molar"@es, + "حجم مولی"@fa, + "volume molaire"@fr, + "volume molare"@it, + "モル体積"@ja, + "Isipadu molar"@ms, + "volume molar"@pl, + "volume molar"@pt, + "volum molar"@ro, + "Молярный объём"@ru, + "molski volumen"@sl, + "molar hacim"@tr, + "摩尔体积"@zh ; + dcterms:description "The molar volume, symbol \\(V_m\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (\\(M\\)) divided by the mass density (\\(\\rho\\)). It has the SI unit cubic metres per mole (\\(m^{1}/mol\\)). For ideal gases, the molar volume is given by the ideal gas equation: this is a good approximation for many common gases at standard temperature and pressure. For crystalline solids, the molar volume can be measured by X-ray crystallography."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM3-PER-MOL, + unit:DeciM3-PER-MOL, + unit:L-PER-MOL, + unit:L-PER-MicroMOL, + unit:M3-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_volume"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(V_m = \\frac{V}{n}\\), where \\(V\\) is volume and \\(n\\) is amount of substance."^^qudt:LatexString ; + qudt:symbol "V_m" ; + rdfs:isDefinedBy . + +quantitykind:PressureRatio a qudt:QuantityKind ; + rdfs:label "Pressure Ratio"@en ; + qudt:applicableUnit unit:BAR-PER-BAR, + unit:HectoPA-PER-BAR, + unit:KiloPA-PER-BAR, + unit:MegaPA-PER-BAR, + unit:MilliBAR-PER-BAR, + unit:PA-PER-BAR, + unit:PSI-PER-PSI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +unit:BTU_IT-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Hour"@en ; + dcterms:description "The British thermal unit (BTU or Btu) is a traditional unit of energy equal to about 1 055.05585 joules. It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(3.9 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the joule, though it may be used as a measure of agricultural energy production (BTU/kg)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.29307107 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/hr" ; + qudt:ucumCode "[Btu_IT].h-1"^^qudt:UCUMcs, + "[Btu_IT]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2I" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Second"@en ; + dcterms:description "\\({\\bf BTU \\, per \\, Second}\\) is an Imperial unit for 'Heat Flow Rate' expressed as \\(Btu/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; + qudt:symbol "Btu{IT}/s" ; + qudt:ucumCode "[Btu_IT].s-1"^^qudt:UCUMcs, + "[Btu_IT]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J45" ; + rdfs:isDefinedBy . + +unit:KiloBTU_IT-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilo British Thermal Unit (International Definition) per Hour"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 293.07107 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(kBtu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:symbol "kBtu{IT}/hr" ; + qudt:ucumCode "k[Btu_IT].h-1"^^qudt:UCUMcs, + "k[Btu_IT]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie Per Minute"@en ; + dcterms:description "\\(\\textbf{Kilocalorie per Minute} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 69.7333333 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kcal/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:symbol "kcal/min" ; + qudt:ucumCode "kcal.min-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K54" ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie Per Second"@en ; + dcterms:description "\\(\\textbf{Kilocalorie per Second} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(kcal/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:symbol "kcal/s" ; + qudt:ucumCode "kcal.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K55" ; + rdfs:isDefinedBy . + +unit:KiloW a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilowatt"@en ; + dcterms:description "\\(The kilowatt is a derived unit of power in the International System of Units (SI), The unit, defined as 1,000 joule per second, measures the rate of energy conversion or transfer.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA583" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kW" ; + qudt:ucumCode "kW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KWT" ; + rdfs:isDefinedBy . + +unit:MegaBTU_IT-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mega British Thermal Unit (International Definition) per Hour"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 293071.07 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(MBtu/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:symbol "MBtu{IT}/hr" ; + qudt:ucumCode "M[Btu_IT].h-1"^^qudt:UCUMcs, + "M[Btu_IT]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaW a qudt:Unit ; + rdfs:label "MegaW"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MW" ; + qudt:ucumCode "MW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAW" ; + rdfs:isDefinedBy . + +unit:MilliW a qudt:Unit ; + rdfs:label "MilliW"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mW" ; + qudt:ucumCode "mW"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C31" ; + rdfs:isDefinedBy . + +unit:NUM-PER-L a qudt:Unit ; + rdfs:label "Number per litre"@en ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/L" ; + qudt:ucumCode "/L"^^qudt:UCUMcs, + "{#}.L-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-M3 a qudt:Unit ; + rdfs:label "Number per cubic metre"@en ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/m³" ; + qudt:ucumCode "/m3"^^qudt:UCUMcs, + "{#}.m-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-MicroL a qudt:Unit ; + rdfs:label "Number per microlitre"@en ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/µL" ; + qudt:ucumCode "/uL"^^qudt:UCUMcs, + "{#}.uL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-MilliM3 a qudt:Unit ; + rdfs:label "Number per cubic millimeter"@en ; + qudt:conversionMultiplier 1000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/mm³" ; + qudt:ucumCode "/mm3"^^qudt:UCUMcs, + "{#}.mm-3"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-NanoL a qudt:Unit ; + rdfs:label "Number per nanolitre"@en, + "Number per nanoliter"@en-us ; + qudt:conversionMultiplier 1e+12 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/nL" ; + qudt:ucumCode "/nL"^^qudt:UCUMcs, + "{#}.nL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:NUM-PER-PicoL a qudt:Unit ; + rdfs:label "Number per picoliter"@en ; + qudt:conversionMultiplier 1000000000000000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:NumberDensity ; + qudt:symbol "/pL" ; + qudt:ucumCode "/pL"^^qudt:UCUMcs, + "{#}.pL-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:THM_US-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Therm US per Hour"@en ; + dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. Industrial processes in the U.S. use therm/hr unit most often in the power, steam generation, heating, and air conditioning industries."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 29300.1111 ; + qudt:expression "\\(thm/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; + qudt:symbol "thm{US}/hr" ; + qudt:ucumCode "[thm{US}].h-1"^^qudt:UCUMcs, + "[thm{US}]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:TON_FG a qudt:Unit ; + rdfs:label "Ton of Refrigeration"@en ; + dcterms:description "12000 btu per hour"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3516.853 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:expression "\\(t/fg\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:HeatFlowRate, + quantitykind:Power ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "TOR" ; + rdfs:isDefinedBy . + +unit:W a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "واط"@ar, + "ват"@bg, + "watt"@cs, + "Watt"@de, + "βατ"@el, + "watt"@en, + "vatio"@es, + "وات"@fa, + "watt"@fr, + "ואט"@he, + "वाट"@hi, + "watt"@hu, + "watt"@it, + "ワット"@ja, + "wattium"@la, + "watt"@ms, + "wat"@pl, + "watt"@pt, + "watt"@ro, + "ватт"@ru, + "watt"@sl, + "watt"@tr, + "瓦特"@zh ; + dcterms:description "The SI unit of power. Power is the rate at which work is done, or (equivalently) the rate at which energy is expended. One watt is equal to a power rate of one joule of work per second of time. This unit is used both in mechanics and in electricity, so it links the mechanical and electrical units to one another. In mechanical terms, one watt equals about 0.001 341 02 horsepower (hp) or 0.737 562 foot-pound per second (lbf/s). In electrical terms, one watt is the power produced by a current of one ampere flowing through an electric potential of one volt. The name of the unit honors James Watt (1736-1819), the British engineer whose improvements to the steam engine are often credited with igniting the Industrial Revolution."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ActivePower, + quantitykind:Power ; + qudt:iec61360Code "0112/2///62720#UAA306" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{W}\\ \\equiv\\ \\text{watt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{N.m}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{newton.metre}}{\\text{second}}\\ \\equiv\\ \\text{V.A}\\ \\equiv\\ \\text{volt.amp}\\ \\equiv\\ \\Omega\\text{.A}^{2}\\ \\equiv\\ \\text{ohm.amp}^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "W" ; + qudt:ucumCode "W"^^qudt:UCUMcs ; + qudt:udunitsCode "W" ; + qudt:uneceCommonCode "WTT" ; + rdfs:isDefinedBy . + +s223:Aspect-ElectricalPhaseIdentifier a s223:Aspect-ElectricalPhaseIdentifier, + s223:Class, + sh:NodeShape ; + rdfs:label "Aspect-Electrical phase identifier" ; + rdfs:comment "The value of the associated Property identifies the electrical phase of the Connection." ; + rdfs:subClassOf s223:EnumerationKind-Aspect . + +s223:DCVoltage-DCNegativeVoltage a s223:Class, + s223:DCVoltage-DCNegativeVoltage, + sh:NodeShape ; + rdfs:label "DC Negative Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common negative voltages." ; + rdfs:subClassOf s223:Numerical-DCVoltage . + +s223:DCVoltage-DCPositiveVoltage a s223:Class, + s223:DCVoltage-DCPositiveVoltage, + sh:NodeShape ; + rdfs:label "DC Positive Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common positive voltages." ; + rdfs:subClassOf s223:Numerical-DCVoltage . + +s223:LineLineVoltage-240V a s223:Class, + s223:LineLineVoltage-240V, + sh:NodeShape ; + rdfs:label "240V Line-Line Voltage" ; + s223:hasVoltage s223:Voltage-240V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "240V Line-Line Voltage" ; + rdfs:subClassOf s223:Numerical-LineLineVoltage . + +qudt:HTMLOrStringOrLangStringOrLatexString a rdf:List ; + rdfs:label "HTML or string or langString or LatexString" ; + rdf:first [ sh:datatype rdf:HTML ] ; + rdf:rest ( [ sh:datatype xsd:string ] [ sh:datatype rdf:langString ] [ sh:datatype qudt:LatexString ] ) ; + rdfs:comment "Defines an rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either rdf:HTML, xsd:string or rdf:langString, or a qudt:LatexString" ; + rdfs:isDefinedBy . + +qudt:LatexString a rdfs:Datatype, + sh:NodeShape ; + rdfs:label "Latex String" ; + rdfs:comment "A type of string in which some characters may be wrapped with '\\(' and '\\) characters for LaTeX rendering." ; + rdfs:isDefinedBy ; + rdfs:subClassOf xsd:string . + +qkdv:A-1E0L2I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A-1E0L2I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance -1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MolarEnergy ; + qudt:latexDefinition "\\(L^2 M T^-2 N^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-1L2I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L2I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFlux ; + qudt:latexDefinition "\\(L^2 M T^-2 I^-1\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(m^2 \\cdot kg \\cdot s^{-2} \\cdot A^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E-2L2I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L2I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Inductance ; + qudt:latexDefinition "\\(L^2 M T^-2 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M1H-1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H-1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumetricHeatCapacity ; + qudt:latexSymbol "\\(M / (L \\cdot T^2 H)\\)"^^qudt:LatexString, + "\\(M / (L \\cdot T^2 \\Theta)\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 T-1 Q\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H-1T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H-1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy "" . + +qkdv:A0E0L2I0M-1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M-1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +qkdv:A1E0L-2I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L-2I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +quantitykind:Action a qudt:QuantityKind ; + rdfs:label "Action"@en ; + dcterms:description """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. +The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; + qudt:applicableUnit unit:AttoJ-SEC, + unit:J-SEC ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Action_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(S = \\int Ldt\\), where \\(L\\) is the Lagrange function and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. +The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; + qudt:symbol "S" ; + rdfs:isDefinedBy . + +quantitykind:Admittance a qudt:QuantityKind ; + rdfs:label "Admittance"@en ; + dcterms:description "\"Admittance\" is a measure of how easily a circuit or device will allow a current to flow. It is defined as the inverse of the impedance (\\(Z\\)). "^^qudt:LatexString ; + qudt:applicableUnit unit:DeciS, + unit:KiloS, + unit:MegaS, + unit:MicroS, + unit:MilliS, + unit:NanoS, + unit:PicoS, + unit:S ; + qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI, + "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(Y = \\frac{1}{Z}\\), where \\(Z\\) is impedance."^^qudt:LatexString ; + qudt:latexSymbol "\\(Y\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Impedance . + +quantitykind:AmountOfSubstance a qudt:QuantityKind ; + rdfs:label "كمية المادة"@ar, + "Количество вещество"@bg, + "Látkové množství"@cs, + "Stoffmenge"@de, + "Ποσότητα Ουσίας"@el, + "amount of substance"@en, + "chemical amount"@en, + "cantidad de sustancia"@es, + "مقدار ماده"@fa, + "quantité de matière"@fr, + "כמות חומר"@he, + "पदार्थ की मात्रा"@hi, + "anyagmennyiség"@hu, + "quantità chimica"@it, + "quantità di materia"@it, + "quantità di sostanza"@it, + "物質量"@ja, + "quantitas substantiae"@la, + "Jumlah bahan"@ms, + "jumlah kimia"@ms, + "liczność materii"@pl, + "quantidade de substância"@pt, + "cantitate de substanță"@ro, + "Количество вещества"@ru, + "množina snovi"@sl, + "madde miktarı"@tr, + "物质的量"@zh ; + dcterms:description "\"Amount of Substance\" is a standards-defined quantity that measures the size of an ensemble of elementary entities, such as atoms, molecules, electrons, and other particles. It is sometimes referred to as chemical amount. The International System of Units (SI) defines the amount of substance to be proportional to the number of elementary entities present. The SI unit for amount of substance is \\(mole\\). It has the unit symbol \\(mol\\). The mole is defined as the amount of substance that contains an equal number of elementary entities as there are atoms in 0.012kg of the isotope carbon-12. This number is called Avogadro's number and has the value \\(6.02214179(30) \\times 10^{23}\\). The only other unit of amount of substance in current use is the \\(pound-mole\\) with the symbol \\(lb-mol\\), which is sometimes used in chemical engineering in the United States. One \\(pound-mole\\) is exactly \\(453.59237 mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiMOL, + unit:FemtoMOL, + unit:IU, + unit:KiloMOL, + unit:MOL, + unit:MicroMOL, + unit:MilliMOL, + unit:NanoMOL, + unit:PicoMOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Amount_of_substance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "n" ; + rdfs:isDefinedBy . + +quantitykind:AngularMomentum a qudt:QuantityKind ; + rdfs:label "Angular Momentum"@en ; + dcterms:description "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis."^^rdf:HTML ; + qudt:applicableUnit unit:ERG-SEC, + unit:EV-SEC, + unit:FT-LB_F-SEC, + unit:J-SEC, + unit:KiloGM-M2-PER-SEC, + unit:N-M-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:AngularImpulse ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(L = I\\omega\\), where \\(I\\) is the moment of inertia, and \\(\\omega\\) is the angular velocity."^^qudt:LatexString ; + qudt:plainTextDescription "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis." ; + qudt:symbol "L" ; + rdfs:isDefinedBy . + +quantitykind:GyromagneticRatio a qudt:QuantityKind ; + rdfs:label "Gyromagnetic Ratio"@en ; + dcterms:description "\"Gyromagnetic Ratio}, also sometimes known as the magnetogyric ratio in other disciplines, of a particle or system is the ratio of its magnetic dipole moment to its angular momentum, and it is often denoted by the symbol, \\(\\gamma\\). Its SI units are radian per second per tesla (\\(rad s^{-1} \\cdot T^{1}\\)) or, equivalently, coulomb per kilogram (\\(C \\cdot kg^{-1\"\\))."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gyromagnetic_ratio"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mu = \\gamma J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Inductance a qudt:QuantityKind ; + rdfs:label "المحاثة (التحريض)"@ar, + "Индуктивност"@bg, + "Indukčnost"@cs, + "Induktivität"@de, + "inductance"@en, + "inductivity"@en, + "inductancia"@es, + "القاوری"@fa, + "Inductance électrique"@fr, + "השראות"@he, + "प्रेरकत्व"@hi, + "induktivitás"@hu, + "induttanza"@it, + "インダクタンス・誘導係数"@ja, + "inductantia"@la, + "Indukstans"@ms, + "Induktiviti"@ms, + "indukcyjność"@pl, + "indutância"@pt, + "inductanță"@ro, + "Индуктивность"@ru, + "induktivnost"@sl, + "İndüktans"@tr, + "电感"@zh ; + dcterms:description "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current."^^rdf:HTML ; + qudt:applicableUnit unit:H, + unit:H_Ab, + unit:H_Stat, + unit:MicroH, + unit:MilliH, + unit:NanoH, + unit:PicoH ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inductance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-19"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(L =\\frac{\\Psi}{I}\\), where \\(I\\) is an electric current in a thin conducting loop, and \\(\\Psi\\) is the linked flux caused by that electric current."^^qudt:LatexString ; + qudt:plainTextDescription "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current." ; + qudt:symbol "L" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MutualInductance . + +quantitykind:InverseVolume a qudt:QuantityKind ; + rdfs:label "Inverse Volume"@en ; + qudt:applicableUnit unit:PER-CentiM3, + unit:PER-FT3, + unit:PER-IN3, + unit:PER-L, + unit:PER-M3, + unit:PER-MilliL, + unit:PER-MilliM3, + unit:PER-YD3 ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:LinearMomentum a qudt:QuantityKind ; + rdfs:label "Linear Momentum"@en ; + dcterms:description "Linear momentum is the quantity obtained by multiplying the mass of a body by its linear velocity. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium.The SI unit for linear momentum is meter-kilogram per second (\\(m-kg/s\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloGM-M-PER-SEC, + unit:MegaEV-PER-SpeedOfLight, + unit:N-M-SEC-PER-M, + unit:N-SEC, + unit:PlanckMomentum ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Momentum ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; + qudt:latexDefinition "p = m\\upsilon"^^qudt:LatexString ; + qudt:symbol "p" ; + rdfs:isDefinedBy . + +quantitykind:Solubility_Water a qudt:QuantityKind ; + rdfs:label "Water Solubility"@en ; + dcterms:description "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in."^^rdf:HTML ; + qudt:applicableUnit unit:FemtoMOL-PER-L, + unit:KiloMOL-PER-M3, + unit:MOL-PER-DeciM3, + unit:MOL-PER-L, + unit:MOL-PER-M3, + unit:MicroMOL-PER-L, + unit:MilliMOL-PER-L, + unit:MilliMOL-PER-M3, + unit:PicoMOL-PER-L, + unit:PicoMOL-PER-M3 ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:plainTextDescription "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:AmountOfSubstancePerUnitVolume . + +unit:A a qudt:Unit ; + rdfs:label "أمبير"@ar, + "ампер"@bg, + "ampér"@cs, + "Ampere"@de, + "αμπέρ"@el, + "ampere"@en, + "amperio"@es, + "آمپر"@fa, + "ampère"@fr, + "אמפר"@he, + "एम्पीयर"@hi, + "amper"@hu, + "ampere"@it, + "アンペア"@ja, + "amperium"@la, + "ampere"@ms, + "amper"@pl, + "ampere"@pt, + "amper"@ro, + "ампер"@ru, + "amper"@sl, + "amper"@tr, + "安培"@zh ; + dcterms:description """The \\(\\textit{ampere}\\), often shortened to \\(\\textit{amp}\\), is the SI unit of electric current and is one of the seven SI base units. +\\(\\text{A}\\ \\equiv\\ \\text{amp (or ampere)}\\ \\equiv\\ \\frac{\\text{C}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{coulomb}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{J}}{\\text{Wb}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{weber}}\\) +Note that SI supports only the use of symbols and deprecates the use of any abbreviations for units."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Ampere"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:CurrentLinkage, + quantitykind:DisplacementCurrent, + quantitykind:ElectricCurrent, + quantitykind:ElectricCurrentPhasor, + quantitykind:MagneticTension, + quantitykind:MagnetomotiveForce, + quantitykind:TotalCurrent ; + qudt:iec61360Code "0112/2///62720#UAA101", + "0112/2///62720#UAD717" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere?oldid=494026699"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "A" ; + qudt:ucumCode "A"^^qudt:UCUMcs ; + qudt:udunitsCode "A" ; + qudt:uneceCommonCode "AMP" ; + rdfs:isDefinedBy ; + skos:altLabel "amp" . + +unit:BTU_IT-PER-HR-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Hour Square Foot"@en ; + dcterms:description "\\(\\textit{BTU per Hour Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(hr-ft^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 3.15459075 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(hr-ft^{2})\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "Btu{IT}/(hr⋅ft²)" ; + qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2"^^qudt:UCUMcs, + "[Btu_IT]/(h.[ft_i]2)"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-SEC-FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "BTU per Second Square Foot"@en ; + dcterms:description "\\(\\textit{BTU per Second Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(s\\cdot ft^2)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 11356.5267 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(Btu/(s-ft^{2})\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "Btu{IT}/(s⋅ft²)" ; + qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2"^^qudt:UCUMcs, + "[Btu_IT]/(s.[ft_i]2)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N53" ; + rdfs:isDefinedBy . + +unit:CentiPOISE-PER-BAR a qudt:Unit ; + rdfs:label "Centipoise Per Bar"@en ; + dcterms:description "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA358" ; + qudt:plainTextDescription "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar" ; + qudt:symbol "cP/bar" ; + qudt:ucumCode "cP.bar-1"^^qudt:UCUMcs, + "cP/bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J74" ; + rdfs:isDefinedBy . + +unit:DAY_Sidereal a qudt:Unit ; + rdfs:label "Sidereal Day"@en ; + dcterms:description "The length of time which passes between a given fixed star in the sky crossing a given projected meridian (line of longitude). The sidereal day is \\(23 h 56 m 4.1 s\\), slightly shorter than the solar day because the Earth 's orbital motion about the Sun means the Earth has to rotate slightly more than one turn with respect to the \"fixed\" stars in order to reach the same Earth-Sun orientation. Another way of thinking about the difference is that it amounts to \\(1/365.2425^{th}\\) of a day per day, since even if the Earth did not spin on its axis at all, the Sun would appear to make one rotation around the Earth as the Earth completed a single orbit (which takes one year)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 86164.099 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI, + "http://scienceworld.wolfram.com/astronomy/SiderealDay.html"^^xsd:anyURI ; + qudt:symbol "day{sidereal}" ; + qudt:ucumCode "d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:DEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "درجة مئوية"@ar, + "градус Целзий"@bg, + "stupně celsia"@cs, + "Grad Celsius"@de, + "βαθμός Κελσίου"@el, + "degree Celsius"@en, + "grado celsius"@es, + "درجه سانتی گراد/سلسیوس"@fa, + "degré celsius"@fr, + "צלזיוס"@he, + "सेल्सियस"@hi, + "Celsius-fok"@hu, + "grado celsius"@it, + "セルシウス度"@ja, + "gradus celsii"@la, + "darjah celsius"@ms, + "stopień celsjusza"@pl, + "grau celsius"@pt, + "grad celsius"@ro, + "градус Цельсия"@ru, + "stopinja Celzija"@sl, + "celsius"@tr, + "摄氏度"@zh ; + dcterms:description "\\(\\textit{Celsius}\\), also known as centigrade, is a scale and unit of measurement for temperature. It can refer to a specific temperature on the Celsius scale as well as a unit to indicate a temperature interval, a difference between two temperatures or an uncertainty. This definition fixes the magnitude of both the degree Celsius and the kelvin as precisely 1 part in 273.16 (approximately 0.00366) of the difference between absolute zero and the triple point of water. Thus, it sets the magnitude of one degree Celsius and that of one kelvin as exactly the same. Additionally, it establishes the difference between the two scales' null points as being precisely \\(273.15\\,^{\\circ}{\\rm C}\\).

"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 273.15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; + qudt:expression "\\(degC\\)"^^qudt:LatexString ; + qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML, + "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature ; + qudt:iec61360Code "0112/2///62720#UAA033" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\,^{\\circ}{\\rm C}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "°C" ; + qudt:ucumCode "Cel"^^qudt:UCUMcs ; + qudt:udunitsCode "°C", + "℃" ; + qudt:uneceCommonCode "CEL" ; + rdfs:isDefinedBy ; + skos:altLabel "degree-centigrade" . + +unit:DEG_F a qudt:Unit ; + rdfs:label "Degree Fahrenheit"@en ; + dcterms:description "\\(\\textbf{Degree Fahrenheit} is an Imperial unit for 'Thermodynamic Temperature' expressed as \\(\\,^{\\circ}{\\rm F}\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:conversionOffset 459.67 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(degF\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature ; + qudt:iec61360Code "0112/2///62720#UAA039" ; + qudt:omUnit ; + qudt:symbol "°F" ; + qudt:ucumCode "[degF]"^^qudt:UCUMcs ; + qudt:udunitsCode "°F", + "℉" ; + qudt:uneceCommonCode "FAH" ; + rdfs:isDefinedBy . + +unit:ERG-PER-CentiM2-SEC a qudt:Unit ; + rdfs:label "Erg per Square Centimetre Second"@en, + "Erg per Square Centimeter Second"@en-us ; + dcterms:description "\"Erg per Square Centimeter Second\" is a C.G.S System unit for 'Power Per Area' expressed as \\(erg/(cm^{2}-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.001 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(erg/(cm^{2}-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB055" ; + qudt:symbol "erg/(cm²⋅s)" ; + qudt:ucumCode "erg.cm-2.s-1"^^qudt:UCUMcs, + "erg/(cm2.s)"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A65" ; + rdfs:isDefinedBy . + +unit:FT-LB_F-PER-FT2-SEC a qudt:Unit ; + rdfs:label "Foot Pound Force per Square Foot Second"@en ; + dcterms:description "\"Foot Pound Force per Square Foot Second\" is an Imperial unit for 'Power Per Area' expressed as \\(ft \\cdot lbf/(ft^2 \\cdot s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 14.5939042 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf/ft^2s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:latexSymbol "\\(ft \\cdot lbf/(ft^2 \\cdot s)\\)"^^qudt:LatexString ; + qudt:symbol "ft⋅lbf/ft²s" ; + qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:H-PER-KiloOHM a qudt:Unit ; + rdfs:label "Henry Per Kiloohm"@en ; + dcterms:description "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA167" ; + qudt:plainTextDescription "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; + qudt:symbol "H/kΩ" ; + qudt:ucumCode "H.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H03" ; + rdfs:isDefinedBy . + +unit:H-PER-OHM a qudt:Unit ; + rdfs:label "Henry Per Ohm"@en ; + dcterms:description "SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA166" ; + qudt:plainTextDescription "SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "H/Ω" ; + qudt:ucumCode "H.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H04" ; + rdfs:isDefinedBy . + +unit:HR a qudt:Unit ; + rdfs:label "Hour"@en ; + dcterms:description "The hour (common symbol: h or hr) is a unit of measurement of time. In modern usage, an hour comprises 60 minutes, or 3,600 seconds. It is approximately 1/24 of a mean solar day. An hour in the Universal Coordinated Time (UTC) time standard can include a negative or positive leap second, and may therefore have a duration of 3,599 or 3,601 seconds for adjustment purposes. Although it is not a standard defined by the International System of Units, the hour is a unit accepted for use with SI, represented by the symbol h."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3600.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA525" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hour?oldid=495040268"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "hr" ; + qudt:ucumCode "h"^^qudt:UCUMcs ; + qudt:udunitsCode "h" ; + qudt:uneceCommonCode "HUR" ; + rdfs:isDefinedBy . + +unit:HR_Sidereal a qudt:Unit ; + rdfs:label "Sidereal Hour"@en ; + dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about 23 h 56 m 4.1 s in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Hour is \\(1/24^{th}\\) of a Sidereal Day. A mean sidereal day is 23 hours, 56 minutes, 4.0916 seconds (23.9344699 hours or 0.99726958 mean solar days), the time it takes Earth to make one rotation relative to the vernal equinox. (Due to nutation, an actual sidereal day is not quite so constant.) The vernal equinox itself precesses slowly westward relative to the fixed stars, completing one revolution in about 26,000 years, so the misnamed sidereal day (\"sidereal\" is derived from the Latin sidus meaning \"star\") is 0.0084 seconds shorter than Earth's period of rotation relative to the fixed stars."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3590.17 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; + qudt:symbol "hr{sidereal}" ; + qudt:ucumCode "h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-CentiM2-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Square Centimetre Minute"@en, + "Kilocalorie per Square Centimeter Minute"@en-us ; + dcterms:description "\"Kilocalorie per Square Centimeter Minute\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-min)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6.973333e-05 ; + qudt:expression "\\(kcal/(cm^{2}-min)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "kcal/(cm²⋅min)" ; + qudt:ucumCode "kcal.cm-2.min-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL-PER-CentiM2-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilocalorie per Square Centimetre Second"@en, + "Kilocalorie per Square Centimeter Second"@en-us ; + dcterms:description "\"Kilocalorie per Square Centimeter Second\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-s)\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.184e-07 ; + qudt:expression "\\(kcal/(cm^{2}-s)\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "kcal/(cm²⋅s)" ; + qudt:ucumCode "kcal.cm-2.s-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "kilosecond"@en ; + dcterms:description "\"Killosecond\" is an Imperial unit for 'Time' expressed as \\(ks\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA647" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "ks" ; + qudt:ucumCode "ks"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B52" ; + rdfs:isDefinedBy . + +unit:KiloYR a qudt:Unit ; + rdfs:label "KiloYear"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:symbol "1000 yr" ; + rdfs:isDefinedBy . + +unit:MIN a qudt:Unit ; + rdfs:label "Minute"@en ; + dcterms:description "A minute is a unit of measurement of time. The minute is a unit of time equal to 1/60 (the first sexagesimal fraction of an hour or 60 seconds. In the UTC time scale, a minute on rare occasions has 59 or 61 seconds; see leap second. The minute is not an SI unit; however, it is accepted for use with SI units. The SI symbol for minute or minutes is min (for time measurement) or the prime symbol after a number, e.g. 5' (for angle measurement, even if it is informally used for time)."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 60.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA842" ; + qudt:omUnit ; + qudt:symbol "min" ; + qudt:ucumCode "min"^^qudt:UCUMcs ; + qudt:udunitsCode "min" ; + qudt:uneceCommonCode "MIN" ; + rdfs:isDefinedBy . + +unit:MIN_Sidereal a qudt:Unit ; + rdfs:label "Sidereal Minute"@en ; + dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about \\(23 h 56 m 4.1 s\\) in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Minute is \\(1/60^{th}\\) of a Sidereal Hour, which is \\(1/24^{th}\\) of a Sidereal Day."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 59.83617 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; + qudt:symbol "min{sidereal}" ; + qudt:ucumCode "min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MO_MeanGREGORIAN a qudt:Unit ; + rdfs:label "Mean Gregorian Month"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; + qudt:ucumCode "mo_g"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MON" ; + rdfs:isDefinedBy . + +unit:MO_MeanJulian a qudt:Unit ; + rdfs:label "Mean Julian Month"@en ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; + qudt:ucumCode "mo_j"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaYR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Million Years"@en ; + dcterms:description "1,000,000-fold of the derived unit year."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.15576e+13 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "https://en.wiktionary.org/wiki/megayear"^^xsd:anyURI ; + qudt:plainTextDescription "1,000,000-fold of the derived unit year." ; + qudt:prefix prefix1:Mega ; + qudt:symbol "Myr" ; + qudt:ucumCode "Ma"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:altLabel "Ma", + "Mega Year"@en, + "megannum"@la . + +unit:MicroH-PER-KiloOHM a qudt:Unit ; + rdfs:label "Microhenry Per Kiloohm"@en ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA068" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm" ; + qudt:symbol "µH/kΩ" ; + qudt:ucumCode "uH.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G98" ; + rdfs:isDefinedBy . + +unit:MicroH-PER-OHM a qudt:Unit ; + rdfs:label "Microhenry Per Ohm"@en ; + dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA067" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "µH/Ω" ; + qudt:ucumCode "uH.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "G99" ; + rdfs:isDefinedBy . + +unit:MicroSEC a qudt:Unit ; + rdfs:label "microsecond"@en ; + dcterms:description "\"Microsecond\" is a unit for 'Time' expressed as \\(microsec\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e-06 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA095" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µs" ; + qudt:ucumCode "us"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B98" ; + rdfs:isDefinedBy . + +unit:MicroW-PER-M2 a qudt:Unit ; + rdfs:label "Microwatt Per Square Metre"@en, + "Microwatt Per Square Meter"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA081" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "µW/m²" ; + qudt:ucumCode "uW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D85" ; + rdfs:isDefinedBy . + +unit:MilliDEG_C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Millidegree Celsius"@en ; + dcterms:description "\\(Millidegree Celsius is a scaled unit of measurement for temperature.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:conversionOffset 273.15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; + qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML, + "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; + qudt:latexDefinition "millieDegree Celsius"^^qudt:LatexString ; + qudt:symbol "m°C" ; + qudt:ucumCode "mCel"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliH-PER-KiloOHM a qudt:Unit ; + rdfs:label "Millihenry Per Kiloohm"@en ; + dcterms:description "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA791" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; + qudt:symbol "mH/kΩ" ; + qudt:ucumCode "mH.kOhm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H05" ; + rdfs:isDefinedBy . + +unit:MilliH-PER-OHM a qudt:Unit ; + rdfs:label "Millihenry Per Ohm"@en ; + dcterms:description "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA790" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; + qudt:symbol "mH/Ω" ; + qudt:ucumCode "mH.Ohm-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H06" ; + rdfs:isDefinedBy . + +unit:MilliPA-SEC-PER-BAR a qudt:Unit ; + rdfs:label "Millipascal Second Per Bar"@en ; + dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-08 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA799" ; + qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar" ; + qudt:symbol "mPa⋅s/bar" ; + qudt:ucumCode "mPa.s.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L16" ; + rdfs:isDefinedBy . + +unit:MilliSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "millisecond"@en ; + dcterms:description "\"Millisecond\" is an Imperial unit for 'Time' expressed as \\(ms\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA899" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; + qudt:prefix prefix1:Milli ; + qudt:symbol "ms" ; + qudt:ucumCode "ms"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C26" ; + rdfs:isDefinedBy . + +unit:MilliW-PER-M2 a qudt:Unit ; + rdfs:label "Milliwatt Per Square Metre"@en, + "Milliwatt Per Square Meter"@en-us ; + dcterms:description "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA808" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "mW/m²" ; + qudt:ucumCode "mW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C32" ; + rdfs:isDefinedBy . + +unit:NanoSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "nanosecond"@en ; + dcterms:description "A nanosecond is a SI unit of time equal to one billionth of a second (10-9 or 1/1,000,000,000 s). One nanosecond is to one second as one second is to 31.69 years. The word nanosecond is formed by the prefix nano and the unit second."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e-09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nanosecond"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA913" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nanosecond?oldid=919778950"^^xsd:anyURI ; + qudt:prefix prefix1:Nano ; + qudt:symbol "ns" ; + qudt:ucumCode "ns"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C47" ; + rdfs:isDefinedBy . + +unit:PA-SEC-PER-BAR a qudt:Unit ; + rdfs:label "Pascal Second Per Bar"@en ; + dcterms:description "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA267" ; + qudt:plainTextDescription "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar" ; + qudt:symbol "Pa⋅s/bar" ; + qudt:ucumCode "Pa.s.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H07" ; + rdfs:isDefinedBy . + +unit:POISE-PER-BAR a qudt:Unit ; + rdfs:label "Poise Per Bar"@en ; + dcterms:description "CGS unit poise divided by the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA257" ; + qudt:plainTextDescription "CGS unit poise divided by the unit bar" ; + qudt:symbol "P/bar" ; + qudt:ucumCode "P.bar-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F06" ; + rdfs:isDefinedBy . + +unit:PSI-L-PER-SEC a qudt:Unit ; + rdfs:label "Psi Litre Per Second"@en, + "Psi Liter Per Second"@en-us ; + dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)"^^rdf:HTML ; + qudt:conversionMultiplier 6.894757 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA704" ; + qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)" ; + qudt:symbol "psi⋅L³/s" ; + qudt:ucumCode "[psi].L.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K88" ; + rdfs:isDefinedBy . + +unit:PicoSEC a qudt:Unit ; + rdfs:label "Picosecond"@en ; + dcterms:description "0.000000000001-fold of the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA950" ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit second" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "ps" ; + qudt:ucumCode "ps"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H70" ; + rdfs:isDefinedBy . + +unit:PicoW-PER-M2 a qudt:Unit ; + rdfs:label "Picowatt Per Square Metre"@en, + "Picowatt Per Square Meter"@en-us ; + dcterms:description "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAA936" ; + qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "pW/m²" ; + qudt:ucumCode "pW.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C76" ; + rdfs:isDefinedBy . + +unit:SH a qudt:Unit ; + rdfs:label "Shake"@en ; + dcterms:description "A shake is an informal unit of time equal to 10 nanoseconds. It has applications in nuclear physics, helping to conveniently express the timing of various events in a nuclear explosion. The typical time required for one step in the chain reaction (i.e. the typical time for each neutron to cause a fission event which releases more neutrons) is of order 1 shake, and the chain reaction is typically complete by 50 to 100 shakes."^^rdf:HTML ; + qudt:conversionMultiplier 1e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Shake"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB226" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Shake?oldid=494796779"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "shake" ; + qudt:ucumCode "10.ns"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M56" ; + rdfs:isDefinedBy . + +unit:W-PER-CentiM2 a qudt:Unit ; + rdfs:label "Watt per Square Centimetre"@en, + "Watt per Square Centimeter"@en-us ; + dcterms:description "Watt Per Square Centimeter is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB224" ; + qudt:symbol "W/cm²" ; + qudt:ucumCode "W.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N48" ; + rdfs:isDefinedBy . + +unit:W-PER-FT2 a qudt:Unit ; + rdfs:label "Watt per Square Foot"@en ; + dcterms:description "Watt Per Square Foot is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 10.7639104 ; + qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:symbol "W/ft²" ; + qudt:ucumCode "W.[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-PER-IN2 a qudt:Unit ; + rdfs:label "Watt per Square Inch"@en ; + dcterms:description "Watt Per Square Inch is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1550.0031 ; + qudt:expression "\\(W/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea ; + qudt:iec61360Code "0112/2///62720#UAB225" ; + qudt:symbol "W/in²" ; + qudt:ucumCode "W.[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N49" ; + rdfs:isDefinedBy . + +unit:WK a qudt:Unit ; + rdfs:label "Week"@en ; + dcterms:description "Mean solar week"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 6.048e+05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Week"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB024" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Week?oldid=493867029"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "wk" ; + qudt:ucumCode "wk"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WEE" ; + rdfs:isDefinedBy . + +unit:YR a qudt:Unit ; + rdfs:label "Year"@en ; + dcterms:description "A year is any of the various periods equated with one passage of Earth about the Sun, and hence of roughly 365 days. The familiar calendar has a mixture of 365- and 366-day years, reflecting the fact that the time for one complete passage takes about 365¼ days; the precise value for this figure depends on the manner of defining the year."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.15576e+07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB026" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1533?rskey=b94Fd6"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "yr" ; + qudt:ucumCode "a"^^qudt:UCUMcs ; + qudt:udunitsCode "yr" ; + qudt:uneceCommonCode "ANN" ; + rdfs:isDefinedBy . + +unit:YR_Common a qudt:Unit ; + rdfs:label "Common Year"@en ; + dcterms:description "31,536,000-fold of the SI base unit second according a common year with 365 days"^^rdf:HTML ; + qudt:conversionMultiplier 3.1536e+07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB025" ; + qudt:plainTextDescription "31,536,000-fold of the SI base unit second according a common year with 365 days" ; + qudt:symbol "yr" ; + qudt:uneceCommonCode "L95" ; + rdfs:isDefinedBy . + +unit:YR_Sidereal a qudt:Unit ; + rdfs:label "Sidereal Year"@en ; + dcterms:description "A sidereal year is the time taken for Sun to return to the same position with respect to the stars of the celestial sphere."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.155815e+07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB028" ; + qudt:symbol "yr{sidereal}" ; + qudt:uneceCommonCode "L96" ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AbsorbedDoseRate ; + qudt:latexDefinition "\\(L^2 T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentDensity ; + qudt:latexDefinition "\\(L^-2 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CatalyticActivity ; + qudt:latexDefinition "\\(T^-1 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Nano a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Nano"@en ; + dcterms:description "'nano' is a decimal prefix for expressing a value with a scaling of \\(10^{-9}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Nano"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Nano?oldid=489001692"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-09 ; + qudt:symbol "n" ; + qudt:ucumCode "n" ; + rdfs:isDefinedBy . + +quantitykind:ActivePower a qudt:QuantityKind ; + rdfs:label "Active Power"@en ; + dcterms:description "\\(Active Power\\) is, under periodic conditions, the mean value, taken over one period \\(T\\), of the instantaneous power \\(p\\). In complex notation, \\(P = \\mathbf{Re} \\; \\underline{S}\\), where \\(\\underline{S}\\) is \\(\\textit{complex power}\\)\"."^^qudt:LatexString ; + qudt:applicableUnit unit:GigaW, + unit:KiloW, + unit:MegaW, + unit:MicroW, + unit:MilliW, + unit:NanoW, + unit:PicoW, + unit:TeraW, + unit:W ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-42"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(P = \\frac{1}{T}\\int_{0}^{T} pdt\\), where \\(T\\) is the period and \\(p\\) is instantaneous power."^^qudt:LatexString ; + qudt:symbol "P" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ComplexPower, + quantitykind:InstantaneousPower ; + skos:broader quantitykind:ComplexPower . + +quantitykind:Activity a qudt:QuantityKind ; + rdfs:label "Activity"@en ; + dcterms:description "\"Activity\" is the number of decays per unit time of a radioactive sample, the term used to characterise the number of nuclei which disintegrate in a radioactive substance per unit time. Activity is usually measured in Becquerels (\\(Bq\\)), where 1 \\(Bq\\) is 1 disintegration per second, in honor of the scientist Henri Becquerel."^^qudt:LatexString ; + qudt:applicableUnit unit:BQ, + unit:Ci, + unit:GigaBQ, + unit:KiloBQ, + unit:KiloCi, + unit:MegaBQ, + unit:MicroBQ, + unit:MicroCi, + unit:MilliBQ, + unit:MilliCi, + unit:NanoBQ ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radioactive_decay"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Radioactive_decay"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Radioactive_decay#Radioactive_decay_rates"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number. + +Variation \\(dN\\) of spontaneous number of nuclei \\(N\\) in a particular energy state, in a sample of radionuclide, due to spontaneous nuclear transitions from this state during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(A = -\\frac{dN}{dt}\\)."""^^qudt:LatexString ; + qudt:symbol "A" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:StochasticProcess . + +quantitykind:AreaPerTime a qudt:QuantityKind ; + rdfs:label "Area per Time"@en ; + qudt:applicableUnit unit:CentiM2-PER-SEC, + unit:FT2-PER-HR, + unit:FT2-PER-SEC, + unit:IN2-PER-SEC, + unit:M2-HZ, + unit:M2-PER-SEC, + unit:MilliM2-PER-SEC ; + qudt:baseImperialUnitDimensions "\\(ft^2/s\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^2/s\\)"^^qudt:LatexString ; + qudt:baseUSCustomaryUnitDimensions "\\(L^2/T\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricPotential a qudt:QuantityKind ; + rdfs:label "كمون كهربائي"@ar, + "Електрически потенциал"@bg, + "elektrický potenciál"@cs, + "elektrisches Potenzial"@de, + "electric potential"@en, + "potencial eléctrico"@es, + "پتانسیل الکتریکی"@fa, + "potentiel électrique"@fr, + "מתח חשמלי (הפרש פוטנציאלים)"@he, + "विद्युत विभव"@hi, + "elektromos feszültség , elektromos potenciálkülönbség"@hu, + "potenziale elettrico"@it, + "電位"@ja, + "tensio electrica"@la, + "vis electromotrix"@la, + "Keupayaan elektrik"@ms, + "potencjał elektryczny"@pl, + "potencial elétrico"@pt, + "potențial electric"@ro, + "электростатический потенциал"@ru, + "električni potencial"@sl, + "elektrik potansiyeli"@tr, + "電勢"@zh ; + dcterms:description "The Electric Potential is a scalar valued quantity associated with an electric field. The electric potential \\(\\phi(x)\\) at a point, \\(x\\), is formally defined as the line integral of the electric field taken along a path from x to the point at infinity. If the electric field is static, that is time independent, then the choice of the path is arbitrary; however if the electric field is time dependent, taking the integral a different paths will produce different results."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(-\\textbf{grad} \\; V = E + \\frac{\\partial A}{\\partial t}\\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; + qudt:symbol "V" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerElectricCharge . + +quantitykind:ElectricPotentialDifference a qudt:QuantityKind ; + rdfs:label "جهد كهربائي"@ar, + "elektrické napětí"@cs, + "elektrische Spannung"@de, + "electric potential difference"@en, + "tensión eléctrica"@es, + "ولتاژ/ اختلاف پتانسیل"@fa, + "tension électrique"@fr, + "विभवांतर"@hi, + "differenza di potenziale elettrico"@it, + "tensione elettrica"@it, + "電圧"@ja, + "Voltan Perbezaan keupayaan elektrik"@ms, + "ketegangan"@ms, + "napięcie elektryczne"@pl, + "tensão elétrica (diferença de potencial)"@pt, + "diferență de potențial electric"@ro, + "tensiune"@ro, + "электрическое напряжение"@ru, + "električna napetost"@sl, + "gerilim"@tr, + "電壓"@zh ; + dcterms:description "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field."^^rdf:HTML ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(V_{ab} = \\int_{r_a(C)}^{r_b} (E +\\frac{\\partial A}{\\partial t}) \\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential, \\(t\\) is time, and \\(r\\) is position vector along a curve C from a point \\(a\\) to \\(b\\)."^^qudt:LatexString ; + qudt:plainTextDescription "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field." ; + qudt:symbol "V_{ab}" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerElectricCharge . + +quantitykind:HydraulicPermeability a qudt:QuantityKind ; + rdfs:label "Hydraulic Permeability"@en ; + dcterms:description "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM2, + unit:DARCY, + unit:DeciM2, + unit:FT2, + unit:IN2, + unit:M2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliDARCY, + unit:MilliM2, + unit:NanoM2 ; + qudt:baseCGSUnitDimensions "\\(cm^2\\)"^^qudt:LatexString ; + qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability_(Earth_sciences)"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Permeability_(Earth_sciences)"^^xsd:anyURI ; + qudt:plainTextDescription "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness." ; + rdfs:isDefinedBy ; + skos:altLabel "Fluid Permeability"@en, + "Permeability"@en . + +quantitykind:LiquidVolume a qudt:QuantityKind ; + rdfs:label "Liquid Volume"@en ; + dcterms:description "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement."^^rdf:HTML ; + qudt:applicableUnit unit:CUP, + unit:CUP_US, + unit:CentiL, + unit:GAL_IMP, + unit:GAL_UK, + unit:GAL_US, + unit:Kilo-FT3, + unit:L, + unit:OZ_VOL_US, + unit:PINT_US, + unit:QT_US ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:informativeReference "http://www.ehow.com/facts_6371078_liquid-volume_.html"^^xsd:anyURI ; + qudt:plainTextDescription "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Volume . + +quantitykind:MomentOfInertia a qudt:QuantityKind ; + rdfs:label "عزم القصور الذاتي"@ar, + "Moment setrvačnosti"@cs, + "Massenträgheitsmoment"@de, + "moment of inertia"@en, + "momento de inercia"@es, + "گشتاور لختی"@fa, + "moment d'inertie"@fr, + "जड़त्वाघूर्ण"@hi, + "momento di inerzia"@it, + "慣性モーメント"@ja, + "Momen inersia"@ms, + "Moment bezwładności"@pl, + "momento de inércia"@pt, + "Moment de inerție"@ro, + "Момент инерции"@ru, + "Eylemsizlik momenti"@tr, + "轉動慣量"@zh ; + dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; + qudt:applicableUnit unit:KiloGM-CentiM2, + unit:KiloGM-M2, + unit:KiloGM-MilliM2, + unit:LB-FT2, + unit:LB-IN2 ; + qudt:exactMatch quantitykind:RotationalMass ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_of_inertia"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(I_Q = \\int r^2_Q dm\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(m\\) is mass."^^qudt:LatexString ; + qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; + qudt:symbol "I" ; + rdfs:isDefinedBy ; + skos:altLabel "MOI" . + +quantitykind:Speed a qudt:QuantityKind ; + rdfs:label "Speed"@en ; + dcterms:description "Speed is the magnitude of velocity."^^rdf:HTML ; + qudt:applicableUnit unit:BFT, + unit:FT3-PER-MIN-FT2, + unit:GigaC-PER-M3, + unit:GigaHZ-M, + unit:HZ-M, + unit:M-PER-SEC, + unit:MegaHZ-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Speed"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:plainTextDescription "Speed is the magnitude of velocity." ; + rdfs:isDefinedBy . + +unit:ARCSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ArcSecond"@en ; + dcterms:description "\"Arc Second\" is a unit of angular measure, also called the \\(\\textit{second of arc}\\), equal to \\(1/60 \\; arcminute\\). One arcsecond is a very small angle: there are 1,296,000 in a circle. The SI recommends \\(\\textit{double prime}\\) (\\(''\\)) as the symbol for the arcsecond. The symbol has become common in astronomy, where very small angles are stated in milliarcseconds (\\(mas\\))."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.848137e-06 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA096" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc#Symbols.2C_abbreviations_and_subdivisions"^^xsd:anyURI ; + qudt:symbol "\"" ; + qudt:ucumCode "''"^^qudt:UCUMcs ; + qudt:udunitsCode "″" ; + qudt:uneceCommonCode "D62" ; + rdfs:isDefinedBy . + +unit:DECADE a qudt:DimensionlessUnit, + qudt:LogarithmicUnit, + qudt:Unit ; + rdfs:label "Dec"@en ; + dcterms:description "One decade is a factor of 10 difference between two numbers (an order of magnitude difference) measured on a logarithmic scale. It is especially useful when referring to frequencies and when describing frequency response of electronic systems, such as audio amplifiers and filters. The factor-of-ten in a decade can be in either direction: so one decade up from 100 Hz is 1000 Hz, and one decade down is 10 Hz. The factor-of-ten is what is important, not the unit used, so \\(3.14 rad/s\\) is one decade down from \\(31.4 rad/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Decade_(log_scale)"^^xsd:anyURI ; + qudt:symbol "dec" ; + rdfs:isDefinedBy . + +unit:DEG a qudt:Unit ; + rdfs:label "Degree"@en ; + dcterms:description "A degree (in full, a degree of arc, arc degree, or arcdegree), usually denoted by \\(^\\circ\\) (the degree symbol), is a measurement of plane angle, representing 1/360 of a full rotation; one degree is equivalent to \\(2\\pi /360 rad\\), \\(0.017453 rad\\). It is not an SI unit, as the SI unit for angles is radian, but is an accepted SI unit."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.0174532925 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA024" ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-331"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "°" ; + qudt:ucumCode "deg"^^qudt:UCUMcs ; + qudt:udunitsCode "°" ; + qudt:uneceCommonCode "DD" ; + rdfs:isDefinedBy . + +unit:Flight a qudt:Unit ; + rdfs:label "Flight"@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:symbol "flight" ; + rdfs:isDefinedBy . + +unit:GigaBasePair a qudt:Unit ; + rdfs:label "Gigabase Pair"@en ; + dcterms:description "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. "^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "https://www.genome.gov/genetics-glossary/Gigabase"^^xsd:anyURI ; + qudt:plainTextDescription "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. " ; + qudt:symbol "Gbp" ; + rdfs:isDefinedBy ; + skos:altLabel "Gigabase" . + +unit:HeartBeat a qudt:Unit ; + rdfs:label "Heart Beat"@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + rdfs:isDefinedBy . + +unit:J-PER-CentiM2-DAY a qudt:Unit ; + rdfs:label "Joules per square centimetre per day"@en ; + dcterms:description "Radiant energy per 10^-4 SI unit area over a period of one day."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.115740740740741 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea, + quantitykind:Radiosity ; + qudt:symbol "J/(cm²⋅day)" ; + qudt:ucumCode "J.cm-2.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "جول ثانية"@ar, + "joule sekunda"@cs, + "Joulesekunde"@de, + "joule second"@en, + "julio segundo"@es, + "ژول ثانیه"@fa, + "joule-seconde"@fr, + "जूल सैकण्ड"@hi, + "joule per secondo"@it, + "ジュール秒"@ja, + "joule saat"@ms, + "dżulosekunda"@pl, + "joule-segundo"@pt, + "joule-secundă"@ro, + "джоуль-секунда"@ru, + "joule sekunda"@sl, + "joule saniye"@tr, + "焦耳秒"@zh ; + dcterms:description "\\(The joule-second is a unit equal to a joule multiplied by a second, used to measure action or angular momentum. The joule-second is the unit used for Planck's constant.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Action, + quantitykind:AngularImpulse, + quantitykind:AngularMomentum ; + qudt:iec61360Code "0112/2///62720#UAB151" ; + qudt:symbol "J⋅s" ; + qudt:ucumCode "J.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B18" ; + rdfs:isDefinedBy . + +unit:MIL a qudt:Unit ; + rdfs:label "Mil Angle (NATO)"@en ; + dcterms:description "The Mil unit of plane angle, as defined by NATO to be 1/6400 of a circle."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.000490873852 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:symbol "mil{NATO}" ; + rdfs:isDefinedBy . + +unit:MO a qudt:Unit ; + rdfs:label "Month"@en ; + dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks. Also known as the 'Synodic Month' and calculated as 29.53059 days."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 2.551443e+06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Month"^^xsd:anyURI ; + qudt:exactMatch unit:MO_Synodic ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA880" ; + qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Month"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "mo" ; + qudt:ucumCode "mo"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MON" ; + rdfs:isDefinedBy . + +unit:MO_Synodic a qudt:Unit ; + rdfs:label "Synodic month"@en ; + dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks and calculated as 29.53059 days."^^rdf:HTML ; + qudt:exactMatch unit:MO ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI ; + qudt:ucumCode "mo_s"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroRAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "microradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA094" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µrad" ; + qudt:ucumCode "urad"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B97" ; + rdfs:isDefinedBy . + +unit:MilliRAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "milliradian"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA897" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mrad" ; + qudt:ucumCode "mrad"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C25" ; + rdfs:isDefinedBy . + +unit:NP a qudt:DimensionlessUnit, + qudt:LogarithmicUnit, + qudt:Unit ; + rdfs:label "Neper"@en ; + dcterms:description "The neper is a logarithmic unit for ratios of measurements of physical field and power quantities, such as gain and loss of electronic signals. It has the unit symbol Np. The unit's name is derived from the name of John Napier, the inventor of logarithms. As is the case for the decibel and bel, the neper is not a unit in the International System of Units (SI), but it is accepted for use alongside the SI. Like the decibel, the neper is a unit in a logarithmic scale. While the bel uses the decadic (base-10) logarithm to compute ratios, the neper uses the natural logarithm, based on Euler's number"^^rdf:HTML ; + qudt:applicableSystem sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Neper"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:iec61360Code "0112/2///62720#UAA253" ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Neper"^^xsd:anyURI ; + qudt:symbol "Np" ; + qudt:ucumCode "Np"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C50" ; + rdfs:isDefinedBy . + +unit:OCT a qudt:DimensionlessUnit, + qudt:LogarithmicUnit, + qudt:Unit ; + rdfs:label "Oct"@en ; + dcterms:description "An octave is a doubling or halving of a frequency. One oct is the logarithmic frequency interval between \\(f1\\) and \\(f2\\) when \\(f2/f1 = 2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Octave"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Octave_(electronics)"^^xsd:anyURI ; + qudt:symbol "oct" ; + rdfs:isDefinedBy . + +unit:PER-KiloM a qudt:Unit ; + rdfs:label "Reciprocal Kilometre"@en, + "Reciprocal Kilometer"@en-us ; + dcterms:description "Per Kilometer Unit is a denominator unit with dimensions \\(/km\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:expression "\\(per-kilometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/km" ; + qudt:ucumCode "/km"^^qudt:UCUMcs, + "km-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-M3 a qudt:Unit ; + rdfs:label "Reciprocal Cubic Metre"@en, + "Reciprocal Cubic Meter"@en-us ; + dcterms:description "\"Per Cubic Meter\" is a denominator unit with dimensions \\(/m^3\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(/m^3\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:InverseVolume, + quantitykind:NumberDensity ; + qudt:symbol "/m³" ; + qudt:ucumCode "/m3"^^qudt:UCUMcs, + "m-3"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C86" ; + rdfs:isDefinedBy . + +unit:PER-MicroM a qudt:Unit ; + rdfs:label "Reciprocal Micrometre"@en, + "Reciprocal Micrometer"@en-us ; + dcterms:description "Per Micrometer Unit is a denominator unit with dimensions \\(/microm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:expression "\\(per-micrometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/µm" ; + qudt:ucumCode "/um"^^qudt:UCUMcs, + "um-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-MilliM a qudt:Unit ; + rdfs:label "Reciprocal Millimetre"@en, + "Reciprocal Millimeter"@en-us ; + dcterms:description "Per Millimeter Unit is a denominator unit with dimensions \\(/mm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(per-millimeter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/mm" ; + qudt:ucumCode "/mm"^^qudt:UCUMcs, + "mm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-NanoM a qudt:Unit ; + rdfs:label "Reciprocal Nanometre"@en, + "Reciprocal Nanometer"@en-us ; + dcterms:description "Per Nanometer Unit is a denominator unit with dimensions \\(/nm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:expression "\\(per-nanometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/nm" ; + qudt:ucumCode "/nm"^^qudt:UCUMcs, + "nm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PER-PicoM a qudt:Unit ; + rdfs:label "Reciprocal Picometre"@en, + "Reciprocal Picometer"@en-us ; + dcterms:description "Per Picoometer Unit is a denominator unit with dimensions \\(/pm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+12 ; + qudt:expression "\\(per-picoometer\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/pm" ; + qudt:ucumCode "/pm"^^qudt:UCUMcs, + "pm-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PlanckTime a qudt:Unit ; + rdfs:label "Planck Time"@en ; + dcterms:description "In physics, the Planck time, denoted by \\(t_P\\), is the unit of time in the system of natural units known as Planck units. It is the time required for light to travel, in a vacuum, a distance of 1 Planck length. The unit is named after Max Planck, who was the first to propose it. \\( \\\\ t_P \\equiv \\sqrt{\\frac{\\hbar G}{c^5}} \\approx 5.39106(32) \\times 10^{-44} s\\) where, \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant (defined as \\(\\hbar = \\frac{h}{2 \\pi}\\) and \\(G\\) is the gravitational constant. The two digits between parentheses denote the standard error of the estimated value."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 5.39124e-49 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_time?oldid=495362103"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexSymbol "\\(t_P\\)"^^qudt:LatexString ; + qudt:symbol "tₚ" ; + rdfs:isDefinedBy . + +unit:REV a qudt:Unit ; + rdfs:label "Revolution"@en ; + dcterms:description "\"Revolution\" is a unit for 'Plane Angle' expressed as \\(rev\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 6.28318531 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Revolution"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAB206" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Revolution?oldid=494110330"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "rev" ; + qudt:ucumCode "{#}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M44" ; + rdfs:isDefinedBy . + +unit:SUSCEPTIBILITY_ELEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Electric Susceptibility Unit"@en ; + dcterms:description "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\chi_{\\text{e}} = \\frac{{\\mathbf P}}{\\varepsilon_0{\\mathbf E}}"^^qudt:LatexString ; + qudt:plainTextDescription "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy . + +unit:SUSCEPTIBILITY_MAG a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Magnetic Susceptibility Unit"@en ; + dcterms:description "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\chi_\\text{v} = \\frac{\\mathbf{M}}{\\mathbf{H}}"^^qudt:LatexString ; + qudt:plainTextDescription "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity." ; + qudt:symbol "χ" ; + rdfs:isDefinedBy . + +unit:W-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "واط في المتر المربع"@ar, + "watt na metr čtvereční"@cs, + "Watt je Quadratmeter"@de, + "watt per square metre"@en, + "Watt per Square Meter"@en-us, + "vatio por metro cuadrado"@es, + "وات بر مترمربع"@fa, + "watt par mètre carré"@fr, + "वाट प्रति वर्ग मीटर"@hi, + "watt al metro quadrato"@it, + "ワット毎平方メートル"@ja, + "watt per meter persegi"@ms, + "wat na metr kwadratowy"@pl, + "watt por metro quadrado"@pt, + "watt pe metru pătrat"@ro, + "ватт на квадратный метр"@ru, + "watt na kvadratni meter"@sl, + "watt bölü metre kare"@tr, + "瓦特每平方米"@zh ; + dcterms:description "\"Watt per Square Meter} is a unit of irradiance defined as the power received per area. This is a unit in the category of Energy flux. It is also known as watts per square meter, watt per square metre, watts per square metre, watt/square meter, watt/square metre. This unit is commonly used in the SI unit system. Watt Per Square Meter (\\(W/m^2\\)) has a dimension of \\(MT^{-3\"\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(W/m^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:PowerPerArea, + quantitykind:PoyntingVector ; + qudt:iec61360Code "0112/2///62720#UAA310" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_flux--watt_per_square_meter.cfm"^^xsd:anyURI ; + qudt:symbol "W/m²" ; + qudt:ucumCode "W.m-2"^^qudt:UCUMcs, + "W/m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D54" ; + rdfs:isDefinedBy . + +unit:YR_TROPICAL a qudt:Unit ; + rdfs:label "Tropical Year"@en ; + dcterms:description "

A tropical year (also known as a solar year), for general purposes, is the length of time that the Sun takes to return to the same position in the cycle of seasons, as seen from Earth; for example, the time from vernal equinox to vernal equinox, or from summer solstice to summer solstice. Because of the precession of the equinoxes, the seasonal cycle does not remain exactly synchronised with the position of the Earth in its orbit around the Sun. As a consequence, the tropical year is about 20 minutes shorter than the time it takes Earth to complete one full orbit around the Sun as measured with respect to the fixed stars. Since antiquity, astronomers have progressively refined the definition of the tropical year, and currently define it as the time required for the mean Sun's tropical longitude (longitudinal position along the ecliptic relative to its position at the vernal equinox) to increase by 360 degrees (that is, to complete one full seasonal circuit).

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 3.155693e+07 ; + qudt:exactMatch unit:YR_TROPICAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAB029" ; + qudt:symbol "yr{tropical}" ; + qudt:ucumCode "a_t"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D42" ; + rdfs:isDefinedBy ; + skos:altLabel "solar year" . + +s223:Property a s223:Class, + sh:NodeShape ; + rdfs:label "Property" ; + rdfs:comment """An attribute, quality, or characteristic of a feature of interest. + +The Property class is the parent of all variations of a property, which are: +ActuatableProperty - parent of subclass of properties that can be modified by user or machine outside of the model (typically command); +ObservableProperty - parent of subclass of properties that can not be modified by user or machine outside of the model (typically measures); +EnumerableProperty - parent of subclass of properties defined by EnumerationKind; +QuantifiableProperty - parent of subclass of properties defined by numerical values. + +And their different associations : +QuantifiableActuatableProperty, +QuantifiableObservableProperty, +EnumeratedObservableProperty, +EnumeratedActuatableProperty. + +A QuantifiableProperty (or subClass thereof) must always be associated with a Unit and a QuantityKind, either explicitly from the Property, or through the associated Value. If the Unit is defined, the SHACL reasoner (if invoked) will figure out and assert the QuantityKind (the most general version). + +Enumerable properties must be associated with an EnumerationKind. +""" ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "If the relation hasAspect is present, it must associate the Property with an EnumerationKind." ; + sh:class s223:EnumerationKind ; + sh:path s223:hasAspect ], + [ rdfs:comment "If the relation hasExternalReference is present it must associate the Property with an ExternalReference." ; + sh:class s223:ExternalReference ; + sh:path s223:hasExternalReference ], + [ rdfs:comment "A Property can use at most one relation hasValue if it is required to provide a static value in the model. It is not meant for real-time value (see `s223:hasExternalReference`)." ; + sh:maxCount 1 ; + sh:path s223:hasValue ], + [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Medium using the relation ofMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:path s223:ofMedium ], + [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Substance using the relation ofSubstance." ; + sh:class s223:EnumerationKind-Substance ; + sh:maxCount 1 ; + sh:path s223:ofSubstance ], + [ rdfs:comment "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; + sh:class s223:FunctionBlock ; + sh:maxCount 1 ; + sh:message "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; + sh:path [ sh:inversePath s223:hasOutput ] ], + [ rdfs:comment "" ; + sh:path s223:ofSubstance ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If an incoming relation hasConstituent exists, then the Property must have a declared substance using the relation ofSubstance." ; + sh:message "Property {$this} is referred to by {?something} with s223:hasConstituent, but the Property has no value for s223:ofSubstance." ; + sh:prefixes ; + sh:select """ +SELECT $this ?something +WHERE { +?something s223:hasConstituent $this . +FILTER NOT EXISTS {$this s223:ofSubstance ?someSubstance} . +} +""" ] ], + [ rdfs:comment "An instance of s223:Property must not be observed (set) by more than one entity." ; + sh:maxCount 1 ; + sh:message "An instance of s223:Property must not be observed (set) by more than one entity." ; + sh:path [ sh:inversePath s223:observes ] ] ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A Property instance cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; + sh:message "{$this} cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; + sh:prefixes ; + sh:select """ +SELECT $this +WHERE { +$this a/rdfs:subClassOf* s223:ActuatableProperty . +$this a/rdfs:subClassOf* s223:ObservableProperty . +} +""" ] . + +s223:hasDomain a rdf:Property ; + rdfs:label "has domain" ; + rdfs:comment "The relation hasDomain is used to indicate what domain a Zone or DomainSpace pertains to (e.g. HVAC, lighting, electrical, etc.). Possible values are defined in EnumerationKind-Domain (see `s223:EnumerationKind-Domain`)." . + +qkdv:A0E0L3I0M-1H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M-1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificVolume ; + qudt:latexDefinition "\\(L^3 M^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-2I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-2I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-2 M^-1 T^3 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-3I0M-1H0T4D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-3I0M-1H0T4D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 4 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Permittivity ; + qudt:latexDefinition "\\(L^-3 M^-1 T^4 I^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:CoefficientOfHeatTransfer a qudt:QuantityKind ; + rdfs:label "Coefficient of heat transfer"@en ; + dcterms:description "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin."^^rdf:HTML ; + qudt:applicableSIUnit unit:W-PER-M2-K ; + qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F, + unit:BTU_IT-PER-FT2-SEC-DEG_F, + unit:BTU_IT-PER-HR-FT2-DEG_R, + unit:BTU_IT-PER-SEC-FT2-DEG_R, + unit:CAL_IT-PER-SEC-CentiM2-K, + unit:CAL_TH-PER-SEC-CentiM2-K, + unit:W-PER-M2-K ; + qudt:expression "\\(heat-xfer-coeff\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer_coefficient"^^xsd:anyURI ; + qudt:latexDefinition """"Coefficient of Heat Transfer", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, \\(q/A\\), and the thermodynamic driving force for the flow of heat (that is, the temperature difference, \\( \\bigtriangleup T \\)). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \\(\\textit{Coefficient of Heat Transfer}\\), is often called \\(\\textit{thermal transmittance}\\), with the symbol \\(U\\). \\(\\textit{Coefficient of Heat Transfer}\\), has SI units in watts per squared meter kelvin: \\(W/(m^2 \\cdot K)\\) . + +\\(K = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is thermodynamic temperature difference."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin." ; + rdfs:isDefinedBy . + +quantitykind:ElectricCurrentDensity a qudt:QuantityKind ; + rdfs:label "كثافة التيار"@ar, + "Hustota elektrického proudu"@cs, + "elektrische Stromdichte"@de, + "areic electric current"@en, + "electric current density"@en, + "densidad de corriente"@es, + "چگالی جریان الکتریکی"@fa, + "densité de courant"@fr, + "धारा घनत्व"@hi, + "densità di corrente elettrica"@it, + "電流密度"@ja, + "Ketumpatan arus elektrik"@ms, + "keluasan arus elektrik"@ms, + "Gęstość prądu elektrycznego"@pl, + "densidade de corrente elétrica"@pt, + "Densitate de curent"@ro, + "плотность тока"@ru, + "gostota električnega toka"@sl, + "Akım yoğunluğu"@tr, + "电流密度"@zh ; + dcterms:description "\"Electric Current Density\" is a measure of the density of flow of electric charge; it is the electric current per unit area of cross section. Electric current density is a vector-valued quantity. Electric current, \\(I\\), through a surface \\(S\\) is defined as \\(I = \\int_S J \\cdot e_n dA\\), where \\(e_ndA\\) is the vector surface element."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM2, + unit:A-PER-M2, + unit:A-PER-MilliM2, + unit:A_Ab-PER-CentiM2, + unit:A_Stat-PER-CentiM2, + unit:KiloA-PER-M2, + unit:MegaA-PER-M2, + unit:PlanckCurrentDensity ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Current_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; + qudt:informativeReference "http://maxwells-equations.com/density/current.php"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(J = \\rho v\\), where \\(\\rho\\) is electric current density and \\(v\\) is volume."^^qudt:LatexString ; + qudt:symbol "J" ; + rdfs:isDefinedBy . + +quantitykind:MagneticFlux a qudt:QuantityKind ; + rdfs:label "التدفق المغناطيسي"@ar, + "Магнитен поток"@bg, + "Magnetický tok"@cs, + "magnetischer Flux"@de, + "magnetic flux"@en, + "flujo magnético"@es, + "شار مغناطیسی"@fa, + "Flux d'induction magnétique"@fr, + "שטף מגנטי"@he, + "चुम्बकीय बहाव"@hi, + "mágneses fluxus"@hu, + "flusso magnetico"@it, + "磁束"@ja, + "fluxus magneticus"@la, + "Fluks magnet"@ms, + "strumień magnetyczny"@pl, + "fluxo magnético"@pt, + "flux de inducție magnetică"@ro, + "Магнитный поток"@ru, + "magnetni pretok"@sl, + "manyetik akı"@tr, + "磁通量"@zh ; + dcterms:description "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates."^^rdf:HTML ; + qudt:applicableUnit unit:KiloLB_F-FT-PER-A, + unit:KiloWB, + unit:MX, + unit:MilliWB, + unit:N-M-PER-A, + unit:UnitPole, + unit:V_Ab-SEC, + unit:WB ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; + qudt:expression "\\(magnetic-flux\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\Phi = \\int_S B \\cdot e_n d A\\), over a surface \\(S\\), where \\(B\\) is magnetic flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString, + "\\(\\phi\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates." ; + rdfs:isDefinedBy . + +quantitykind:MassPerLength a qudt:QuantityKind ; + rdfs:label "Mass per Length"@en ; + dcterms:description "Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects. The SI unit of linear density is the kilogram per metre (\\(kg/m\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:Denier, + unit:GM-PER-KiloM, + unit:GM-PER-M, + unit:GM-PER-MilliM, + unit:KiloGM-PER-M, + unit:KiloGM-PER-MilliM, + unit:LB-PER-FT, + unit:LB-PER-IN, + unit:MilliGM-PER-M, + unit:SLUG-PER-FT, + unit:TEX ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:SpecificVolume a qudt:QuantityKind ; + rdfs:label "Specific Volume"@en ; + dcterms:description "\"Specific Volume\" (\\(\\nu\\)) is the volume occupied by a unit of mass of a material. It is equal to the inverse of density."^^qudt:LatexString ; + qudt:applicableUnit unit:DeciL-PER-GM, + unit:L-PER-KiloGM, + unit:M3-PER-KiloGM, + unit:MilliL-PER-GM, + unit:MilliL-PER-KiloGM, + unit:MilliM3-PER-GM, + unit:MilliM3-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_volume"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(sv = \\frac{1}{\\rho}\\), where \\(\\rho\\) is mass density."^^qudt:LatexString ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Density . + +unit:ARCMIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "ArcMinute"@en ; + dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. "^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 2.908882e-04 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:MIN_Angle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA097" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; + qudt:siUnitsExpression "1" ; + qudt:symbol "'" ; + qudt:ucumCode "'"^^qudt:UCUMcs ; + qudt:udunitsCode "′" ; + qudt:uneceCommonCode "D61" ; + rdfs:isDefinedBy . + +unit:DAY a qudt:Unit ; + rdfs:label "Day"@en ; + dcterms:description "Mean solar day"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 86400.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Day"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:BiodegredationHalfLife, + quantitykind:FishBiotransformationHalfLife, + quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA407" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Day?oldid=494970012"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "day" ; + qudt:ucumCode "d"^^qudt:UCUMcs ; + qudt:udunitsCode "d" ; + qudt:uneceCommonCode "DAY" ; + rdfs:isDefinedBy . + +unit:DEG_R a qudt:Unit ; + rdfs:label "Degree Rankine"@en ; + dcterms:description "Rankine is a thermodynamic (absolute) temperature scale. The symbol for degrees Rankine is \\(^\\circ R\\) or \\(^\\circ Ra\\) if necessary to distinguish it from the Rømer and Réaumur scales). Zero on both the Kelvin and Rankine scales is absolute zero, but the Rankine degree is defined as equal to one degree Fahrenheit, rather than the one degree Celsius used by the Kelvin scale. A temperature of \\(-459.67 ^\\circ F\\) is exactly equal to \\(0 ^\\circ R\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.5555555555555556 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature, + quantitykind:ThermodynamicTemperature ; + qudt:iec61360Code "0112/2///62720#UAA050" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rankine_scale"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "°R" ; + qudt:ucumCode "[degR]"^^qudt:UCUMcs ; + qudt:udunitsCode "°R" ; + qudt:uneceCommonCode "A48" ; + rdfs:isDefinedBy . + +unit:GON a qudt:Unit ; + rdfs:label "Gon"@en ; + dcterms:description "\"Gon\" is a C.G.S System unit for 'Plane Angle' expressed as \\(gon\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.015707963267949 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gon"^^xsd:anyURI ; + qudt:exactMatch unit:GRAD ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA522" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gon?oldid=424098171"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "gon" ; + qudt:ucumCode "gon"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A91" ; + rdfs:isDefinedBy . + +unit:GRAD a qudt:Unit ; + rdfs:label "Grad"@en ; + dcterms:description "\"Grad\" is a unit for 'Plane Angle' expressed as \\(grad\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.0157079633 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grad"^^xsd:anyURI ; + qudt:exactMatch unit:GON ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA522" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grad?oldid=490906645"^^xsd:anyURI ; + qudt:symbol "grad" ; + qudt:uneceCommonCode "A91" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-MOL a qudt:Unit ; + rdfs:label "Kilogram per Mol"@en ; + dcterms:description "

In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\). However, for historical reasons, molar masses are almost always expressed in \\(g/mol\\). As an example, the molar mass of water is approximately: \\(18.01528(33) \\; g/mol\\)

."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(kg mol^{-1}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:MolarMass ; + qudt:symbol "kg/mol" ; + qudt:ucumCode "kg.mol-1"^^qudt:UCUMcs, + "kg/mol"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D74" ; + rdfs:isDefinedBy . + +unit:MIN_Angle a qudt:Unit ; + rdfs:label "Minute Angle"@en ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.0002908882 ; + qudt:exactMatch unit:ARCMIN ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA097" ; + qudt:symbol "'" ; + qudt:ucumCode "'"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D61" ; + rdfs:isDefinedBy . + +unit:MilliARCSEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Milli ArcSecond"@en ; + dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. the milliarcsecond, abbreviated mas, is used in astronomy."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.848137e-09 ; + qudt:exactMatch unit:RAD ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; + qudt:symbol "mas" ; + qudt:ucumCode "m''"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:RAD a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "راديان"@ar, + "радиан"@bg, + "radián"@cs, + "Radiant"@de, + "ακτίνιο"@el, + "radian"@en, + "radián"@es, + "رادیان"@fa, + "radian"@fr, + "רדיאן"@he, + "वर्ग मीटर"@hi, + "radián"@hu, + "radiante"@it, + "ラジアン"@ja, + "radian"@la, + "radian"@ms, + "radian"@pl, + "radiano"@pt, + "radian"@ro, + "радиан"@ru, + "radian"@sl, + "radyan"@tr, + "弧度"@zh ; + dcterms:description "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. In the absence of any symbol radians are assumed, and when degrees are meant the symbol \\(^{\\ circ}\\) is used. "^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Radian"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:exactMatch unit:MilliARCSEC ; + qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Angle, + quantitykind:PlaneAngle ; + qudt:iec61360Code "0112/2///62720#UAA966" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Radian?oldid=492309312"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. The unit was formerly a SI supplementary unit, but this category was abolished in 1995 and the radian is now considered a SI derived unit. The SI unit of solid angle measurement is the steradian. The radian is represented by the symbol \"rad\" or, more rarely, by the superscript c (for \"circular measure\"). For example, an angle of 1.2 radians would be written as \"1.2 rad\" or \"1.2c\" (the second symbol is often mistaken for a degree: \"1.2u00b0\"). As the ratio of two lengths, the radian is a \"pure number\" that needs no unit symbol, and in mathematical writing the symbol \"rad\" is almost always omitted. In the absence of any symbol radians are assumed, and when degrees are meant the symbol u00b0 is used. [Wikipedia]" ; + qudt:symbol "rad" ; + qudt:ucumCode "rad"^^qudt:UCUMcs ; + qudt:udunitsCode "rad" ; + qudt:uneceCommonCode "C81" ; + rdfs:comment "The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities." ; + rdfs:isDefinedBy . + +unit:RPK a qudt:Unit ; + rdfs:label "Reads Per Kilobase"@en ; + dcterms:description "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)."^^rdf:HTML ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Dimensionless, + quantitykind:GeneFamilyAbundance ; + qudt:informativeReference "https://learn.gencore.bio.nyu.edu/metgenomics/shotgun-metagenomics/functional-analysis/"^^xsd:anyURI ; + qudt:plainTextDescription "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)." ; + qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; + qudt:symbol "RPK" ; + rdfs:isDefinedBy ; + skos:altLabel "RPK" . + +s223:Connectable a s223:Class, + sh:NodeShape ; + rdfs:label "Connectable" ; + s223:abstract true ; + rdfs:comment "Connectable is an abstract class representing a thing such as, Equipment (see `s223:Equipment`), DomainSpace (see `s223:DomainSpace`), or Junction (see `s223:Junction`) that can be connected via ConnectionPoints and Connections." ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "If the relation cnx is present it must associate the Connectable with a ConnectionPoint." ; + sh:class s223:ConnectionPoint ; + sh:path s223:cnx ], + [ rdfs:comment "If the relation connected is present it must associate the Connectable with a Connectable." ; + sh:class s223:Connectable ; + sh:name "SymmetricConnectableToConnectableShape" ; + sh:path s223:connected ], + [ rdfs:comment "If the relation connectedFrom is present it must associate the Connectable with a Connectable." ; + sh:class s223:Connectable ; + sh:path s223:connectedFrom ], + [ rdfs:comment "If the relation connectedThrough is present it must associate the Connectable with a Connection." ; + sh:class s223:Connection ; + sh:name "EquipmentToConnectionShape" ; + sh:path s223:connectedThrough ], + [ rdfs:comment "If the relation connectedTo is present it must associate the Connectable with a Connectable." ; + sh:class s223:Connectable ; + sh:name "ConnectableToConnectableShape" ; + sh:path s223:connectedTo ], + [ rdfs:comment "If the relation hasConnectionPoint is present it must associate the Connectable with a ConnectionPoint." ; + sh:class s223:ConnectionPoint ; + sh:name "EquipmentToConnectionPointShape" ; + sh:path s223:hasConnectionPoint ], + [ rdfs:comment "If a Connectable has s223:connected or s223:connectedTo (i.e. high-level connection specification), it must also have the supporting cnx relations (low-level connection specification)." ; + sh:path s223:cnx ; + sh:severity sh:Warning ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a Connectable has s223:connected or s223:connectedTo (i.e. high-level connection specification), it must also have the supporting cnx relations (low-level connection specification)." ; + sh:message "{$this} is s223:connected (high-level) to {?otherC} but not connected at the cnx-level." ; + sh:prefixes ; + sh:select """ +SELECT $this ?otherC +WHERE { +$this s223:connected ?otherC . +FILTER NOT EXISTS {$this s223:cnx+ ?otherC} +} +""" ] ] ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the connected relation for BiDirectional connections" ; + sh:construct """ +CONSTRUCT {$this s223:connected ?d2 .} +WHERE { +$this s223:connectedThrough/^s223:connectedThrough ?d2 . +FILTER ($this != ?d2) . +FILTER NOT EXISTS {$this s223:contains* ?d2} . +FILTER NOT EXISTS {?d2 s223:contains* $this} . +} +""" ; + sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; + sh:prefixes ], + [ a sh:TripleRule ; + rdfs:comment "Infer the connected relation using connectedTo" ; + sh:name "InferredEquipmentToEquipmentPropertyfromconnectedTo" ; + sh:object [ sh:path s223:connectedTo ] ; + sh:predicate s223:connected ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer the connectedThrough relation using hasConnectionPoint and connectsThrough" ; + sh:name "InferredEquipmentToConnectionProperty" ; + sh:object [ sh:path ( s223:hasConnectionPoint s223:connectsThrough ) ] ; + sh:predicate s223:connectedThrough ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer the hasConnectionPoint relation using cnx" ; + sh:name "InferredEquipmentToConnectionPointProperty" ; + sh:object [ sh:path s223:cnx ] ; + sh:predicate s223:hasConnectionPoint ; + sh:subject sh:this ], + [ a sh:SPARQLRule ; + rdfs:comment "Infer the connectedFrom relations using connectsThrough and connectsFrom." ; + sh:construct """ +CONSTRUCT {$this s223:connectedFrom ?equipment .} +WHERE { +$this s223:hasConnectionPoint ?cp . +?cp a s223:InletConnectionPoint . +?cp s223:connectsThrough/s223:connectsFrom ?equipment . +} +""" ; + sh:name "InferredEquipmentToUpstreamEquipmentProperty" ; + sh:prefixes ], + [ a sh:SPARQLRule ; + rdfs:comment "Infer the connectedTo relation using connectsThrough and connectsTo." ; + sh:construct """ +CONSTRUCT {$this s223:connectedTo ?equipment .} +WHERE { +$this s223:hasConnectionPoint ?cp . +?cp a s223:OutletConnectionPoint . +?cp s223:connectsThrough/s223:connectsTo ?equipment . +} +""" ; + sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; + sh:prefixes ], + [ a sh:TripleRule ; + rdfs:comment "Infer the cnx relationship using hasConnectionPoint." ; + sh:name "InferredEquipmentToConnectionPointCnxProperty" ; + sh:object [ sh:path s223:hasConnectionPoint ] ; + sh:predicate s223:cnx ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer the cnx relation using isConnectionPointOf." ; + sh:name "InferredEquipmentToConnectionPointCnxPropertyFromInverse" ; + sh:object [ sh:path [ sh:inversePath s223:isConnectionPointOf ] ] ; + sh:predicate s223:cnx ; + sh:subject sh:this ], + [ a sh:TripleRule ; + rdfs:comment "Infer the connected relation using connectedFrom" ; + sh:name "InferredEquipmentToEquipmentPropertyfromconnectedFrom" ; + sh:object [ sh:path s223:connectedFrom ] ; + sh:predicate s223:connected ; + sh:subject sh:this ] . + +s223:ConnectionPoint a s223:Class, + sh:NodeShape ; + rdfs:label "ConnectionPoint" ; + s223:abstract true ; + rdfs:comment """ +A ConnectionPoint is an abstract modeling construct used to represent the fact that one connectable thing can be connected to another connectable thing using a Connection. It is the abstract representation of the flange, wire terminal, or other physical feature where a connection is made. Equipment, DomainSpaces and Junctions can have one or more ConnectionPoints (see `s223:Connectable`). + +A ConnectionPoint is constrained to relate to a specific medium such as air, water, or electricity which determines what other things can be connected to it. For example, constraining a ConnectionPoint to be for air means it cannot be used for an electrical connection. + +A ConnectionPoint belongs to exactly one connectable thing (see `s222:Connectable'). + +ConnectionPoints are represented graphically in this standard by a triangle with the point indicating a direction of flow, or a diamond in the case of a bidirectional flow as shown in Figure 6-1. + +![Graphical Representation of a ConnectionPoint.](figures/Figure_5-2_Graphical_Depiciton_of_Connection_Points.svg) + + """ ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "A ConnectionPoint must be associated with at most one Connectable using the cnx relation." ; + sh:message "A ConnectionPoint must be associated with at most one Connectable using the cnx relation." ; + sh:path s223:cnx ; + sh:qualifiedMaxCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Connectable ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A ConnectionPoint must be associated with at most one Connection using the cnx relation" ; + sh:message "A ConnectionPoint must be associated with at most one Connection using the cnx relation" ; + sh:path s223:cnx ; + sh:qualifiedMaxCount 1 ; + sh:qualifiedValueShape [ sh:class s223:Connection ] ; + sh:qualifiedValueShapesDisjoint true ], + [ rdfs:comment "A ConnectionPoint must be associated with at most one Connection using the relation connectsThrough." ; + sh:class s223:Connection ; + sh:maxCount 1 ; + sh:message "This ConnectionPoint must be associated with at most one Connection." ; + sh:name "ConnectionPointToConnectionShape" ; + sh:path s223:connectsThrough ; + sh:severity sh:Info ], + [ rdfs:comment "If the relation hasElectricalPhase is present it must associate the ConnectionPoint with an ElectricalPhaseIdentifier or ElectricalVoltagePhases." ; + sh:or ( [ sh:class s223:Aspect-ElectricalPhaseIdentifier ] [ sh:class s223:Aspect-ElectricalVoltagePhases ] ) ; + sh:path s223:hasElectricalPhase ], + [ rdfs:comment "A ConnectionPoint must be associated with exactly one Substance-Medium using the relation hasMedium." ; + sh:class s223:Substance-Medium ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "ConnectionPoint medium" ; + sh:path s223:hasMedium ], + [ rdfs:comment "If the relation hasRole is present it must associate the ConnectionPoint with an EnumerationKind-Role." ; + sh:class s223:EnumerationKind-Role ; + sh:path s223:hasRole ], + [ rdfs:comment "A ConnectionPoint must be associated with exactly one Connectable using the relation isConnectionPointOf." ; + sh:class s223:Connectable ; + sh:maxCount 1 ; + sh:minCount 1 ; + sh:name "ConnectionPointToEquipmentShape" ; + sh:path s223:isConnectionPointOf ], + [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the relation mapsTo" ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:path s223:mapsTo ], + [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the inverse of relation mapsTo" ; + sh:class s223:ConnectionPoint ; + sh:maxCount 1 ; + sh:path [ sh:inversePath s223:mapsTo ] ], + [ rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, and is not associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint probably needs an association with a Connection." ; + sh:path s223:connectsThrough ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, and is not associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint probably needs an association with a Connection." ; + sh:message "ConnectionPoint {$this} probably needs an association with a Connection." ; + sh:prefixes ; + sh:select """ + SELECT $this + WHERE { + FILTER NOT EXISTS {$this s223:connectsThrough ?anything1} . + FILTER NOT EXISTS {$this s223:mapsTo ?anything2} . + $this s223:isConnectionPointOf ?equipment . + FILTER NOT EXISTS {?containerEquipment s223:contains ?equipment} . + } + """ ] ], + [ rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; + sh:name "Test for compatible declared Medium" ; + sh:path s223:hasMedium ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; + sh:message "{$this} declares a Medium of {?a}, but the Medium of {?b} is declared by {?target} pointed to by the mapsTo+ relation." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?a ?b ?target +WHERE { +$this s223:hasMedium ?a . +$this s223:mapsTo+ ?target . +?target s223:hasMedium ?b . +?a a/rdfs:subClassOf* s223:EnumerationKind-Medium . +?b a/rdfs:subClassOf* s223:EnumerationKind-Medium . +FILTER (?a != ?b ) . +FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . +FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . +} +""" ] ], + [ rdfs:comment "A ConnectionPoint must not have both a mapsTo and a connectsThrough relation." ; + sh:path s223:mapsTo ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "A ConnectionPoint must not have both a mapsTo and a connectsThrough relation." ; + sh:message "{$this} cannot have both a mapsTo {?uppercp} and a connectsThrough {?connection}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?uppercp ?connection +WHERE { +$this s223:mapsTo ?uppercp . +$this s223:connectsThrough ?connection . +?connection a/rdfs:subClassOf* s223:Connection . +} +""" ] ], + [ rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, but is associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint might need a mapsTo relation to a ConnectionPoint of the containing Equipment." ; + sh:path s223:mapsTo ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint lacks a connectsThrough and mapsTo relation, but is associated with a Junction or Equipment that is contained by an Equipment, then suggest that the ConnectionPoint might need a mapsTo relation to a ConnectionPoint of the containing Equipment." ; + sh:message "ConnectionPoint {$this} could be missing a mapsTo relation to a ConnectionPoint of {?containerEquipment} because it is associated with a Junction or Equipment that is contained by {?containerEquipment}." ; + sh:prefixes ; + sh:select """ + SELECT $this ?containerEquipment + WHERE { + FILTER NOT EXISTS {$this s223:connectsThrough ?anything1} . + FILTER NOT EXISTS {$this s223:mapsTo ?anything2} . + $this s223:isConnectionPointOf ?equipment . + ?containerEquipment s223:contains ?equipment . + } + """ ] ], + [ rdfs:comment "If a ConnectionPoint mapsTo another ConnectionPoint, the respective Equipment should have a contains relation." ; + sh:path s223:mapsTo ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "If a ConnectionPoint mapsTo another ConnectionPoint, the respective Equipment should have a contains relation." ; + sh:message "{?otherEquipment} should contain {?equipment} because ConnectionPoint {$this} has a mapsTo relation." ; + sh:prefixes ; + sh:select """ +SELECT $this ?equipment ?otherEquipment +WHERE { +$this s223:mapsTo ?otherCP . +?equipment s223:hasConnectionPoint $this . +?otherEquipment s223:hasConnectionPoint ?otherCP . +FILTER NOT EXISTS {?otherEquipment s223:contains ?equipment} +} +""" ] ] . + +s223:DCVoltage-DCZeroVoltage a s223:Class, + s223:DCVoltage-DCZeroVoltage, + sh:NodeShape ; + rdfs:label "DCVoltage-DCZero voltage" ; + s223:hasVoltage s223:Voltage-0V ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "DCVoltage-DCZero voltage" ; + rdfs:subClassOf s223:Numerical-DCVoltage . + +s223:Substance-Medium a s223:Class, + s223:Substance-Medium, + sh:NodeShape ; + rdfs:label "Medium" ; + rdfs:comment "This class has enumerated subclasses of a physical substance or anything that allows for the transfer of energy or information." ; + rdfs:subClassOf s223:EnumerationKind-Substance . + +s223:observes a rdf:Property ; + rdfs:label "observes" ; + rdfs:comment "The relation observes binds a sensor to one ObservableProperty `see s223:ObservableProperty` which is used by the sensor to generate a measurement value (ex. a temperature) or a simple observation of a stimulus causing a reaction (a current binary switch that closes a dry contact when a fan is powered on)." . + +qudt:hasUnit a rdf:Property ; + rdfs:label "has unit" ; + dcterms:description "This property relates a system of units with a unit of measure that is either a) defined by the system, or b) accepted for use by the system and is convertible to a unit of equivalent dimension that is defined by the system. Systems of units may distinguish between base and derived units. Base units are the units which measure the base quantities for the corresponding system of quantities. The base units are used to define units for all other quantities as products of powers of the base units. Such units are called derived units for the system. Thirdly, c) a reference to the unit of measure of a quantity (variable or constant) of interest"^^rdf:HTML ; + rdfs:comment "A reference to the unit of measure of a QuantifiableProperty of interest." ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerLength ; + qudt:latexDefinition "\\(L^-1 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I1M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I1M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 1 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Luminance ; + qudt:latexDefinition "\\(L^-2 J\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H-1T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H-1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:CoefficientOfHeatTransfer ; + qudt:latexDefinition "\\(M T^-3 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H-1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H-1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerTemperature ; + qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L0I0M-1H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M-1H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerMass, + quantitykind:SpecificElectricCharge ; + qudt:latexDefinition "\\(I T M^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:AngularVelocity a qudt:QuantityKind ; + rdfs:label "سرعة زاوية"@ar, + "Úhlová rychlost"@cs, + "Winkelgeschwindigkeit"@de, + "angular speed"@en, + "angular velocity"@en, + "velocidad angular"@es, + "سرعت زاویه‌ای"@fa, + "vitesse angulaire"@fr, + "कोणीय वेग"@hi, + "velocità angolare"@it, + "角速度"@ja, + "Halaju bersudut"@ms, + "kelajuan bersudut"@ms, + "Prędkość kątowa"@pl, + "velocidade angular"@pt, + "Viteză unghiulară"@ro, + "Угловая скорость"@ru, + "kotna hitrost"@sl, + "Açısal hız"@tr, + "角速度"@zh ; + dcterms:description "Angular Velocity refers to how fast an object rotates or revolves relative to another point."^^qudt:LatexString ; + qudt:applicableUnit unit:DEG-PER-HR, + unit:DEG-PER-MIN, + unit:DEG-PER-SEC, + unit:PlanckFrequency_Ang, + unit:RAD-PER-HR, + unit:RAD-PER-MIN, + unit:RAD-PER-SEC, + unit:REV-PER-HR, + unit:REV-PER-MIN, + unit:REV-PER-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_velocity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Angular_velocity"^^xsd:anyURI ; + qudt:plainTextDescription "The change of angle per unit time; specifically, in celestial mechanics, the change in angle of the radius vector per unit time." ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T1D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy . + +quantitykind:Conductivity a qudt:QuantityKind ; + rdfs:label "Conductivity"@en ; + dcterms:description "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity."^^rdf:HTML ; + qudt:applicableUnit unit:DeciS-PER-M, + unit:KiloS-PER-M, + unit:MegaS-PER-M, + unit:MicroS-PER-CentiM, + unit:MicroS-PER-M, + unit:MilliS-PER-CentiM, + unit:MilliS-PER-M, + unit:NanoS-PER-CentiM, + unit:NanoS-PER-M, + unit:PicoS-PER-M, + unit:S-PER-CentiM, + unit:S-PER-M ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-03"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{J} = \\sigma \\mathbf{E}\\), where \\(\\mathbf{J}\\) is electric current density, and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString, + "\\(\\sigma\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrentDensity, + quantitykind:ElectricFieldStrength . + +quantitykind:Viscosity a qudt:QuantityKind ; + rdfs:label "Viscosity"@en ; + dcterms:description "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE, + unit:KiloGM-PER-M-HR, + unit:KiloGM-PER-M-SEC, + unit:LB-PER-FT-HR, + unit:LB-PER-FT-SEC, + unit:LB_F-SEC-PER-FT2, + unit:LB_F-SEC-PER-IN2, + unit:MicroPOISE, + unit:MilliPA-SEC, + unit:PA-SEC, + unit:POISE, + unit:SLUG-PER-FT-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:DynamicViscosity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:plainTextDescription "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity." ; + rdfs:isDefinedBy . + +unit:CentiM-PER-HR a qudt:Unit ; + rdfs:label "Centimetre Per Hour"@en, + "Centimeter Per Hour"@en-us ; + dcterms:description "0,01-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA378" ; + qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the unit hour" ; + qudt:symbol "cm/hr" ; + qudt:ucumCode "cm.h-1"^^qudt:UCUMcs, + "cm/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H49" ; + rdfs:isDefinedBy . + +unit:CentiM-PER-KiloYR a qudt:Unit ; + rdfs:label "Centimetres per thousand years"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.168809e-13 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "cm/(1000 yr)" ; + qudt:ucumCode "cm.ka-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "centimetre per second"@en, + "centimeter per second"@en-us ; + dcterms:description "\"Centimeter per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(cm/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(cm/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA379" ; + qudt:latexDefinition "\\(cm/s\\)"^^qudt:LatexString ; + qudt:symbol "cm/s" ; + qudt:ucumCode "cm.s-1"^^qudt:UCUMcs, + "cm/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2M" ; + rdfs:isDefinedBy . + +unit:CentiM-PER-YR a qudt:Unit ; + rdfs:label "Centimetres per year"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000000000316880878140289 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "cm/yr" ; + qudt:ucumCode "cm.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-PER-DAY a qudt:Unit ; + rdfs:label "Foot per Day"@en ; + dcterms:description "\"Foot per Day\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/d\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 3.527778e-06 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft/d\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "ft/day" ; + qudt:ucumCode "[ft_i].d-1"^^qudt:UCUMcs, + "[ft_i]/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT-PER-HR a qudt:Unit ; + rdfs:label "Foot per Hour"@en ; + dcterms:description "\"Foot per Hour\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 8.466667e-05 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA442" ; + qudt:symbol "ft/hr" ; + qudt:ucumCode "[ft_i].h-1"^^qudt:UCUMcs, + "[ft_i]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K14" ; + rdfs:isDefinedBy . + +unit:FT-PER-MIN a qudt:Unit ; + rdfs:label "Foot per Minute"@en ; + dcterms:description "\"Foot per Minute\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/min\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00508 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA448" ; + qudt:symbol "ft/min" ; + qudt:ucumCode "[ft_i].min-1"^^qudt:UCUMcs, + "[ft_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FR" ; + rdfs:isDefinedBy . + +unit:FT-PER-SEC a qudt:Unit ; + rdfs:label "Foot per Second"@en ; + dcterms:description "\\(\\textit{foot per second}\\) (plural \\(\\textit{feet per second}\\)) is a unit of both speed (scalar) and velocity (vector quantity, which includes direction). It expresses the distance in feet (\\(ft\\)) traveled or displaced, divided by the time in seconds (\\(s\\), or \\(sec\\)). The corresponding unit in the International System of Units (SI) is the \\(\\textit{metre per second}\\). Abbreviations include \\(ft/s\\), \\(ft/sec\\) and \\(fps\\), and the rarely used scientific notation \\(ft\\,s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_per_second"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA449" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot_per_second?oldid=491316573"^^xsd:anyURI ; + qudt:symbol "ft/s" ; + qudt:ucumCode "[ft_i].s-1"^^qudt:UCUMcs, + "[ft_i]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FS" ; + rdfs:isDefinedBy . + +unit:IN-PER-MIN a qudt:Unit ; + rdfs:label "Inch per Minute"@en ; + dcterms:description "The inch per minute is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in minutes (min). The equivalent SI unit is the metre per second." ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.000423333333 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "in/," ; + qudt:ucumCode "[in_i].min-1"^^qudt:UCUMcs, + "[in_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M63" ; + rdfs:isDefinedBy . + +unit:KiloM-PER-DAY a qudt:Unit ; + rdfs:label "Kilometres per day"@en ; + dcterms:description "A change in location of a distance of one thousand metres in an elapsed time of one day (86400 seconds)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0115740740740741 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "kg/day" ; + qudt:ucumCode "km.d-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloM-PER-HR a qudt:Unit ; + rdfs:label "Kilometre per Hour"@en, + "Kilometer per Hour"@en-us ; + dcterms:description "\"Kilometer per Hour\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/hr\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.2777777777777778 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometres_per_hour"^^xsd:anyURI ; + qudt:expression "\\(km/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA638" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometres_per_hour?oldid=487674812"^^xsd:anyURI ; + qudt:symbol "km/hr" ; + qudt:ucumCode "km.h-1"^^qudt:UCUMcs, + "km/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMH" ; + rdfs:isDefinedBy . + +unit:KiloM-PER-SEC a qudt:Unit ; + rdfs:label "Kilometre per Second"@en, + "Kilometer per Second"@en-us ; + dcterms:description "\"Kilometer per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:expression "\\(km/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB392" ; + qudt:symbol "km/s" ; + qudt:ucumCode "km.s-1"^^qudt:UCUMcs, + "km/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M62" ; + rdfs:isDefinedBy . + +unit:M-PER-HR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre per Hour"@en, + "Meter per Hour"@en-us ; + dcterms:description "Metre per hour is a metric unit of both speed (scalar) and velocity (Vector (geometry)). Its symbol is m/h or mu00b7h-1 (not to be confused with the imperial unit symbol mph. By definition, an object travelling at a speed of 1 m/h for an hour would move 1 metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000277777778 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(m/h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB328" ; + qudt:symbol "m/h" ; + qudt:ucumCode "m.h-1"^^qudt:UCUMcs, + "m/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M60" ; + rdfs:isDefinedBy . + +unit:M-PER-MIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Metre per Minute"@en, + "Meter per Minute"@en-us ; + dcterms:description "Meter Per Minute (m/min) is a unit in the category of Velocity. It is also known as meter/minute, meters per minute, metre per minute, metres per minute. Meter Per Minute (m/min) has a dimension of LT-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m/s by multiplying its value by a factor of 0.016666666666"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0166666667 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:expression "\\(m/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA732" ; + qudt:symbol "m/min" ; + qudt:ucumCode "m.min-1"^^qudt:UCUMcs, + "m/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2X" ; + rdfs:isDefinedBy . + +unit:M-PER-YR a qudt:Unit ; + rdfs:label "Metres per year"@en ; + dcterms:description "A rate of change of SI standard unit length over a period of an average calendar year (365.25 days)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.168809e-08 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "m/yr" ; + qudt:ucumCode "m.a-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MI-PER-MIN a qudt:Unit ; + rdfs:label "Mile per Minute"@en ; + dcterms:description "Miles per minute is an imperial unit of speed expressing the number of statute miles covered in one minute."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 26.8224 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(mi/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB229" ; + qudt:symbol "mi/min" ; + qudt:ucumCode "[mi_i].min-1"^^qudt:UCUMcs, + "[mi_i]/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M57" ; + rdfs:isDefinedBy . + +unit:MI-PER-SEC a qudt:Unit ; + rdfs:label "Mile per Second"@en ; + dcterms:description "Miles per second is an imperial unit of speed expressing the number of statute miles covered in one second."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1609.344 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(mi/sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "mi/sec" ; + qudt:ucumCode "[mi_i].sec-1"^^qudt:UCUMcs, + "[mi_i]/sec"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MI_N-PER-MIN a qudt:Unit ; + rdfs:label "Nautical Mile per Minute"@en ; + dcterms:description """The SI derived unit for speed is the meter/second. +1 meter/second is equal to 0.0323974082073 nautical mile per minute. """^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:expression "\\(nmi/min\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "nmi/min" ; + qudt:ucumCode "[nmi_i].min-1"^^qudt:UCUMcs, + "[nmi_i]/min"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliM-PER-DAY a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "millimetres per day"@en, + "millimeters per day"@en-us ; + dcterms:description "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.15741e-08 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:informativeReference "https://www.wmo.int/pages/prog/www/IMOP/CIMO-Guide.html"^^xsd:anyURI ; + qudt:plainTextDescription "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)" ; + qudt:symbol "mm/day" ; + qudt:ucumCode "mm.d-1"^^qudt:UCUMcs, + "mm/d"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliM-PER-HR a qudt:Unit ; + rdfs:label "Millimetre Per Hour"@en, + "Millimeter Per Hour"@en-us ; + dcterms:description "0001-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 2.777778e-07 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA866" ; + qudt:plainTextDescription "0001-fold of the SI base unit metre divided by the unit hour" ; + qudt:symbol "mm/hr" ; + qudt:ucumCode "mm.h-1"^^qudt:UCUMcs, + "mm/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H67" ; + rdfs:isDefinedBy . + +unit:MilliM-PER-MIN a qudt:Unit ; + rdfs:label "Millimetre Per Minute"@en, + "Millimeter Per Minute"@en-us ; + dcterms:description "0.001-fold of the SI base unit metre divided by the unit minute"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.666667e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB378" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit minute" ; + qudt:symbol "mm/min" ; + qudt:ucumCode "mm.min-1"^^qudt:UCUMcs, + "mm/min"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H81" ; + rdfs:isDefinedBy . + +unit:MilliM-PER-SEC a qudt:Unit ; + rdfs:label "Millimetre Per Second"@en, + "Millimeter Per Second"@en-us ; + dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA867" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit second" ; + qudt:symbol "mm/s" ; + qudt:ucumCode "mm.s-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C16" ; + rdfs:isDefinedBy . + +unit:MilliM-PER-YR a qudt:Unit ; + rdfs:label "Millimetre Per Year"@en, + "Millimeter Per Year"@en-us ; + dcterms:description "0.001-fold of the SI base unit metre divided by the unit year"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.71e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA868" ; + qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit year" ; + qudt:symbol "mm/yr" ; + qudt:ucumCode "mm.a-1"^^qudt:UCUMcs, + "mm/a"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H66" ; + rdfs:isDefinedBy . + +unit:PlanckTemperature a qudt:Unit ; + rdfs:label "PlanckTemperature"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.416784e+32 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature, + quantitykind:ThermodynamicTemperature ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:symbol "plancktemperature" ; + rdfs:isDefinedBy . + +s223:Electricity-DC a s223:Class, + s223:Electricity-DC, + sh:NodeShape ; + rdfs:label "Electricity DC" ; + s223:hasVoltage s223:Numerical-Voltage ; + rdfs:comment "This class has enumerated instances of all DC forms of electricity." ; + rdfs:subClassOf s223:Medium-Electricity ; + sh:property [ rdfs:comment "An electricity DC medium must have two reference voltages." ; + sh:minCount 1 ; + sh:or ( [ sh:class s223:Numerical-DCVoltage ] [ sh:class s223:Numerical-Voltage ] ) ; + sh:path s223:hasVoltage ] . + +s223:EnumerationKind-Domain a s223:Class, + s223:EnumerationKind-Domain, + sh:NodeShape ; + rdfs:label "EnumerationKind Domain" ; + rdfs:comment "A Domain represents a categorization of building services or specialization used to characterize equipment or spaces in a building. Example domains include HVAC, Lighting, and Plumbing." ; + rdfs:subClassOf s223:EnumerationKind . + +qkdv:A0E-1L0I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L0I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MagneticFluxDensity ; + qudt:latexDefinition "\\(M T^-2 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:AmountOfSubstanceConcentration a qudt:QuantityKind ; + rdfs:label "Amount of Substance of Concentration"@en ; + dcterms:description "\"Amount of Substance of Concentration\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-L, + unit:FemtoMOL-PER-L, + unit:KiloMOL-PER-M3, + unit:MOL-PER-DeciM3, + unit:MOL-PER-L, + unit:MOL-PER-M3, + unit:MicroMOL-PER-L, + unit:MilliMOL-PER-L, + unit:MilliMOL-PER-M3, + unit:NanoMOL-PER-L, + unit:PicoMOL-PER-L, + unit:PicoMOL-PER-M3 ; + qudt:exactMatch quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; + qudt:symbol "C_B" ; + rdfs:isDefinedBy . + +quantitykind:AmountOfSubstancePerUnitMass a qudt:QuantityKind ; + rdfs:label "Amount of Substance per Unit Mass"@en ; + qudt:applicableUnit unit:CentiMOL-PER-KiloGM, + unit:FemtoMOL-PER-KiloGM, + unit:IU-PER-MilliGM, + unit:KiloMOL-PER-KiloGM, + unit:MOL-PER-KiloGM, + unit:MOL-PER-TONNE, + unit:MicroMOL-PER-GM, + unit:MicroMOL-PER-KiloGM, + unit:MilliMOL-PER-GM, + unit:MilliMOL-PER-KiloGM, + unit:NanoMOL-PER-KiloGM, + unit:PicoMOL-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; + vaem:todo "fix the numerator and denominator dimensions" ; + rdfs:isDefinedBy . + +quantitykind:ElectricChargePerArea a qudt:QuantityKind ; + rdfs:label "Electric charge per area"@en ; + dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:C-PER-CentiM2, + unit:C-PER-M2, + unit:C-PER-MilliM2, + unit:C_Ab-PER-CentiM2, + unit:C_Stat-PER-CentiM2, + unit:KiloC-PER-M2, + unit:MegaC-PER-M2, + unit:MicroC-PER-M2, + unit:MilliC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ForcePerLength a qudt:QuantityKind ; + rdfs:label "Force per Length"@en ; + qudt:applicableUnit unit:DYN-PER-CentiM, + unit:KiloGM_F-M-PER-CentiM2, + unit:KiloLB_F-PER-FT, + unit:LB_F-PER-FT, + unit:LB_F-PER-IN, + unit:MilliN-PER-M, + unit:N-M-PER-M2, + unit:N-PER-CentiM, + unit:N-PER-M, + unit:N-PER-MilliM, + unit:PicoPA-PER-KiloM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:LinearAcceleration a qudt:QuantityKind ; + rdfs:label "Linear Acceleration"@en ; + qudt:applicableUnit unit:CentiM-PER-SEC2, + unit:FT-PER-SEC2, + unit:G, + unit:GALILEO, + unit:IN-PER-SEC2, + unit:KN-PER-SEC, + unit:KiloPA-M2-PER-GM, + unit:M-PER-SEC2, + unit:MicroG, + unit:MilliG, + unit:MilliGAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Acceleration ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + rdfs:isDefinedBy . + +quantitykind:MassRatio a qudt:QuantityKind ; + rdfs:label "Mass Ratio"@en ; + dcterms:description "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)"^^rdf:HTML ; + qudt:applicableUnit unit:FemtoGM-PER-KiloGM, + unit:GM-PER-GM, + unit:GM-PER-KiloGM, + unit:KiloGM-PER-KiloGM, + unit:MicroGM-PER-GM, + unit:MicroGM-PER-KiloGM, + unit:MilliGM-PER-GM, + unit:MilliGM-PER-KiloGM, + unit:NanoGM-PER-KiloGM, + unit:PicoGM-PER-GM, + unit:PicoGM-PER-KiloGM ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:plainTextDescription "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)" ; + qudt:symbol "R or M_{R}" ; + rdfs:isDefinedBy . + +quantitykind:ModulusOfElasticity a qudt:QuantityKind ; + rdfs:label "Modulus of Elasticity"@en ; + dcterms:description "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it."^^rdf:HTML ; + qudt:applicableUnit unit:DecaPA, + unit:GigaPA, + unit:HectoPA, + unit:KIP_F-PER-IN2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:LB_F-PER-IN2, + unit:MegaPA, + unit:MegaPSI, + unit:MicroPA, + unit:MilliPA, + unit:PA, + unit:PSI, + unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Elastic_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(E = \\frac{\\sigma}{\\varepsilon}\\), where \\(\\sigma\\) is the normal stress and \\(\\varepsilon\\) is the linear strain."^^qudt:LatexString ; + qudt:plainTextDescription "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it." ; + qudt:symbol "E" ; + rdfs:isDefinedBy . + +quantitykind:PlaneAngle a qudt:QuantityKind ; + rdfs:label "الزاوية النصف قطرية"@ar, + "Равнинен ъгъл"@bg, + "Rovinný úhel"@cs, + "ebener Winkel"@de, + "Επίπεδη γωνία"@el, + "plane angle"@en, + "ángulo plano"@es, + "زاویه مستوی"@fa, + "angle plan"@fr, + "זווית"@he, + "क्षेत्र"@hi, + "szög"@hu, + "angolo piano"@it, + "弧度"@ja, + "angulus planus"@la, + "Sudut satah"@ms, + "kąt płaski"@pl, + "medida angular"@pt, + "unghi plan"@ro, + "Плоский угол"@ru, + "ravninski kot"@sl, + "düzlemsel açı"@tr, + "角度"@zh ; + dcterms:description "The inclination to each other of two intersecting lines, measured by the arc of a circle intercepted between the two lines forming the angle, the center of the circle being the point of intersection. An acute angle is less than \\(90^\\circ\\), a right angle \\(90^\\circ\\); an obtuse angle, more than \\(90^\\circ\\) but less than \\(180^\\circ\\); a straight angle, \\(180^\\circ\\); a reflex angle, more than \\(180^\\circ\\) but less than \\(360^\\circ\\); a perigon, \\(360^\\circ\\). Any angle not a multiple of \\(90^\\circ\\) is an oblique angle. If the sum of two angles is \\(90^\\circ\\), they are complementary angles; if \\(180^\\circ\\), supplementary angles; if \\(360^\\circ\\), explementary angles."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Plane_angle"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Angle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; + qudt:plainTextDescription "An angle formed by two straight lines (in the same plane) angle - the space between two lines or planes that intersect; the inclination of one line to another; measured in degrees or radians" ; + qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Angle . + +quantitykind:ShearModulus a qudt:QuantityKind ; + rdfs:label "Shear Modulus"@en ; + dcterms:description "The Shear Modulus or modulus of rigidity, denoted by \\(G\\), or sometimes \\(S\\) or \\(\\mu\\), is defined as the ratio of shear stress to the shear strain."^^qudt:LatexString ; + qudt:applicableUnit unit:DecaPA, + unit:GigaPA, + unit:HectoPA, + unit:KIP_F-PER-IN2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:LB_F-PER-IN2, + unit:MegaPA, + unit:MegaPSI, + unit:MicroPA, + unit:MilliPA, + unit:PA, + unit:PSI, + unit:PicoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Shear_modulus"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(G = \\frac{\\tau}{\\gamma}\\), where \\(\\tau\\) is the shear stress and \\(\\gamma\\) is the shear strain."^^qudt:LatexString ; + qudt:symbol "G" ; + rdfs:isDefinedBy . + +unit:AC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Acre"@en ; + dcterms:description "The acre is a unit of area in a number of different systems, including the imperial and U.S. customary systems. Its international symbol is ac. The most commonly used acres today are the international acre and, in the United States, the survey acre. The most common use of the acre is to measure tracts of land. One international acre is equal to 4046.8564224 square metres."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4046.8564224 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAA320" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acre?oldid=495387342"^^xsd:anyURI ; + qudt:symbol "acre" ; + qudt:ucumCode "[acr_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ACR" ; + rdfs:isDefinedBy ; + skos:altLabel "acre" . + +unit:ARE a qudt:Unit ; + rdfs:label "are"@en ; + dcterms:description "An 'are' is a unit of area equal to 0.02471 acre and 100 centare."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB048" ; + qudt:informativeReference "http://www.anidatech.com/units.html"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "a" ; + qudt:ucumCode "ar"^^qudt:UCUMcs ; + qudt:udunitsCode "a" ; + qudt:uneceCommonCode "ARE" ; + rdfs:isDefinedBy . + +unit:BARN a qudt:Unit ; + rdfs:label "Barn"@en ; + dcterms:description "A barn (symbol b) is a unit of area. Originally used in nuclear physics for expressing the cross sectional area of nuclei and nuclear reactions, today it is used in all fields of high energy physics to express the cross sections of any scattering process, and is best understood as a measure of the probability of interaction between small particles. A barn is defined as \\(10^{-28} m^2 (100 fm^2)\\) and is approximately the cross sectional area of a uranium nucleus. The barn is also the unit of area used in nuclear quadrupole resonance and nuclear magnetic resonance to quantify the interaction of a nucleus with an electric field gradient. While the barn is not an SI unit, it is accepted for use with the SI due to its continued use in particle physics."^^qudt:LatexString ; + qudt:conversionMultiplier 1e-28 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barn"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB297" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barn?oldid=492907677"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Barn_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "b" ; + qudt:ucumCode "b"^^qudt:UCUMcs ; + qudt:udunitsCode "b" ; + qudt:uneceCommonCode "A14" ; + rdfs:isDefinedBy . + +unit:DecaARE a qudt:Unit ; + rdfs:label "Decare"@en ; + dcterms:description "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB049" ; + qudt:plainTextDescription "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a" ; + qudt:symbol "daa" ; + qudt:ucumCode "daar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DAA" ; + rdfs:isDefinedBy . + +unit:HA a qudt:Unit ; + rdfs:label "Hectare"@en ; + dcterms:description "The customary metric unit of land area, equal to 100 ares. One hectare is a square hectometer, that is, the area of a square 100 meters on each side: exactly 10 000 square meters or approximately 107 639.1 square feet, 11 959.9 square yards, or 2.471 054 acres."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hectare"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAA532" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hectare?oldid=494256954"^^xsd:anyURI ; + qudt:symbol "ha" ; + qudt:ucumCode "har"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HAR" ; + rdfs:isDefinedBy . + +unit:IN-PER-SEC a qudt:Unit ; + rdfs:label "Inch per Second"@en ; + dcterms:description "The inch per second is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in seconds (s, or sec). The equivalent SI unit is the metre per second. Abbreviations include in/s, in/sec, ips, and less frequently in s."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in-per-sec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:PropellantBurnRate, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA542" ; + qudt:symbol "in/s" ; + qudt:ucumCode "[in_i].s-1"^^qudt:UCUMcs, + "[in_i]/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "IU" ; + rdfs:isDefinedBy . + +unit:KN a qudt:Unit ; + rdfs:label "Knot"@en ; + dcterms:description "The knot (pronounced 'not') is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation \\(kn\\) is preferred by the International Hydrographic Organization (IHO), which includes every major sea-faring nation; however, the abbreviations kt (singular) and kts (plural) are also widely used. However, use of the abbreviation kt for knot conflicts with the SI symbol for kilotonne. The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation - for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. Etymologically, the term knot derives from counting the number of knots in the line that unspooled from the reel of a chip log in a specific time."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.5144444444444445 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Knot"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:MI_N-PER-HR ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB110" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Knot?oldid=495066194"^^xsd:anyURI ; + qudt:symbol "kn" ; + qudt:ucumCode "[kn_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "kt" ; + qudt:uneceCommonCode "KNT" ; + rdfs:isDefinedBy ; + skos:altLabel "kt", + "kts" . + +unit:MI-PER-HR a qudt:Unit ; + rdfs:label "Mile per Hour"@en ; + dcterms:description "Miles per hour is an imperial unit of speed expressing the number of statute miles covered in one hour. It is currently the standard unit used for speed limits, and to express speeds generally, on roads in the United Kingdom and the United States. A common abbreviation is mph or MPH."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.44704 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Miles_per_hour"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(mi/hr\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAB111" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Miles_per_hour?oldid=482840548"^^xsd:anyURI ; + qudt:symbol "mi/hr" ; + qudt:ucumCode "[mi_i].h-1"^^qudt:UCUMcs, + "[mi_i]/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HM" ; + rdfs:isDefinedBy . + +unit:MI2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Mile"@en ; + dcterms:description "The square mile (abbreviated as sq mi and sometimes as mi) is an imperial and US unit of measure for an area equal to the area of a square of one statute mile. It should not be confused with miles square, which refers to the number of miles on each side squared. For instance, 20 miles square (20 × 20 miles) is equal to 400 square miles. One square mile is equivalent to: 4,014,489,600 square inches 27,878,400 square feet, 3,097,600 square yards, 640 acres, 258.9988110336 hectares, 2560 roods, 25,899,881,103.36 square centimetres, 2,589,988.110336 square metres, 2.589988110336 square kilometres When applied to a portion of the earth's surface, which is curved rather than flat, 'square mile' is an informal synonym for section."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2.589988e+06 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(square-mile\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB050" ; + qudt:symbol "mi²" ; + qudt:ucumCode "[mi_i]2"^^qudt:UCUMcs, + "[mi_us]2"^^qudt:UCUMcs, + "[smi_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MIK" ; + rdfs:isDefinedBy . + +unit:MI_N-PER-HR a qudt:Unit ; + rdfs:label "Nautical Mile per Hour"@en ; + dcterms:description "The knot is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation kn is preferred by the International Hydrographic Organization (IHO), which includes every major seafaring nation; but the abbreviations kt (singular) and kts (plural) are also widely used conflicting with the SI symbol for kilotonne which is also \"kt\". The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation-for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. "^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.514444 ; + qudt:exactMatch unit:KN ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:LinearVelocity, + quantitykind:Velocity ; + qudt:symbol "nmi/hr" ; + qudt:ucumCode "[nmi_i].h-1"^^qudt:UCUMcs, + "[nmi_i]/h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PlanckArea a qudt:Unit ; + rdfs:label "Planck Area"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.61223e-71 ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:symbol "planckarea" ; + rdfs:isDefinedBy . + +unit:YD2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Yard"@en ; + dcterms:description "The square yard is an imperial/US customary unit of area, formerly used in most of the English-speaking world but now generally replaced by the square metre outside of the U.S. , Canada and the U.K. It is defined as the area of a square with sides of one yard in length. (Gaj in Hindi)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.83612736 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(yd^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area ; + qudt:iec61360Code "0112/2///62720#UAB034" ; + qudt:symbol "sqyd" ; + qudt:ucumCode "[syd_i]"^^qudt:UCUMcs, + "[yd_i]2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "YDK" ; + rdfs:isDefinedBy . + +s223:Concept a s223:Class, + sh:NodeShape ; + rdfs:label "Concept" ; + s223:abstract true ; + rdfs:comment "All classes defined in the 223 standard are subclasses of s223:Concept." ; + rdfs:subClassOf rdfs:Resource ; + sh:property [ rdfs:comment "If the relation hasProperty is present, it must associate the concept with a Property." ; + sh:class s223:Property ; + sh:path s223:hasProperty ], + [ rdfs:comment "A Concept must be associated with at least one label using the relation label." ; + sh:minCount 1 ; + sh:path rdfs:label ; + sh:severity sh:Warning ] ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Flag entities that have a hasMedium value which is incompatible with the ofMedium value of an associated Property." ; + sh:message "{$this} hasMedium of {?m1}, but is associated with property {?prop} that has ofMedium of {?m2}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?m1 ?prop ?m2 +WHERE { +$this s223:hasMedium ?m1 . +$this ?p ?prop . +?prop a/rdfs:subClassOf* s223:Property . +?prop s223:ofMedium ?m2 . +FILTER (?m1 != ?m2 ) . +FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . +FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . +} +""" ], + [ a sh:SPARQLConstraint ; + rdfs:comment "Ensure that any instance that is declared to be an instance of an abstract class must also be declared an instance of at least one subClass of that abstract class" ; + sh:message "{$this} cannot be declared an instance of only abstract class {?class}." ; + sh:prefixes ; + sh:select """ +SELECT DISTINCT $this ?class +WHERE { +?class s223:abstract true . +$this a ?class . +OPTIONAL { +?otherClass rdfs:subClassOf+ ?class . +$this a ?otherClass . +FILTER (?class != ?otherClass) . +} +FILTER (!bound (?otherClass)) . +} +""" ] . + +s223:cnx a s223:SymmetricProperty ; + rdfs:label "cnx" ; + rdfs:comment "The cnx relation is a symmetric property used to associate adjacent entities in a connection path (comprised of Equipment-ConnectionPoint-Connection-ConnectionPoint-Equipment sequences)." . + +qkdv:A0E0L-1I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:DynamicViscosity ; + qudt:latexDefinition "\\(L^-1 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ForcePerAreaTime ; + qudt:latexDefinition "\\(L^-1 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H1T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H1T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime ; + qudt:latexDefinition "\\(T^-1 Θ\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M-1H0T2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M-1H0T2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:InversePressure ; + qudt:latexDefinition "\\(L T^2 M^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AngularMomentum ; + qudt:latexDefinition "\\(L^2 M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MomentOfInertia ; + qudt:latexDefinition "\\(L^2 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M-1H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M-1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; + qudt:latexDefinition "\\(M^-1 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Kilo a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Kilo"@en ; + dcterms:description "\"kilo\" is a decimal prefix for expressing a value with a scaling of \\(10^{3}\"\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilo"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilo?oldid=461428121"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+03 ; + qudt:symbol "k" ; + qudt:ucumCode "k" ; + rdfs:isDefinedBy . + +quantitykind:Acceleration a qudt:QuantityKind ; + rdfs:label "التسارع"@ar, + "Zrychlení"@cs, + "Beschleunigung"@de, + "Όγκος"@el, + "acceleration"@en, + "aceleración"@es, + "شتاب"@fa, + "accélération"@fr, + "त्वरण"@hi, + "accelerazione"@it, + "加速度"@ja, + "acceleratio"@la, + "Pecutan"@ms, + "przyspieszenie"@pl, + "aceleração"@pt, + "accelerație"@ro, + "Ускоре́ние"@ru, + "pospešek"@sl, + "ivme"@tr, + "加速度"@zh ; + dcterms:description "Acceleration is the (instantaneous) rate of change of velocity. Acceleration may be either linear acceleration, or angular acceleration. It is a vector quantity with dimension \\(length/time^{2}\\) for linear acceleration, or in the case of angular acceleration, with dimension \\(angle/time^{2}\\). In SI units, linear acceleration is measured in \\(meters/second^{2}\\) (\\(m \\cdot s^{-2}\\)) and angular acceleration is measured in \\(radians/second^{2}\\). In physics, any increase or decrease in speed is referred to as acceleration and similarly, motion in a circle at constant speed is also an acceleration, since the direction component of the velocity is changing."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-SEC2, + unit:FT-PER-SEC2, + unit:G, + unit:GALILEO, + unit:IN-PER-SEC2, + unit:KN-PER-SEC, + unit:KiloPA-M2-PER-GM, + unit:M-PER-SEC2, + unit:MicroG, + unit:MilliG, + unit:MilliGAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearAcceleration ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Acceleration"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:ElectricChargePerMass a qudt:QuantityKind ; + rdfs:label "Electric Charge Per Mass"@en ; + dcterms:description "\"Electric Charge Per Mass\" is the charge associated with a specific mass of a substance. In the SI and ISO systems this is \\(1 kg\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-M2-PER-J-SEC, + unit:C-PER-KiloGM, + unit:HZ-PER-T, + unit:KiloR, + unit:MegaHZ-PER-T, + unit:MilliC-PER-KiloGM, + unit:MilliR, + unit:PER-T-SEC, + unit:R ; + qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; + rdfs:isDefinedBy . + +quantitykind:MolarMass a qudt:QuantityKind ; + rdfs:label "كتلة مولية"@ar, + "Molární hmotnost"@cs, + "Molmasse"@de, + "molare Masse"@de, + "stoffmengenbezogene Masse"@de, + "molar mass"@en, + "masa molar"@es, + "جرم مولی"@fa, + "masse molaire"@fr, + "मोलर द्रव्यमान"@hi, + "massa molare"@it, + "モル質量"@ja, + "Jisim molar"@ms, + "Masa molowa"@pl, + "massa molar"@pt, + "Masă molară"@ro, + "Молярная масса"@ru, + "molska masa"@sl, + "molar kütle"@tr, + "摩尔质量"@zh ; + dcterms:description "In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:GM-PER-MOL, + unit:KiloGM-PER-KiloMOL, + unit:KiloGM-PER-MOL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_mass"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:symbol "M" ; + rdfs:isDefinedBy . + +quantitykind:MomentOfForce a qudt:QuantityKind ; + rdfs:label "Moment of Force"@en ; + dcterms:description "Moment of force (often just moment) is the tendency of a force to twist or rotate an object."^^rdf:HTML ; + qudt:applicableUnit unit:CentiN-M, + unit:DYN-CentiM, + unit:DeciN-M, + unit:KiloGM_F-M, + unit:KiloN-M, + unit:LB_F-FT, + unit:LB_F-IN, + unit:MegaN-M, + unit:MicroN-M, + unit:MilliN-M, + unit:N-CentiM, + unit:N-M, + unit:OZ_F-IN ; + qudt:exactMatch quantitykind:Torque ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_(physics)"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(M = r \\cdot F\\), where \\(r\\) is the position vector and \\(F\\) is the force."^^qudt:LatexString ; + qudt:plainTextDescription "Moment of force (often just moment) is the tendency of a force to twist or rotate an object." ; + qudt:symbol "M" ; + rdfs:isDefinedBy . + +quantitykind:Permittivity a qudt:QuantityKind ; + rdfs:label "Permittivity"@en ; + dcterms:description "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued."^^rdf:HTML ; + qudt:applicableUnit unit:FARAD-PER-KiloM, + unit:FARAD-PER-M, + unit:FARAD_Ab-PER-CentiM, + unit:MicroFARAD-PER-KiloM, + unit:MicroFARAD-PER-M, + unit:NanoFARAD-PER-M, + unit:PicoFARAD-PER-M ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Permittivity?oldid=494094133"^^xsd:anyURI, + "http://maxwells-equations.com/materials/permittivity.php"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\epsilon = \\frac{D}{E}\\), where \\(D\\) is electric flux density and \\(E\\) is electric field strength."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued." ; + rdfs:isDefinedBy . + +quantitykind:TemperaturePerTime a qudt:QuantityKind ; + rdfs:label "Temperature per Time"@en ; + qudt:applicableUnit unit:DEG_C-PER-HR, + unit:DEG_C-PER-MIN, + unit:DEG_C-PER-SEC, + unit:DEG_C-PER-YR, + unit:DEG_F-PER-HR, + unit:DEG_F-PER-MIN, + unit:DEG_F-PER-SEC, + unit:DEG_R-PER-HR, + unit:DEG_R-PER-MIN, + unit:DEG_R-PER-SEC, + unit:K-PER-HR, + unit:K-PER-MIN, + unit:K-PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; + rdfs:isDefinedBy . + +unit:CentiM2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Centimetre"@en, + "Square Centimeter"@en-us ; + dcterms:description "A unit of area equal to that of a square, of sides 1cm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(sqcm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA384" ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cm²" ; + qudt:ucumCode "cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CMK" ; + rdfs:isDefinedBy . + +unit:DeciM2 a qudt:Unit ; + rdfs:label "Square Decimetre"@en, + "Square Decimeter"@en-us ; + dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA413" ; + qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dm²" ; + qudt:ucumCode "dm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMK" ; + rdfs:isDefinedBy . + +unit:FT2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Foot"@en ; + dcterms:description "The square foot (plural square feet; abbreviated \\(ft^2\\) or \\(sq \\, ft\\)) is an imperial unit and U.S. customary unit of area, used mainly in the United States, Canada, United Kingdom, Hong Kong, Bangladesh, India, Pakistan and Afghanistan. It is defined as the area of a square with sides of 1 foot in length."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.09290304 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA454" ; + qudt:symbol "ft²" ; + qudt:ucumCode "[ft_i]2"^^qudt:UCUMcs, + "[sft_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "FTK" ; + rdfs:isDefinedBy . + +unit:IN2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Square Inch"@en ; + dcterms:description "A square inch is a unit of area, equal to the area of a square with sides of one inch. The following symbols are used to denote square inches: square in, sq inches, sq inch, sq in inches/-2, inch/-2, in/-2, inches^2, \\(inch^2\\), \\(in^2\\), \\(inches^2\\), \\(inch^2\\), \\(in^2\\) or in some cases \\(\"^2\\). The square inch is a common unit of measurement in the United States and the United Kingdom."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.00064516 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA547" ; + qudt:symbol "in²" ; + qudt:ucumCode "[in_i]2"^^qudt:UCUMcs, + "[sin_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "INK" ; + rdfs:isDefinedBy . + +unit:J-PER-T a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "جول لكل تسلا"@ar, + "joule na tesla"@cs, + "Joule je Tesla"@de, + "joule per tesla"@en, + "julio por tesla"@es, + "ژول بر تسلا"@fa, + "joule par tesla"@fr, + "जूल प्रति टैस्ला"@hi, + "joule al tesla"@it, + "ジュール毎立方メートル"@ja, + "joule per tesla"@ms, + "dżul na tesla"@pl, + "joule por tesla"@pt, + "joule pe tesla"@ro, + "джоуль на тесла"@ru, + "joule bölü tesla"@tr, + "焦耳每特斯拉"@zh ; + dcterms:description "The magnetic moment of a magnet is a quantity that determines the force that the magnet can exert on electric currents and the torque that a magnetic field will exert on it. A loop of electric current, a bar magnet, an electron, a molecule, and a planet all have magnetic moments. The unit for magnetic moment is not a base unit in the International System of Units (SI) and it can be represented in more than one way. For example, in the current loop definition, the area is measured in square meters and I is measured in amperes, so the magnetic moment is measured in ampere-square meters (A m2). In the equation for torque on a moment, the torque is measured in joules and the magnetic field in tesla, so the moment is measured in Joules per Tesla (J u00b7T-1). These two representations are equivalent: 1 A u00b7m2 = 1 J u00b7T-1. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(j-per-t\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:MagneticAreaMoment, + quantitykind:MagneticMoment ; + qudt:iec61360Code "0112/2///62720#UAB336" ; + qudt:symbol "J/T" ; + qudt:ucumCode "J.T-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "Q10" ; + rdfs:isDefinedBy . + +unit:MIL_Circ a qudt:Unit ; + rdfs:label "Circular Mil"@en ; + dcterms:description "A circular mil is a unit of area, equal to the area of a circle with a diameter of one mil (one thousandth of an inch). It is a convenient unit for referring to the area of a wire with a circular cross section, because the area in circular mils can be calculated without reference to pi (\\(\\pi\\)). The area in circular mils, A, of a circle with a diameter of d mils, is given by the formula: Electricians in Canada and the United States are familiar with the circular mil because the National Electrical Code (NEC) uses the circular mil to define wire sizes larger than 0000 AWG. In many NEC publications and uses, large wires may be expressed in thousands of circular mils, which is abbreviated in two different ways: MCM or kcmil. For example, one common wire size used in the NEC has a cross-section of 250,000 circular mils, written as 250 kcmil or 250 MCM, which is the first size larger than 0000 AWG used within the NEC. "^^qudt:LatexString ; + qudt:conversionMultiplier 5.067075e-10 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAB207" ; + qudt:omUnit ; + qudt:symbol "cmil" ; + qudt:ucumCode "[cml_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M47" ; + rdfs:isDefinedBy . + +unit:MicroM2 a qudt:Unit ; + rdfs:label "Square Micrometre"@en, + "Square Micrometer"@en-us ; + dcterms:description "0.000000000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA092" ; + qudt:plainTextDescription "0.000000000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μm²" ; + qudt:ucumCode "um2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H30" ; + rdfs:isDefinedBy . + +unit:MilliM2 a qudt:Unit ; + rdfs:label "Square Millimetre"@en, + "Square Millimeter"@en-us ; + dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability ; + qudt:iec61360Code "0112/2///62720#UAA871" ; + qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mm²" ; + qudt:ucumCode "mm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMK" ; + rdfs:isDefinedBy . + +s223:hasRole a rdf:Property ; + rdfs:label "hasRole" ; + rdfs:comment "The relation hasRole is used to indicate the role of an Equipment, Connection, ConnectionPoint, or System within a building (e.g., a heating coil will be associated with Role-Heating). Possible values are defined in EnumerationKind-Role (see `s223:EnumerationKind-Role`)." . + +qkdv:A0E-1L1I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L1I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricFieldStrength ; + qudt:latexDefinition "\\(L M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-2I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-2I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerArea ; + qudt:latexDefinition "\\(L^-2 T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:AmountOfSubstancePerUnitVolume a qudt:QuantityKind ; + rdfs:label "Amount of Substance per Unit Volume"@en ; + dcterms:description "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure."^^rdf:HTML ; + qudt:applicableUnit unit:CentiMOL-PER-L, + unit:FemtoMOL-PER-L, + unit:KiloMOL-PER-M3, + unit:MOL-PER-DeciM3, + unit:MOL-PER-L, + unit:MOL-PER-M3, + unit:MicroMOL-PER-L, + unit:MilliMOL-PER-L, + unit:MilliMOL-PER-M3, + unit:NanoMOL-PER-L, + unit:PicoMOL-PER-L, + unit:PicoMOL-PER-M3 ; + qudt:exactMatch quantitykind:AmountOfSubstanceConcentration ; + qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://www.ask.com/answers/72367781/what-is-defined-as-the-amount-of-substance-per-unit-of-volume"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; + qudt:plainTextDescription "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Concentration . + +quantitykind:DynamicViscosity a qudt:QuantityKind ; + rdfs:label "لزوجة"@ar, + "viskozita"@cs, + "dynamische Viskosität"@de, + "dynamic viscosity"@en, + "viscosidad dinámica"@es, + "گرانروی دینامیکی/ویسکوزیته دینامیکی"@fa, + "viscosité dynamique"@fr, + "श्यानता"@hi, + "viscosità di taglio"@it, + "viscosità dinamica"@it, + "粘度"@ja, + "Kelikatan dinamik"@ms, + "lepkość dynamiczna"@pl, + "viscosidade dinâmica"@pt, + "Viscozitate dinamică"@ro, + "динамическую вязкость"@ru, + "dinamična viskoznost"@sl, + "dinamik akmazlık"@tr, + "动力粘度"@zh ; + dcterms:description "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE, + unit:KiloGM-PER-M-HR, + unit:KiloGM-PER-M-SEC, + unit:LB-PER-FT-HR, + unit:LB-PER-FT-SEC, + unit:LB_F-SEC-PER-FT2, + unit:LB_F-SEC-PER-IN2, + unit:MicroPOISE, + unit:MilliPA-SEC, + unit:PA-SEC, + unit:POISE, + unit:SLUG-PER-FT-SEC ; + qudt:exactMatch quantitykind:Viscosity ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; + qudt:informativeReference "http://dictionary.reference.com/browse/dynamic+viscosity"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau_{xz} = \\eta\\frac{dv_x}{dz}\\), where \\(\\tau_{xz}\\) is shear stress in a fluid moving with a velocity gradient \\(\\frac{dv_x}{dz}\\) perpendicular to the plane of shear. "^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:plainTextDescription "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:KinematicViscosity, + quantitykind:MolecularViscosity . + +quantitykind:MassPerAreaTime a qudt:QuantityKind ; + rdfs:label "Mass per Area Time"@en ; + dcterms:description "In Physics and Engineering, mass flux is the rate of mass flow per unit area. The common symbols are \\(j\\), \\(J\\), \\(\\phi\\), or \\(\\Phi\\) (Greek lower or capital Phi), sometimes with subscript \\(m\\) to indicate mass is the flowing quantity. Its SI units are \\( kg s^{-1} m^{-2}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DYN-SEC-PER-CentiM3, + unit:GM-PER-CentiM2-YR, + unit:GM-PER-M2-DAY, + unit:GM_Carbon-PER-M2-DAY, + unit:GM_Nitrogen-PER-M2-DAY, + unit:KiloGM-PER-M2-SEC, + unit:KiloGM-PER-SEC-M2, + unit:MicroGM-PER-M2-DAY, + unit:MilliGM-PER-M2-DAY, + unit:MilliGM-PER-M2-HR, + unit:MilliGM-PER-M2-SEC, + unit:TONNE-PER-HA-YR ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flux"^^xsd:anyURI ; + qudt:latexSymbol "\\(j_m = \\lim\\limits_{A \\rightarrow 0}\\frac{I_m}{A}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:NumberDensity a qudt:QuantityKind ; + rdfs:label "Number Density"@en ; + dcterms:description "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space."^^rdf:HTML ; + qudt:applicableUnit unit:NUM-PER-L, + unit:NUM-PER-M3, + unit:NUM-PER-MicroL, + unit:NUM-PER-MilliM3, + unit:NUM-PER-NanoL, + unit:NUM-PER-PicoL, + unit:PER-M3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Number_density"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Number_density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles and \\(V\\) is volume."^^qudt:LatexString ; + qudt:plainTextDescription "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space." ; + qudt:symbol "n" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseVolume . + +quantitykind:Torque a qudt:QuantityKind ; + rdfs:label "عزم محورى"@ar, + "Drillmoment"@de, + "Torsionmoment"@de, + "torque"@en, + "momento de torsión"@es, + "par"@es, + "couple"@fr, + "moment de torsion"@fr, + "coppia"@it, + "momento torcente"@it, + "トルク"@ja, + "moment obrotowy"@pl, + "binârio"@pt, + "momento de torção"@pt, + "转矩"@zh ; + dcterms:description """In physics, a torque (\\(\\tau\\)) is a vector that measures the tendency of a force to rotate an object about some axis. The magnitude of a torque is defined as force times its lever arm. Just as a force is a push or a pull, a torque can be thought of as a twist. The SI unit for torque is newton meters (\\(N m\\)). In U.S. customary units, it is measured in foot pounds (ft lbf) (also known as "pounds feet"). +Mathematically, the torque on a particle (which has the position r in some reference frame) can be defined as the cross product: \\(τ = r x F\\) +where, +r is the particle's position vector relative to the fulcrum +F is the force acting on the particles, +or, more generally, torque can be defined as the rate of change of angular momentum: \\(τ = dL/dt\\) +where, +L is the angular momentum vector +t stands for time."""^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN-M, + unit:DYN-CentiM, + unit:DeciN-M, + unit:KiloGM_F-M, + unit:KiloN-M, + unit:LB_F-FT, + unit:LB_F-IN, + unit:MegaN-M, + unit:MicroN-M, + unit:MilliN-M, + unit:N-CentiM, + unit:N-M, + unit:OZ_F-IN ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; + qudt:exactMatch quantitykind:MomentOfForce ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torque"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\tau = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:HZ a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "هرتز"@ar, + "херц"@bg, + "hertz"@cs, + "Hertz"@de, + "χερτζ"@el, + "hertz"@en, + "hercio"@es, + "هرتز"@fa, + "hertz"@fr, + "הרץ"@he, + "हर्ट्ज"@hi, + "hertz"@hu, + "hertz"@it, + "ヘルツ"@ja, + "hertzium"@la, + "hertz"@ms, + "herc"@pl, + "hertz"@pt, + "hertz"@ro, + "герц"@ru, + "hertz"@sl, + "hertz"@tr, + "赫兹"@zh ; + dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. One of its most common uses is the description of the sine wave, particularly those used in radio and audio applications, such as the frequency of musical tones. The word \"hertz\" is named for Heinrich Rudolf Hertz, who was the first to conclusively prove the existence of electromagnetic waves."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:exactMatch unit:PER-SEC ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:iec61360Code "0112/2///62720#UAA170" ; + qudt:omUnit ; + qudt:symbol "Hz" ; + qudt:ucumCode "Hz"^^qudt:UCUMcs ; + qudt:udunitsCode "Hz" ; + qudt:uneceCommonCode "HTZ" ; + rdfs:isDefinedBy . + +unit:NanoM2 a qudt:Unit ; + rdfs:label "Square Nanometre"@en, + "Square Nanometer"@en-us ; + dcterms:description "A unit of area equal to that of a square, of sides 1nm"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:expression "\\(sqnm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability, + quantitykind:NuclearQuadrupoleMoment ; + qudt:plainTextDescription "A unit of area equal to that of a square, of sides 1nm" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nm²" ; + qudt:ucumCode "nm2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +s223:Numerical-LineLineVoltage a s223:Class, + s223:Numerical-LineLineVoltage, + sh:NodeShape ; + rdfs:label "Dimensioned Line-Line Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common line-line voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "An AC-Numerical-LineLineVoltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . + +qkdv:A0E0L1I0M1H-1T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M1H-1T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermalConductivity ; + qudt:latexSymbol "\\(L \\cdot M /( T^3 \\cdot \\Theta^1)\\)"^^qudt:LatexString, + "\\(L.M.T^{-3} .\\Theta^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AreaPerTime ; + qudt:latexDefinition "\\(L^2 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Mega a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Mega"@en ; + dcterms:description "'mega' is a decimal prefix for expressing a value with a scaling of \\(10^{6}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mega"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mega?oldid=494040441"^^xsd:anyURI ; + qudt:prefixMultiplier 1e+06 ; + qudt:symbol "M" ; + qudt:ucumCode "M" ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerElectricCharge a qudt:QuantityKind ; + rdfs:label "Energy per electric charge"@en ; + dcterms:description "Voltage is a representation of the electric potential energy per unit charge. If a unit of electrical charge were placed in a location, the voltage indicates the potential energy of it at that point. In other words, it is a measurement of the energy contained within an electric field, or an electric circuit, at a given point. Voltage is a scalar quantity. The SI unit of voltage is the volt, such that \\(1 volt = 1 joule/coulomb\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:Voltage ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://physics.about.com/od/glossary/g/voltage.htm"^^xsd:anyURI ; + qudt:symbol "V" ; + rdfs:isDefinedBy . + +quantitykind:MagneticDipoleMoment a qudt:QuantityKind ; + rdfs:label "Magnetic Dipole Moment"@en ; + dcterms:description "\"Magnetic Dipole Moment\" is the magnetic moment of a system is a measure of the magnitude and the direction of its magnetism. Magnetic moment usually refers to its Magnetic Dipole Moment, and quantifies the contribution of the system's internal magnetism to the external dipolar magnetic field produced by the system (that is, the component of the external magnetic field that is inversely proportional to the cube of the distance to the observer). The Magnetic Dipole Moment is a vector-valued quantity. For a particle or nucleus, vector quantity causing an increment \\(\\Delta W = -\\mu \\cdot B\\) to its energy \\(W\\) in an external magnetic field with magnetic flux density \\(B\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:N-M2-PER-A, + unit:WB-M ; + qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-55"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI, + "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; + qudt:latexDefinition """\\(E_m = -m \\cdot B\\), where \\(E_m\\) is the interaction energy of the molecule with magnetic diploe moment \\(m\\) and a magnetic field with magnetic flux density \\(B\\) + +or, + +\\(J_m = \\mu_0 M\\) where \\(\\mu_0\\) is the magnetic constant and \\(M\\) is Magnetization."""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; + qudt:symbol "J_m" ; + rdfs:isDefinedBy . + +quantitykind:Resistance a qudt:QuantityKind ; + rdfs:label "Resistance"@en ; + dcterms:description "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current."^^rdf:HTML ; + qudt:applicableUnit unit:GigaOHM, + unit:KiloOHM, + unit:MegaOHM, + unit:MicroOHM, + unit:MilliOHM, + unit:OHM, + unit:OHM_Ab, + unit:OHM_Stat, + unit:PlanckImpedance, + unit:TeraOHM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Resistance"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-45"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(R = \\frac{u}{i}\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; + qudt:plainTextDescription "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current." ; + qudt:symbol "R" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrent, + quantitykind:Impedance, + quantitykind:InstantaneousPower . + +quantitykind:SpecificHeatCapacity a qudt:QuantityKind ; + rdfs:label "Specific Heat Capacity"@en ; + dcterms:description "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F, + unit:BTU_IT-PER-LB-DEG_R, + unit:BTU_IT-PER-LB_F-DEG_F, + unit:BTU_IT-PER-LB_F-DEG_R, + unit:BTU_TH-PER-LB-DEG_F, + unit:CAL_IT-PER-GM-DEG_C, + unit:CAL_IT-PER-GM-K, + unit:CAL_TH-PER-GM-DEG_C, + unit:CAL_TH-PER-GM-K, + unit:J-PER-GM-K, + unit:J-PER-KiloGM-K, + unit:KiloCAL-PER-GM-DEG_C ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_heat_capacity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; + qudt:informativeReference "http://www.taftan.com/thermodynamics/CP.HTM"^^xsd:anyURI ; + qudt:plainTextDescription "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities." ; + qudt:symbol "c" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:HeatCapacity, + quantitykind:Mass, + quantitykind:SpecificHeatCapacityAtConstantPressure, + quantitykind:SpecificHeatCapacityAtConstantVolume, + quantitykind:SpecificHeatCapacityAtSaturation . + +quantitykind:Temperature a qudt:QuantityKind ; + rdfs:label "Temperature"@en ; + dcterms:description "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity."^^rdf:HTML ; + qudt:applicableUnit unit:DEG_C, + unit:DEG_F, + unit:DEG_R, + unit:K, + unit:MilliDEG_C, + unit:PlanckTemperature ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Temperature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:plainTextDescription "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity." ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ThermodynamicTemperature . + +quantitykind:ThermalConductivity a qudt:QuantityKind ; + rdfs:label "Thermal Conductivity"@en ; + dcterms:description "In physics, thermal conductivity, \\(k\\) (also denoted as \\(\\lambda\\)), is the property of a material's ability to conduct heat. It appears primarily in Fourier's Law for heat conduction and is the areic heat flow rate divided by temperature gradient."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-FT-PER-FT2-HR-DEG_F, + unit:BTU_IT-IN-PER-FT2-HR-DEG_F, + unit:BTU_IT-IN-PER-FT2-SEC-DEG_F, + unit:BTU_IT-IN-PER-HR-FT2-DEG_F, + unit:BTU_IT-IN-PER-SEC-FT2-DEG_F, + unit:BTU_IT-PER-SEC-FT-DEG_R, + unit:BTU_TH-FT-PER-FT2-HR-DEG_F, + unit:BTU_TH-FT-PER-HR-FT2-DEG_F, + unit:BTU_TH-IN-PER-FT2-HR-DEG_F, + unit:BTU_TH-IN-PER-FT2-SEC-DEG_F, + unit:CAL_IT-PER-SEC-CentiM-K, + unit:CAL_TH-PER-CentiM-SEC-DEG_C, + unit:CAL_TH-PER-SEC-CentiM-K, + unit:KiloCAL-PER-CentiM-SEC-DEG_C, + unit:KiloCAL_IT-PER-HR-M-DEG_C, + unit:W-PER-M-K ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_conductivity"^^xsd:anyURI ; + qudt:expression "\\(thermal-k\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\lambda = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is temperature gradient."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "متر مربع"@ar, + "квадратен метър"@bg, + "čtvereční metr"@cs, + "Quadratmeter"@de, + "τετραγωνικό μέτρο"@el, + "square metre"@en, + "Square Meter"@en-us, + "metro cuadrado"@es, + "متر مربع"@fa, + "mètre carré"@fr, + "מטר רבוע"@he, + "वर्ग मीटर"@hi, + "négyzetméter"@hu, + "metro quadrato"@it, + "平方メートル"@ja, + "metrum quadratum"@la, + "meter persegi"@ms, + "metr kwadratowy"@pl, + "metro quadrado"@pt, + "metru pătrat"@ro, + "квадратный метр"@ru, + "kvadratni meter"@sl, + "metrekare"@tr, + "平方米"@zh ; + dcterms:description "The S I unit of area is the square metre."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Square_metre"^^xsd:anyURI ; + qudt:expression "\\(sq-m\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Area, + quantitykind:HydraulicPermeability, + quantitykind:NuclearQuadrupoleMoment ; + qudt:iec61360Code "0112/2///62720#UAA744" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Square_metre?oldid=490945508"^^xsd:anyURI ; + qudt:symbol "m²" ; + qudt:ucumCode "m2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTK" ; + rdfs:isDefinedBy . + +s223:EnumerationKind a s223:Class, + s223:EnumerationKind, + sh:NodeShape ; + rdfs:label "Enumeration kind" ; + rdfs:comment """This is the encapsulating class for all EnumerationKinds. + EnumerationKinds define the (closed) set of permissible values for a given purpose. + For example, the DayOfWeek EnumerationKind enumerates the days of the week and allows no other values. + +EnumerationKinds are arranged in a tree hierarchy, with the root class named EnumerationKind. Each subclass is named starting with its immediate superclass, followed by a hyphen and a name that is unique among the sibling superclasses. +Certain validation constraints exist in the standard that evaluate compatibility of EnumerationKinds. +Two values are deemed compatible if they are the same or if one is a direct ancestor (or descendant) of the other.""" ; + rdfs:subClassOf s223:Concept ; + sh:property [ rdfs:comment "An EnumerationKind must not use the generalized hasProperty relation. Some EnumerationKinds have specifically-defined relations to Property." ; + sh:maxCount 0 ; + sh:message "An EnumerationKind must not use the generalized hasProperty relation. EnumerationKind is a controlled vocabulary which must not be modified within a model." ; + sh:path s223:hasProperty ] . + +qkdv:A0E-2L2I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-2L2I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -2 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Resistance ; + qudt:latexDefinition "\\(L^2 M T^-3 I^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearAcceleration, + quantitykind:ThrustToMassRatio ; + qudt:latexDefinition "\\(L T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E1L-1I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L-1I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-1 I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L-3I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L-3I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +quantitykind:ElectricCurrent a qudt:QuantityKind ; + rdfs:label "تيار كهربائي"@ar, + "Електрически ток"@bg, + "Elektrický proud"@cs, + "elektrische Stromstärke"@de, + "Ένταση ηλεκτρικού ρεύματος"@el, + "electric current"@en, + "corriente eléctrica"@es, + "جریان الکتریکی"@fa, + "intensité de courant électrique"@fr, + "זרם חשמלי"@he, + "विद्युत धारा"@hi, + "elektromos áramerősség"@hu, + "corrente elettrica"@it, + "電流"@ja, + "fluxio electrica"@la, + "Arus elektrik"@ms, + "prąd elektryczny"@pl, + "corrente elétrica"@pt, + "curent electric"@ro, + "Сила электрического тока"@ru, + "električni tok"@sl, + "elektrik akımı"@tr, + "电流"@zh ; + dcterms:description "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. "^^rdf:HTML ; + qudt:applicableUnit unit:A, + unit:A_Ab, + unit:A_Stat, + unit:BIOT, + unit:KiloA, + unit:MegaA, + unit:MicroA, + unit:MilliA, + unit:NanoA, + unit:PicoA, + unit:PlanckCurrent ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_current"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:plainTextDescription "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. " ; + qudt:symbol "I" ; + rdfs:isDefinedBy . + +quantitykind:ElectricFieldStrength a qudt:QuantityKind ; + rdfs:label "عدد الموجة"@ar, + "Електрично поле"@bg, + "elektrické pole"@cs, + "elektrische Feldstärke"@de, + "Ηλεκτρικό πεδίο"@el, + "electric field strength"@en, + "intensidad de campo eléctrico"@es, + "شدت میدان الکتریکی"@fa, + "intensité de champ électrique"@fr, + "שדה חשמלי"@he, + "विद्युत्-क्षेत्र"@hi, + "Elektromos mező"@hu, + "intensità di campo elettrico"@it, + "電界強度"@ja, + "Kekuatan medan elektrik"@ms, + "natężenie pola elektrycznego"@pl, + "intensidade de campo elétrico"@pt, + "câmp electric"@ro, + "Напряженность электрического поля"@ru, + "jakost električnega polja"@sl, + "elektriksel alan kuvveti"@tr, + "電場"@zh ; + dcterms:description "\\(\\textbf{Electric Field Strength}\\) is the magnitude and direction of an electric field, expressed by the value of \\(E\\), also referred to as \\(\\color{indigo} {\\textit{electric field intensity}}\\) or simply the electric field."^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV-PER-M, + unit:MegaV-PER-M, + unit:MicroV-PER-M, + unit:MilliV-PER-M, + unit:V-PER-CentiM, + unit:V-PER-IN, + unit:V-PER-M, + unit:V-PER-MilliM, + unit:V_Ab-PER-CentiM, + unit:V_Stat-PER-CentiM ; + qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{E} = \\mathbf{F}/q\\), where \\(\\mathbf{F}\\) is force and \\(q\\) is electric charge, of a test particle at rest."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{E} \\)"^^qudt:LatexString ; + qudt:symbol "E" ; + rdfs:isDefinedBy . + +quantitykind:EnergyPerArea a qudt:QuantityKind ; + rdfs:label "Energy per Area"@en ; + dcterms:description "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.."^^rdf:HTML ; + qudt:applicableUnit unit:BTU_IT-PER-FT2, + unit:FT-LB_F-PER-FT2, + unit:FT-LB_F-PER-M2, + unit:GigaJ-PER-M2, + unit:J-PER-CentiM2, + unit:J-PER-M2, + unit:KiloBTU_IT-PER-FT2, + unit:KiloCAL-PER-CentiM2, + unit:KiloGM-PER-SEC2, + unit:KiloW-HR-PER-M2, + unit:MegaJ-PER-M2, + unit:N-M-PER-M2, + unit:PicoPA-PER-KiloM, + unit:W-HR-PER-M2, + unit:W-SEC-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; + qudt:informativeReference "http://www.calculator.org/property.aspx?name=energy%20per%20unit%20area"^^xsd:anyURI ; + qudt:plainTextDescription "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.." ; + rdfs:isDefinedBy . + +quantitykind:MagneticFluxDensity a qudt:QuantityKind ; + rdfs:label "المجال المغناطيسي"@ar, + "Магнитна индукция"@bg, + "Magnetická indukce"@cs, + "magnetische Flussdichte"@de, + "magnetische Induktion"@de, + "magnetic flux density"@en, + "Densidad de flujo magnético"@es, + "inducción magnética"@es, + "چگالی شار مغناطیسی"@fa, + "Densité de flux magnétique"@fr, + "צפיפות שטף מגנטי"@he, + "चुम्बकीय क्षेत्र"@hi, + "mágneses indukció"@hu, + "densità di flusso magnetico"@it, + "磁束密度"@ja, + "densitas fluxus magnetici"@la, + "Ketumpatan fluks magnet"@ms, + "indukcja magnetyczna"@pl, + "densidade de fluxo magnético"@pt, + "inducție magnetică"@ro, + "Магнитная индукция"@ru, + "gostota magnetnega pretoka"@sl, + "manyetik akı yoğunluğu"@tr, + "磁通量密度"@zh ; + dcterms:description "\"Magnetic Flux Density\" is a vector quantity and is the magnetic flux per unit area of a magnetic field at right angles to the magnetic force. It can be defined in terms of the effects the field has, for example by \\(B = F/q v \\sin \\theta\\), where \\(F\\) is the force a moving charge \\(q\\) would experience if it was travelling at a velocity \\(v\\) in a direction making an angle θ with that of the field. The magnetic field strength is also a vector quantity and is related to \\(B\\) by: \\(H = B/\\mu\\), where \\(\\mu\\) is the permeability of the medium."^^qudt:LatexString ; + qudt:applicableUnit unit:GAUSS, + unit:Gamma, + unit:Gs, + unit:KiloGAUSS, + unit:MicroT, + unit:MilliT, + unit:NanoT, + unit:T, + unit:T_Ab ; + qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1798"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{F} = qv \\times B\\), where \\(F\\) is force and \\(v\\) is velocity of any test particle with electric charge \\(q\\)."^^qudt:LatexString ; + qudt:symbol "B" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:MagneticField . + +quantitykind:Pressure a qudt:QuantityKind ; + rdfs:label "الضغط أو الإجهاد"@ar, + "Налягане"@bg, + "механично напрежение"@bg, + "Tlak"@cs, + "Druck"@de, + "Πίεση - τάση"@el, + "pressure"@en, + "presión"@es, + "فشار، تنش"@fa, + "pression"@fr, + "לחץ"@he, + "दबाव"@hi, + "दाब"@hi, + "nyomás"@hu, + "pressione"@it, + "tensione meccanica"@it, + "圧力"@ja, + "pressio"@la, + "Tekanan"@ms, + "tegasan"@ms, + "ciśnienie"@pl, + "naprężenie"@pl, + "pressão"@pt, + "tensão"@pt, + "presiune"@ro, + "tensiune mecanică"@ro, + "Давление"@ru, + "pritisk"@sl, + "tlak"@sl, + "basınç"@tr, + "压强、压力"@zh ; + dcterms:description "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pressure"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(p = \\frac{dF}{dA}\\), where \\(dF\\) is the force component perpendicular to the surface element of area \\(dA\\)."^^qudt:LatexString ; + qudt:plainTextDescription "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ForcePerArea . + +quantitykind:ThermodynamicTemperature a qudt:QuantityKind ; + rdfs:label "درجة الحرارة المطلقة"@ar, + "Термодинамична температура"@bg, + "Termodynamická teplota"@cs, + "thermodynamische Temperatur"@de, + "Απόλυτη"@el, + "Θερμοδυναμική Θερμοκρασία"@el, + "thermodynamic temperature"@en, + "temperatura"@es, + "دمای ترمودینامیکی"@fa, + "température thermodynamique"@fr, + "טמפרטורה מוחלטת"@he, + "ऊष्मगतिकीय तापमान"@hi, + "abszolút hőmérséklet"@hu, + "temperatura assoluta"@it, + "temperatura termodinamica"@it, + "熱力学温度"@ja, + "temperatura thermodynamica absoluta"@la, + "Suhu termodinamik"@ms, + "temperatura"@pl, + "temperatura"@pt, + "temperatură termodinamică"@ro, + "Термодинамическая температура"@ru, + "temperatura"@sl, + "termodinamik sıcaklık"@tr, + "热力学温度"@zh ; + dcterms:description """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. +Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. +In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; + qudt:applicableUnit unit:DEG_R, + unit:K, + unit:PlanckTemperature ; + qudt:dbpediaMatch "http://dbpedia.org/page/Thermodynamic_temperature"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; + qudt:plainTextDescription """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. +Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. +In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; + qudt:symbol "T" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Temperature ; + skos:broader quantitykind:Temperature . + +unit:CentiN a qudt:Unit ; + rdfs:label "CentiNewton"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "cN" ; + rdfs:isDefinedBy . + +unit:DYN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Dyne"@en ; + dcterms:description "In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to \\SI{10}{\\micro\\newton}. Equivalently, the dyne is defined as 'the force required to accelerate a mass of one gram at a rate of one centimetre per square second'. The dyne per centimetre is the unit traditionally used to measure surface tension."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dyne"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA422" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dyne?oldid=494703827"^^xsd:anyURI ; + qudt:latexDefinition "\\(g\\cdot cm/s^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "dyn" ; + qudt:ucumCode "dyn"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DU" ; + rdfs:isDefinedBy . + +unit:DeciN a qudt:Unit ; + rdfs:label "DeciNewton"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "dN" ; + rdfs:isDefinedBy . + +unit:GM_F a qudt:Unit ; + rdfs:label "Gram Force"@en ; + dcterms:description "\"Gram Force\" is a unit for 'Force' expressed as \\(gf\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.00980665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; + qudt:symbol "gf" ; + qudt:ucumCode "gf"^^qudt:UCUMcs ; + qudt:udunitsCode "gf" ; + rdfs:isDefinedBy . + +unit:KIP_F a qudt:Unit ; + rdfs:label "Kip"@en ; + dcterms:description "1000 pound-force"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 4448.222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kip"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kip?oldid=492552722"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "kip" ; + qudt:ucumCode "k[lbf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M75" ; + rdfs:isDefinedBy . + +unit:KiloGM_F a qudt:Unit ; + rdfs:label "Kilogram Force"@en ; + dcterms:description "\"Kilogram Force\" is a unit for 'Force' expressed as \\(kgf\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 9.80665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; + qudt:symbol "kgf" ; + qudt:ucumCode "kgf"^^qudt:UCUMcs ; + qudt:udunitsCode "kgf" ; + qudt:uneceCommonCode "B37" ; + rdfs:isDefinedBy . + +unit:KiloLB_F a qudt:Unit ; + rdfs:label "KiloPound Force"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4448.222 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "klbf" ; + rdfs:isDefinedBy . + +unit:KiloN a qudt:Unit ; + rdfs:label "Kilonewton"@en ; + dcterms:description "1 000-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA573" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit newton" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kN" ; + qudt:ucumCode "kN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B47" ; + rdfs:isDefinedBy . + +unit:KiloP a qudt:Unit ; + rdfs:label "Kilopond"@en ; + dcterms:description "Same as kilogramForce"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB059" ; + qudt:symbol "kP" ; + qudt:ucumCode "kgf"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B51" ; + rdfs:isDefinedBy . + +unit:KiloPOND a qudt:Unit ; + rdfs:label "Kilopond"@en ; + dcterms:description "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB059" ; + qudt:plainTextDescription "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton" ; + qudt:symbol "kp" ; + qudt:uneceCommonCode "B51" ; + rdfs:isDefinedBy . + +unit:LB_F a qudt:Unit ; + rdfs:label "Pound Force"@en ; + dcterms:description "\"Pound Force\" is an Imperial unit for 'Force' expressed as \\(lbf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.448222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; + qudt:symbol "lbf" ; + qudt:ucumCode "[lbf_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lbf" ; + qudt:uneceCommonCode "C78" ; + rdfs:isDefinedBy . + +unit:MegaLB_F a qudt:Unit ; + rdfs:label "Mega Pound Force"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4448.222 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; + qudt:symbol "Mlbf" ; + qudt:ucumCode "M[lbf_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaN a qudt:Unit ; + rdfs:label "Meganewton"@en ; + dcterms:description "1,000,000-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA213" ; + qudt:plainTextDescription "1,000,000-fold of the SI derived unit newton" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MN" ; + qudt:ucumCode "MN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B73" ; + rdfs:isDefinedBy . + +unit:MicroN a qudt:Unit ; + rdfs:label "Micronewton"@en ; + dcterms:description "0.000001-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA070" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit newton" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μN" ; + qudt:ucumCode "uN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B92" ; + rdfs:isDefinedBy . + +unit:MilliN a qudt:Unit ; + rdfs:label "Millinewton"@en ; + dcterms:description "0.001-fold of the SI derived unit newton"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA793" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit newton" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mN" ; + qudt:ucumCode "mN"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C20" ; + rdfs:isDefinedBy . + +unit:OZ_F a qudt:Unit ; + rdfs:label "Imperial Ounce Force"@en ; + dcterms:description "\"Ounce Force\" is an Imperial unit for 'Force' expressed as \\(ozf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.278013875 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:symbol "ozf" ; + qudt:ucumCode "[ozf_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "ozf" ; + qudt:uneceCommonCode "L40" ; + rdfs:isDefinedBy . + +unit:PDL a qudt:Unit ; + rdfs:label "Poundal"@en ; + dcterms:description "The poundal is a unit of force that is part of the foot-pound-second system of units, in Imperial units introduced in 1877, and is from the specialized subsystem of English absolute (a coherent system). The poundal is defined as the force necessary to accelerate 1 pound-mass to 1 foot per second per second. \\(1 pdl = 0.138254954376 N\\) exactly."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.138254954376 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Poundal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB233" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Poundal?oldid=494626458"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "pdl" ; + qudt:ucumCode "[lb_av].[ft_i].s-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M76" ; + rdfs:isDefinedBy . + +unit:PlanckForce a qudt:Unit ; + rdfs:label "Planck Force"@en ; + dcterms:description "Planck force is the derived unit of force resulting from the definition of the base Planck units for time, length, and mass. It is equal to the natural unit of momentum divided by the natural unit of time."^^rdf:HTML ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.21027e+44 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_force"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_force?oldid=493643031"^^xsd:anyURI ; + qudt:symbol "planckforce" ; + rdfs:isDefinedBy . + +unit:SEC a qudt:Unit ; + rdfs:label "ثانية"@ar, + "секунда"@bg, + "sekunda"@cs, + "Sekunde"@de, + "δευτερόλεπτο"@el, + "second"@en, + "segundo"@es, + "ثانیه"@fa, + "seconde"@fr, + "שנייה"@he, + "सैकण्ड"@hi, + "másodperc"@hu, + "secondo"@it, + "秒"@ja, + "secundum"@la, + "saat"@ms, + "sekunda"@pl, + "segundo"@pt, + "secundă"@ro, + "секунда"@ru, + "sekunda"@sl, + "saniye"@tr, + "秒"@zh ; + dcterms:description """The \\(Second\\) (symbol: \\(s\\)) is the base unit of time in the International System of Units (SI) and is also a unit of time in other systems of measurement. Between the years1000 (when al-Biruni used seconds) and 1960 the second was defined as \\(1/86400\\) of a mean solar day (that definition still applies in some astronomical and legal contexts). Between 1960 and 1967, it was defined in terms of the period of the Earth's orbit around the Sun in 1900, but it is now defined more precisely in atomic terms. +Under the International System of Units (via the International Committee for Weights and Measures, or CIPM), since 1967 the second has been defined as the duration of \\({9192631770}\\) periods of the radiation corresponding to the transition between the two hyperfine levels of the ground state of the caesium 133 atom.In 1997 CIPM added that the periods would be defined for a caesium atom at rest, and approaching the theoretical temperature of absolute zero, and in 1999, it included corrections from ambient radiation."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Second"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:Period, + quantitykind:Time ; + qudt:iec61360Code "0112/2///62720#UAA972", + "0112/2///62720#UAD722" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Second?oldid=495241006"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "s" ; + qudt:ucumCode "s"^^qudt:UCUMcs ; + qudt:udunitsCode "s" ; + qudt:uneceCommonCode "SEC" ; + rdfs:isDefinedBy . + +unit:TON_F_US a qudt:Unit ; + rdfs:label "Ton Force (US Short)"@en ; + dcterms:description "unit of the force according to the American system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 8896.443230521 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAB021" ; + qudt:plainTextDescription "unit of the force according to the American system of units" ; + qudt:symbol "tonf{us}" ; + qudt:ucumCode "[stonf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "L94" ; + rdfs:isDefinedBy . + +s223:Numerical-LineNeutralVoltage a s223:Class, + s223:Numerical-LineNeutralVoltage, + sh:NodeShape ; + rdfs:label "Dimensioned Line-Neutral Voltage" ; + s223:hasVoltage s223:Numerical-Voltage ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common line-neutral voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "An AC-Numerical-LineNeutralVoltage must have a voltage" ; + sh:class s223:Numerical-Voltage ; + sh:minCount 1 ; + sh:path s223:hasVoltage ] . + +qudt:hasQuantityKind a rdf:Property ; + rdfs:label "has quantity kind" ; + rdfs:comment "A reference to the QuantityKind of a QuantifiableProperty of interest, e.g. quantitykind:Temperature." ; + rdfs:isDefinedBy . + +quantitykind:MagneticFieldStrength_H a qudt:QuantityKind ; + rdfs:label "حقل مغناطيسي"@ar, + "Magnetické pole"@cs, + "magnetische Feldstärke"@de, + "magnetic field strength"@en, + "intensidad de campo magnético"@es, + "شدت میدان مغناطیسی"@fa, + "intensité de champ magnétique"@fr, + "intensità di campo magnetico"@it, + "磁場"@ja, + "Kekuatan medan magnetik"@ms, + "pole magnetyczne"@pl, + "intensidade de campo magnético"@pt, + "Câmp magnetic"@ro, + "Магнитное поле"@ru, + "jakost magnetnega polja"@sl, + "Manyetik alan"@tr, + "磁場"@zh ; + dcterms:description "\\(\\textbf{Magnetic Field Strength}\\) is a vector quantity obtained at a given point by subtracting the magnetization \\(M\\) from the magnetic flux density \\(B\\) divided by the magnetic constant \\(\\mu_0\\). The magnetic field strength is related to the total current density \\(J_{tot}\\) via: \\(\\text{rot} H = J_{tot}\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:A-PER-CentiM, + unit:A-PER-M, + unit:A-PER-MilliM, + unit:AT-PER-IN, + unit:AT-PER-M, + unit:KiloA-PER-M, + unit:MilliA-PER-IN, + unit:MilliA-PER-MilliM, + unit:OERSTED ; + qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; + qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-56"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\mathbf{H} = \\frac{\\mathbf{B} }{\\mu_0} - M\\), where \\(\\mathbf{B} \\) is magnetic flux density, \\(\\mu_0\\) is the magnetic constant and \\(M\\) is magnetization."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\mathbf{H} \\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:ElectricCurrentPerUnitLength . + +quantitykind:VolumeFraction a qudt:QuantityKind ; + rdfs:label "Volume Fraction"@en ; + dcterms:description "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)."^^rdf:HTML ; + qudt:applicableUnit unit:CentiM3-PER-CentiM3, + unit:CentiM3-PER-M3, + unit:DeciM3-PER-M3, + unit:L-PER-L, + unit:M3-PER-M3, + unit:MicroL-PER-L, + unit:MicroM3-PER-M3, + unit:MicroM3-PER-MilliL, + unit:MilliL-PER-L, + unit:MilliL-PER-M3, + unit:MilliM3-PER-M3 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volume_fraction"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\varphi_B = \\frac{x_B V_{m,B}^*}{\\sum x_i V_{m,i}^*}\\), where \\(V_{m,i}^*\\) is the molar volume of the pure substances \\(i\\) at the same temperature and pressure, \\(x_i\\) denotes the amount-of-substance fraction of substance \\(i\\), and \\(\\sum\\) denotes summation over all substances \\(i\\)."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\varphi_B\\)"^^qudt:LatexString ; + qudt:plainTextDescription "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)." ; + qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; + qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +unit:N a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "نيوتن"@ar, + "нютон"@bg, + "newton"@cs, + "Newton"@de, + "νιούτον"@el, + "newton"@en, + "newton"@es, + "نیوتن"@fa, + "newton"@fr, + "ניוטון"@he, + "न्यूटन"@hi, + "newton"@hu, + "newton"@it, + "ニュートン"@ja, + "newtonium"@la, + "newton"@ms, + "niuton"@pl, + "newton"@pt, + "newton"@ro, + "ньютон"@ru, + "newton"@sl, + "newton"@tr, + "牛顿"@zh ; + dcterms:description "The \"Newton\" is the SI unit of force. A force of one newton will accelerate a mass of one kilogram at the rate of one meter per second per second. The newton is named for Isaac Newton (1642-1727), the British mathematician, physicist, and natural philosopher. He was the first person to understand clearly the relationship between force (F), mass (m), and acceleration (a) expressed by the formula \\(F = m \\cdot a\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Newton"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Force ; + qudt:iec61360Code "0112/2///62720#UAA235" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Newton?oldid=488427661"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "N" ; + qudt:ucumCode "N"^^qudt:UCUMcs ; + qudt:udunitsCode "N" ; + qudt:uneceCommonCode "NEW" ; + rdfs:isDefinedBy . + +quantitykind:HeatFlowRate a qudt:QuantityKind ; + rdfs:label "Heat Flow Rate"@en ; + dcterms:description "The rate of heat flow between two systems is measured in watts (joules per second). The formula for rate of heat flow is \\(\\bigtriangleup Q / \\bigtriangleup t = -K \\times A \\times \\bigtriangleup T/x\\), where \\(\\bigtriangleup Q / \\bigtriangleup t\\) is the rate of heat flow; \\(-K\\) is the thermal conductivity factor; A is the surface area; \\(\\bigtriangleup T\\) is the change in temperature and \\(x\\) is the thickness of the material. \\(\\bigtriangleup T/ x\\) is called the temperature gradient and is always negative because of the heat of flow always goes from more thermal energy to less)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-MIN, + unit:BTU_IT-PER-SEC, + unit:BTU_TH-PER-HR, + unit:BTU_TH-PER-MIN, + unit:BTU_TH-PER-SEC, + unit:CAL_TH-PER-MIN, + unit:CAL_TH-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloBTU_TH-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloCAL_TH-PER-HR, + unit:KiloCAL_TH-PER-MIN, + unit:KiloCAL_TH-PER-SEC, + unit:MegaBTU_IT-PER-HR, + unit:THM_US-PER-HR, + unit:TON_FG ; + qudt:expression "\\(heat-flow-rate\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Power . + +quantitykind:InformationEntropy a qudt:QuantityKind ; + rdfs:label "Information Entropy"@en ; + dcterms:description "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning."^^rdf:HTML ; + qudt:applicableUnit unit:BAN, + unit:BIT, + unit:BYTE, + unit:ERLANG, + unit:ExaBYTE, + unit:ExbiBYTE, + unit:GibiBYTE, + unit:GigaBYTE, + unit:HART, + unit:KibiBYTE, + unit:KiloBYTE, + unit:MebiBYTE, + unit:MegaBYTE, + unit:NAT, + unit:PebiBYTE, + unit:PetaBYTE, + unit:SHANNON, + unit:TebiBYTE, + unit:TeraBYTE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://simple.wikipedia.org/wiki/Information_entropy"^^xsd:anyURI ; + qudt:plainTextDescription "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +unit:GigaHZ-M a qudt:Unit ; + rdfs:label "Gigahertz Metre"@en, + "Gigahertz Meter"@en-us ; + dcterms:description "product of the 1,000,000,000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ConductionSpeed, + quantitykind:GroupSpeedOfSound, + quantitykind:LinearVelocity, + quantitykind:PhaseSpeedOfSound, + quantitykind:SoundParticleVelocity, + quantitykind:Speed, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA151" ; + qudt:plainTextDescription "product of the 1 000 000 000-fold of the SI derived unit hertz and the SI base unit metre" ; + qudt:symbol "GHz⋅M" ; + qudt:ucumCode "GHz.m"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M18" ; + rdfs:isDefinedBy . + +unit:PER-M a qudt:Unit ; + rdfs:label "Reciprocal Metre"@en, + "Reciprocal Meter"@en-us ; + dcterms:description "Per Meter Unit is a denominator unit with dimensions \\(/m\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(per-meter\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector, + quantitykind:AttenuationCoefficient, + quantitykind:CurvatureFromRadius, + quantitykind:InverseLength, + quantitykind:LinearAbsorptionCoefficient, + quantitykind:LinearAttenuationCoefficient, + quantitykind:LinearIonization, + quantitykind:PhaseCoefficient, + quantitykind:PropagationCoefficient ; + qudt:symbol "/m" ; + qudt:ucumCode "/m"^^qudt:UCUMcs, + "m-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C92" ; + rdfs:isDefinedBy . + +s223:Medium-Air a s223:Class, + s223:Medium-Air, + sh:NodeShape ; + rdfs:label "Medium-Air" ; + rdfs:comment "This class has enumerated subclasses of Air in various states." ; + rdfs:subClassOf s223:Substance-Medium . + +qudt:PropertiesGroup a sh:PropertyGroup ; + rdfs:label "Properties" ; + rdfs:isDefinedBy ; + sh:order 20.0 . + +qkdv:A0E-1L2I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E-1L2I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent -1 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerElectricCharge ; + qudt:latexDefinition "\\(L^2 M T^-3 I^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E2L-3I0M-1H0T3D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E2L-3I0M-1H0T3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 2 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass -1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 3 ; + qudt:dimensionlessExponent 0 ; + rdfs:isDefinedBy . + +quantitykind:ThermalEnergy a qudt:QuantityKind ; + rdfs:label "Thermal Energy"@en ; + dcterms:description "\"Thermal Energy} is the portion of the thermodynamic or internal energy of a system that is responsible for the temperature of the system. From a macroscopic thermodynamic description, the thermal energy of a system is given by its constant volume specific heat capacity C(T), a temperature coefficient also called thermal capacity, at any given absolute temperature (T): \\(U_{thermal} = C(T) \\cdot T\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT, + unit:BTU_MEAN, + unit:BTU_TH, + unit:CAL_15_DEG_C, + unit:CAL_IT, + unit:CAL_MEAN, + unit:CAL_TH, + unit:GigaJ, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloCAL_IT, + unit:KiloCAL_Mean, + unit:KiloCAL_TH, + unit:KiloJ, + unit:MegaJ, + unit:THM_EEC, + unit:THM_US, + unit:TON_FG-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_energy"^^xsd:anyURI ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Energy . + +unit:M-PER-SEC a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "متر في الثانية"@ar, + "метър в секунда"@bg, + "metr za sekundu"@cs, + "Meter je Sekunde"@de, + "μέτρο ανά δευτερόλεπτο"@el, + "metre per second"@en, + "Meter per Second"@en-us, + "metro por segundo"@es, + "متر بر ثانیه"@fa, + "mètre par seconde"@fr, + "מטרים לשנייה"@he, + "मीटर प्रति सैकिण्ड"@hi, + "metro al secondo"@it, + "メートル毎秒"@ja, + "metra per secundum"@la, + "meter per saat"@ms, + "metr na sekundę"@pl, + "metro por segundo"@pt, + "metru pe secundă"@ro, + "метр в секунду"@ru, + "meter na sekundo"@sl, + "metre bölü saniye"@tr, + "米每秒"@zh ; + dcterms:description """Metre per second is an SI derived unit of both speed (scalar) and velocity (vector quantity which specifies both magnitude and a specific direction), defined by distance in metres divided by time in seconds. +The official SI symbolic abbreviation is mu00b7s-1, or equivalently either m/s."""^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:expression "\\(m/s\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:hasQuantityKind quantitykind:ElectromagneticWavePhaseSpeed, + quantitykind:LinearVelocity, + quantitykind:Speed, + quantitykind:Velocity ; + qudt:iec61360Code "0112/2///62720#UAA733" ; + qudt:symbol "m/s" ; + qudt:ucumCode "m.s-1"^^qudt:UCUMcs, + "m/s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MTS" ; + rdfs:isDefinedBy . + +qkdv:A0E0L-2I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerAreaTime ; + qudt:latexDefinition "\\(L^{-2} M T^{-1}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L-3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L-3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; + qudt:latexDefinition "\\(L^-3 N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:MassPerArea a qudt:QuantityKind ; + rdfs:label "Mass per Area"@en ; + dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area. The SI derived unit is: kilogram per square metre (\\(kg \\cdot m^{-2}\\))."^^qudt:LatexString ; + qudt:applicableUnit unit:GM-PER-CentiM2, + unit:GM-PER-M2, + unit:KiloGM-PER-CentiM2, + unit:KiloGM-PER-FT2, + unit:KiloGM-PER-HA, + unit:KiloGM-PER-KiloM2, + unit:KiloGM-PER-M2, + unit:LB-PER-FT2, + unit:LB-PER-IN2, + unit:MegaGM-PER-HA, + unit:MicroG-PER-CentiM2, + unit:MilliGM-PER-CentiM2, + unit:MilliGM-PER-HA, + unit:MilliGM-PER-M2, + unit:OZ-PER-FT2, + unit:OZ-PER-YD2, + unit:SLUG-PER-FT2, + unit:TONNE-PER-HA, + unit:TON_Metric-PER-HA ; + qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho_A = \\frac {m} {A}\\)"^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho_A \\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:K a qudt:Unit ; + rdfs:label "كلفن"@ar, + "келвин"@bg, + "kelvin"@cs, + "Kelvin"@de, + "κέλβιν"@el, + "kelvin"@en, + "kelvin"@es, + "کلوین"@fa, + "kelvin"@fr, + "קלווין"@he, + "कैल्विन"@hi, + "kelvin"@hu, + "kelvin"@it, + "ケルビン"@ja, + "kelvin"@la, + "kelvin"@ms, + "kelwin"@pl, + "kelvin"@pt, + "kelvin"@ro, + "кельвин"@ru, + "kelvin"@sl, + "kelvin"@tr, + "开尔文"@zh ; + dcterms:description "\\(The SI base unit of temperature, previously called the degree Kelvin. One kelvin represents the same temperature difference as one degree Celsius. In 1967 the General Conference on Weights and Measures defined the temperature of the triple point of water (the temperature at which water exists simultaneously in the gaseous, liquid, and solid states) to be exactly 273.16 kelvins. Since this temperature is also equal to 0.01 u00b0C, the temperature in kelvins is always equal to 273.15 plus the temperature in degrees Celsius. The kelvin equals exactly 1.8 degrees Fahrenheit. The unit is named for the British mathematician and physicist William Thomson (1824-1907), later known as Lord Kelvin after he was named Baron Kelvin of Largs.\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kelvin"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; + qudt:hasQuantityKind quantitykind:BoilingPoint, + quantitykind:CorrelatedColorTemperature, + quantitykind:FlashPoint, + quantitykind:MeltingPoint, + quantitykind:Temperature, + quantitykind:ThermodynamicTemperature ; + qudt:iec61360Code "0112/2///62720#UAA185", + "0112/2///62720#UAD721" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kelvin?oldid=495075694"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "K" ; + qudt:ucumCode "K"^^qudt:UCUMcs ; + qudt:udunitsCode "K" ; + qudt:uneceCommonCode "KEL" ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H-1T-2D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H-1T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature -1 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificHeatCapacity ; + qudt:latexDefinition "\\(L^2 T^-2 Θ^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Angle a qudt:QuantityKind ; + rdfs:label "Angle"@en ; + dcterms:description "The abstract notion of angle. Narrow concepts include plane angle and solid angle. While both plane angle and solid angle are dimensionless, they are actually length/length and area/area respectively."^^qudt:LatexString ; + qudt:applicableUnit unit:ARCMIN, + unit:ARCSEC, + unit:DEG, + unit:GON, + unit:GRAD, + unit:MIL, + unit:MIN_Angle, + unit:MicroRAD, + unit:MilliARCSEC, + unit:MilliRAD, + unit:RAD, + unit:REV ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Angle"^^xsd:anyURI ; + qudt:exactMatch quantitykind:PlaneAngle ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:DimensionlessRatio . + +s223:EnumerationKind-Role a s223:Class, + s223:EnumerationKind-Role, + sh:NodeShape ; + rdfs:label "Role" ; + rdfs:comment "This class has enumerated subclasses of roles played by entities, such as cooling, generator, relief, return." ; + rdfs:subClassOf s223:EnumerationKind . + +s223:Medium-Water a s223:Class, + s223:Medium-Water, + sh:NodeShape ; + rdfs:label "Medium-Water" ; + rdfs:comment "This class has enumerated subclasses of water and aqueous solutions in various states." ; + rdfs:subClassOf s223:Substance-Medium . + +qkdv:A0E1L0I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCurrent ; + qudt:latexDefinition "\\(I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A1E0L0I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A1E0L0I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 1 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstance ; + qudt:latexDefinition "\\(N\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Milli a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Milli"@en ; + dcterms:description "'milli' is a decimal prefix for expressing a value with a scaling of \\(10^{-3}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Milli-"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Milli-?oldid=467190544"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-03 ; + qudt:symbol "m" ; + qudt:ucumCode "m" ; + rdfs:isDefinedBy . + +unit:ATM a qudt:Unit ; + rdfs:label "Standard Atmosphere"@en ; + dcterms:description "The standard atmosphere (symbol: atm) is an international reference pressure defined as \\(101.325 \\,kPa\\) and formerly used as unit of pressure. For practical purposes it has been replaced by the bar which is \\(100 kPa\\). The difference of about 1% is not significant for many applications, and is within the error range of common pressure gauges."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.01325e+05 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA322" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atmosphere_(unit)"^^xsd:anyURI ; + qudt:symbol "atm" ; + qudt:ucumCode "atm"^^qudt:UCUMcs ; + qudt:udunitsCode "atm" ; + qudt:uneceCommonCode "ATM" ; + rdfs:isDefinedBy . + +unit:ATM_T a qudt:Unit ; + rdfs:label "Technical Atmosphere"@en ; + dcterms:description "A technical atmosphere (symbol: at) is a non-SI unit of pressure equal to one kilogram-force per square centimeter. The symbol 'at' clashes with that of the katal (symbol: 'kat'), the SI unit of catalytic activity; a kilotechnical atmosphere would have the symbol 'kat', indistinguishable from the symbol for the katal. It also clashes with that of the non-SI unit, the attotonne, but that unit would be more likely be rendered as the equivalent SI unit. Assay ton (abbreviation 'AT') is not a unit of measurement, but a standard quantity used in assaying ores of precious metals; it is \\(29 1D6 \\,grams\\) (short assay ton) or \\(32 2D3 \\,grams\\) (long assay ton), the amount which bears the same ratio to a milligram as a short or long ton bears to a troy ounce. In other words, the number of milligrams of a particular metal found in a sample of this size gives the number of troy ounces contained in a short or long ton of ore."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 9.80665e+04 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA321" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Technical_atmosphere"^^xsd:anyURI ; + qudt:latexDefinition "\\(1 at = 98.0665 kPa \\approx 0.96784 standard atmospheres\\)"^^qudt:LatexString ; + qudt:symbol "at" ; + qudt:ucumCode "att"^^qudt:UCUMcs ; + qudt:udunitsCode "at" ; + qudt:uneceCommonCode "ATT" ; + rdfs:isDefinedBy . + +unit:BAR a qudt:Unit ; + rdfs:label "Bar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to \\(100,000\\,Pa\\). It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 \\,bar \\approx 750.0616827\\, Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e+05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Bar"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA323" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar?oldid=493875987"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "bar" ; + qudt:ucumCode "bar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BAR" ; + rdfs:isDefinedBy . + +unit:CentiBAR a qudt:Unit ; + rdfs:label "Centibar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cbar" ; + qudt:ucumCode "cbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CentiM_HG a qudt:Unit ; + rdfs:label "Centimetre Of Mercury"@en, + "Centimeter Of Mercury"@en-us ; + dcterms:description "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre"^^rdf:HTML ; + qudt:conversionMultiplier 1333.224 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA403" ; + qudt:plainTextDescription "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre" ; + qudt:symbol "cmHg" ; + qudt:ucumCode "cm[Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "cmHg", + "cm_Hg" ; + qudt:uneceCommonCode "J89" ; + rdfs:isDefinedBy . + +unit:DYN-PER-CentiM2 a qudt:Unit ; + rdfs:label "Dyne per Square Centimetre"@en, + "Dyne per Square Centimeter"@en-us ; + dcterms:description "\"Dyne per Square Centimeter\" is a C.G.S System unit for 'Force Per Area' expressed as \\(dyn/cm^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 0.1 ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:expression "\\(dyn/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA424" ; + qudt:symbol "dyn/cm²" ; + qudt:ucumCode "dyn.cm-2"^^qudt:UCUMcs, + "dyn/cm2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D9" ; + rdfs:isDefinedBy . + +unit:DeciBAR a qudt:Unit ; + rdfs:label "Decibar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dbar" ; + qudt:ucumCode "dbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:FT_H2O a qudt:Unit ; + rdfs:label "Foot of Water"@en ; + dcterms:description "\"Foot of Water\" is a unit for 'Force Per Area' expressed as \\(ftH2O\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 2989.067 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA463" ; + qudt:symbol "ftH₂0" ; + qudt:ucumCode "[ft_i'H2O]"^^qudt:UCUMcs ; + qudt:udunitsCode "ftH2O", + "fth2o" ; + qudt:uneceCommonCode "K24" ; + rdfs:isDefinedBy . + +unit:FT_HG a qudt:Unit ; + rdfs:label "Foot Of Mercury"@en ; + dcterms:description "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot"^^rdf:HTML ; + qudt:conversionMultiplier 40636.66 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA464" ; + qudt:plainTextDescription "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot" ; + qudt:symbol "ftHg" ; + qudt:ucumCode "[ft_i'Hg]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K25" ; + rdfs:isDefinedBy . + +unit:GM_F-PER-CentiM2 a qudt:Unit ; + rdfs:label "Gram Force Per Square Centimetre"@en, + "Gram Force Per Square Centimeter"@en-us ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 98.0665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA510" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "gf/cm²" ; + qudt:ucumCode "gf.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K31" ; + rdfs:isDefinedBy . + +unit:HectoBAR a qudt:Unit ; + rdfs:label "Hectobar"@en ; + dcterms:description "100-fold of the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e+07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB087" ; + qudt:plainTextDescription "100-fold of the unit bar" ; + qudt:symbol "hbar" ; + qudt:ucumCode "hbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HBA" ; + rdfs:isDefinedBy . + +unit:IN_H2O a qudt:Unit ; + rdfs:label "Inch of Water"@en ; + dcterms:description "Inches of water, wc, inch water column (inch WC), inAq, Aq, or inH2O is a non-SI unit for pressure. The units are by convention and due to the historical measurement of certain pressure differentials. It is used for measuring small pressure differences across an orifice, or in a pipeline or shaft. Inches of water can be converted to a pressure unit using the formula for pressure head. It is defined as the pressure exerted by a column of water of 1 inch in height at defined conditions for example \\(39 ^\\circ F\\) at the standard acceleration of gravity; 1 inAq is approximately equal to 249 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 249.080024 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_water"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA553" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_water?oldid=466175519"^^xsd:anyURI ; + qudt:symbol "inH₂0" ; + qudt:ucumCode "[in_i'H2O]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F78" ; + rdfs:isDefinedBy . + +unit:IN_HG a qudt:Unit ; + rdfs:label "Inch of Mercury"@en ; + dcterms:description "Inches of mercury, (inHg) is a unit of measurement for pressure. It is still widely used for barometric pressure in weather reports, refrigeration and aviation in the United States, but is seldom used elsewhere. It is defined as the pressure exerted by a column of mercury of 1 inch in height at \\(32 ^\\circ F\\) at the standard acceleration of gravity. 1 inHg = 3,386.389 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 3386.389 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_mercury"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA554" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_mercury?oldid=486634645"^^xsd:anyURI ; + qudt:symbol "inHg" ; + qudt:ucumCode "[in_i'Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "inHg", + "in_Hg" ; + qudt:uneceCommonCode "F79" ; + rdfs:isDefinedBy . + +unit:KiloBAR a qudt:Unit ; + rdfs:label "Kilobar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e+08 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB088" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kbar" ; + qudt:ucumCode "kbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KBA" ; + rdfs:isDefinedBy . + +unit:KiloGM_F-PER-CentiM2 a qudt:Unit ; + rdfs:label "Kilogram Force per Square Centimetre"@en, + "Kilogram Force per Square Centimeter"@en-us ; + dcterms:description "\"Kilogram Force per Square Centimeter\" is a unit for 'Force Per Area' expressed as \\(kgf/cm^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 98066.5 ; + qudt:expression "\\(kgf/cm^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "kgf/cm²" ; + qudt:ucumCode "kgf.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E42" ; + rdfs:isDefinedBy . + +unit:KiloGM_F-PER-M2 a qudt:Unit ; + rdfs:label "Kilogram Force Per Square Metre"@en, + "Kilogram Force Per Square Meter"@en-us ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA635" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "kgf/m²" ; + qudt:ucumCode "kgf.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B40" ; + rdfs:isDefinedBy . + +unit:KiloGM_F-PER-MilliM2 a qudt:Unit ; + rdfs:label "Kilogram Force Per Square Millimetre"@en, + "Kilogram Force Per Square Millimeter"@en-us ; + dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665e-07 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA636" ; + qudt:plainTextDescription "not SI conform unit of the pressure" ; + qudt:symbol "kgf/mm²" ; + qudt:ucumCode "kgf.mm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E41" ; + rdfs:isDefinedBy . + +unit:KiloPA_A a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilopascal Absolute"@en ; + dcterms:description "\\(\\textbf{Kilopascal Absolute} is a SI System unit for 'Force Per Area' expressed as \\(KPaA\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "KPaA" ; + qudt:ucumCode "kPa{absolute}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:LB_F-PER-FT2 a qudt:Unit ; + rdfs:label "Pound Force per Square Foot"@en ; + dcterms:description "Pounds or Pounds Force per Square Foot is a British (Imperial) and American pressure unit which is directly related to the psi pressure unit by a factor of 144 (1 sq ft = 12 in x 12 in = 144 sq in). 1 Pound per Square Foot equals 47.8803 Pascals. The psf pressure unit is mostly for lower pressure applications such as specifying building structures to withstand a certain wind force or rating a building floor for maximum weight load."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 47.8802631 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(lbf/ft^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "lbf/ft²" ; + qudt:ucumCode "[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MegaBAR a qudt:Unit ; + rdfs:label "Megabar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1e+11 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix1:Mega ; + qudt:symbol "Mbar" ; + qudt:ucumCode "Mbar"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroATM a qudt:Unit ; + rdfs:label "Microatmospheres"@en ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.101325 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "µatm" ; + qudt:ucumCode "uatm"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroBAR a qudt:Unit ; + rdfs:label "Microbar"@en ; + dcterms:description "0.000001-fold of the unit bar"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB089" ; + qudt:plainTextDescription "0.000001-fold of the unit bar" ; + qudt:symbol "μbar" ; + qudt:ucumCode "ubar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B85" ; + rdfs:isDefinedBy . + +unit:MicroTORR a qudt:Unit ; + rdfs:label "MicroTorr"@en ; + dcterms:description "\"MicroTorr\" is a unit for 'Force Per Area' expressed as \\(microtorr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.000133322 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "µTorr" ; + rdfs:isDefinedBy . + +unit:MilliM_H2O a qudt:Unit ; + rdfs:label "Conventional Millimetre Of Water"@en, + "Conventional Millimeter Of Water"@en-us ; + dcterms:description "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm"^^rdf:HTML ; + qudt:conversionMultiplier 9.80665 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA875" ; + qudt:plainTextDescription "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm" ; + qudt:symbol "mmH₂0" ; + qudt:ucumCode "mm[H2O]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HP" ; + rdfs:isDefinedBy . + +unit:MilliM_HG a qudt:Unit ; + rdfs:label "Millimetre of Mercury"@en, + "Millimeter of Mercury"@en-us ; + dcterms:description "The millimeter of mercury is defined as the pressure exerted at the base of a column of fluid exactly 1 mm high, when the density of the fluid is exactly \\(13.5951 g/cm^{3}\\), at a place where the acceleration of gravity is exactly \\(9.80665 m/s^{2}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 133.322387415 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; + qudt:symbol "mmHg" ; + qudt:ucumCode "mm[Hg]"^^qudt:UCUMcs ; + qudt:udunitsCode "mmHg", + "mm_Hg", + "mm_hg", + "mmhg" ; + qudt:uneceCommonCode "HN" ; + rdfs:isDefinedBy . + +unit:MilliM_HGA a qudt:Unit ; + rdfs:label "Millimetre of Mercury - Absolute"@en, + "Millimeter of Mercury - Absolute"@en-us ; + dcterms:description "Millimeters of Mercury inclusive of atmospheric pressure"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "mmHgA" ; + qudt:ucumCode "mm[Hg]{absolute}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliTORR a qudt:Unit ; + rdfs:label "MilliTorr"@en ; + dcterms:description "\"MilliTorr\" is a unit for 'Force Per Area' expressed as \\(utorr\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 0.133322 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "mTorr" ; + rdfs:isDefinedBy . + +unit:N-PER-CentiM2 a qudt:Unit ; + rdfs:label "Newton Per Square Centimetre"@en, + "Newton Per Square Centimeter"@en-us ; + dcterms:description "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10000.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB183" ; + qudt:plainTextDescription "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; + qudt:symbol "N/cm²" ; + qudt:ucumCode "N.cm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E01" ; + rdfs:isDefinedBy . + +unit:N-PER-MilliM2 a qudt:Unit ; + rdfs:label "Newton Per Square Millimetre"@en, + "Newton Per Square Millimeter"@en-us ; + dcterms:description "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA250" ; + qudt:plainTextDescription "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2" ; + qudt:symbol "N/mm²" ; + qudt:ucumCode "N.mm-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C56" ; + rdfs:isDefinedBy . + +unit:PDL-PER-FT2 a qudt:Unit ; + rdfs:label "Poundal per Square Foot"@en ; + dcterms:description "Poundal Per Square Foot (\\(pdl/ft^2\\)) is a unit in the category of Pressure. It is also known as poundals per square foot, poundal/square foot. This unit is commonly used in the UK, US unit systems. Poundal Per Square Foot has a dimension of \\(ML^{-1}T^{-2}\\), where M is mass, L is length, and T is time. It can be converted to the corresponding standard SI unit \\si{Pa} by multiplying its value by a factor of 1.488163944."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.48816443 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(pdl/ft^2\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB243" ; + qudt:informativeReference "http://www.efunda.com/glossary/units/units--pressure--poundal_per_square_foot.cfm"^^xsd:anyURI ; + qudt:symbol "pdl/ft²" ; + qudt:ucumCode "[lb_av].[ft_i].s-2.[sft_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N21" ; + rdfs:isDefinedBy . + +unit:PlanckPressure a qudt:Unit ; + rdfs:label "Planck Pressure"@en ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 4.63309e+113 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_pressure"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_pressure?oldid=493640883"^^xsd:anyURI ; + qudt:symbol "planckpressure" ; + rdfs:isDefinedBy . + +unit:TORR a qudt:Unit ; + rdfs:label "Torr"@en ; + dcterms:description "

The \\textit{torr} is a non-SI unit of pressure with the ratio of 760 to 1 standard atmosphere, chosen to be roughly equal to the fluid pressure exerted by a millimeter of mercury, i.e. , a pressure of 1 torr is approximately equal to one millimeter of mercury. Note that the symbol (Torr) is spelled exactly the same as the unit (torr), but the letter case differs. The unit is written lower-case, while the symbol of the unit (Torr) is capitalized (as upper-case), as is customary in metric units derived from names. Thus, it is correctly written either way, and is only incorrect when specification is first made that the word is being used as a unit, or else a symbol of the unit, and then the incorrect letter case for the specified use is employed.

"^^rdf:HTML ; + qudt:conversionMultiplier 133.322 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB022" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "Torr" ; + qudt:uneceCommonCode "UA" ; + rdfs:isDefinedBy . + +s223:Medium-Electricity a s223:Class, + s223:Medium-Electricity, + sh:NodeShape ; + rdfs:label "Electricity" ; + rdfs:comment "This class has enumerated subclasses of all forms of electricity, including AC and DC." ; + rdfs:subClassOf s223:Substance-Medium . + +quantitykind:PowerPerArea a qudt:QuantityKind ; + rdfs:label "Power Per Area"@en ; + qudt:applicableUnit unit:BTU_IT-PER-HR-FT2, + unit:BTU_IT-PER-SEC-FT2, + unit:ERG-PER-CentiM2-SEC, + unit:FT-LB_F-PER-FT2-SEC, + unit:J-PER-CentiM2-DAY, + unit:KiloCAL-PER-CentiM2-MIN, + unit:KiloCAL-PER-CentiM2-SEC, + unit:MicroW-PER-M2, + unit:MilliW-PER-M2, + unit:PSI-L-PER-SEC, + unit:PicoW-PER-M2, + unit:W-PER-CentiM2, + unit:W-PER-FT2, + unit:W-PER-IN2, + unit:W-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; + qudt:informativeReference "http://www.physicsforums.com/library.php?do=view_item&itemid=406"^^xsd:anyURI ; + rdfs:isDefinedBy . + +unit:BARAD a qudt:Unit ; + rdfs:label "Barad"@en ; + dcterms:description "A barad is a dyne per square centimetre (\\(dyn \\cdot cm^{-2}\\)), and is equal to \\(0.1 Pa \\) (\\(1 \\, micro \\, bar\\), \\(0.000014504 \\, p.s.i.\\)). Note that this is precisely the microbar, the confusable bar being related in size to the normal atmospheric pressure, at \\(100\\,dyn \\cdot cm^{-2}\\). Accordingly barad was not abbreviated, so occurs prefixed as in \\(cbarad = centibarad\\). Despite being the coherent unit for pressure in c.g.s., barad was probably much less common than the non-coherent bar. Barad is sometimes called \\(barye\\), a name also used for \\(bar\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:exactMatch unit:BARYE ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:symbol "Ba" ; + rdfs:isDefinedBy . + +unit:BARYE a qudt:Unit ; + rdfs:label "Barye"@en ; + dcterms:description "

The barye, or sometimes barad, barrie, bary, baryd, baryed, or barie, is the centimetre-gram-second (CGS) unit of pressure. It is equal to 1 dyne per square centimetre.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.1 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Barye"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:exactMatch unit:BARAD ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Barye?oldid=478631158"^^xsd:anyURI ; + qudt:latexDefinition "\\(g/(cm\\cdot s{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "Ba" ; + rdfs:isDefinedBy ; + skos:altLabel "barad", + "barie", + "bary", + "baryd", + "baryed" . + +unit:C a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "كولوم"@ar, + "кулон"@bg, + "coulomb"@cs, + "Coulomb"@de, + "κουλόμπ"@el, + "coulomb"@en, + "culombio"@es, + "کولمب/کولن"@fa, + "coulomb"@fr, + "קולון"@he, + "कूलम्ब"@hi, + "coulomb"@hu, + "coulomb"@it, + "クーロン"@ja, + "coulombium"@la, + "coulomb"@ms, + "kulomb"@pl, + "coulomb"@pt, + "coulomb"@ro, + "кулон"@ru, + "coulomb"@sl, + "coulomb"@tr, + "库伦"@zh ; + dcterms:description "The SI unit of electric charge. One coulomb is the amount of charge accumulated in one second by a current of one ampere. Electricity is actually a flow of charged particles, such as electrons, protons, or ions. The charge on one of these particles is a whole-number multiple of the charge e on a single electron, and one coulomb represents a charge of approximately 6.241 506 x 1018 e. The coulomb is named for a French physicist, Charles-Augustin de Coulomb (1736-1806), who was the first to measure accurately the forces exerted between electric charges."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Coulomb"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:derivedCoherentUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:hasQuantityKind quantitykind:ElectricCharge ; + qudt:iec61360Code "0112/2///62720#UAA130" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Coulomb?oldid=491815163"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "C" ; + qudt:ucumCode "C"^^qudt:UCUMcs ; + qudt:udunitsCode "C" ; + qudt:uneceCommonCode "COU" ; + rdfs:isDefinedBy . + +unit:CentiM_H2O a qudt:Unit ; + rdfs:label "Conventional Centimetre Of Water"@en, + "Conventional Centimeter Of Water"@en-us ; + dcterms:description "\\(\\textbf{Centimeter of Water}\\) is a C.G.S System unit for 'Force Per Area' expressed as \\(cm_{H2O}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 98.0665 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_of_water"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA402" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre_of_water?oldid=487656894"^^xsd:anyURI ; + qudt:plainTextDescription "non SI conforming unit of pressure that corresponds to the static pressure generated by a water column with a height of 1 centimetre" ; + qudt:symbol "cmH₂0" ; + qudt:ucumCode "cm[H2O]"^^qudt:UCUMcs ; + qudt:udunitsCode "cmH2O", + "cm_H2O" ; + qudt:uneceCommonCode "H78" ; + rdfs:isDefinedBy . + +unit:GR a qudt:DimensionlessUnit, + qudt:Unit ; + rdfs:label "Grade"@en ; + dcterms:description "the tangent of an angle of inclination multiplied by 100"^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Grade"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Grade?oldid=485504533"^^xsd:anyURI ; + qudt:symbol "gr" ; + rdfs:isDefinedBy . + +unit:MilliBAR a qudt:Unit ; + rdfs:label "Millibar"@en ; + dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:HectoPA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA810" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mbar" ; + qudt:ucumCode "mbar"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MBR" ; + rdfs:isDefinedBy . + +unit:PERMITTIVITY_REL a qudt:Unit ; + rdfs:label "Relative Permittivity"@en ; + dcterms:description """The \\(\\textit{relative permittivity}\\) of a material under given conditions reflects the extent to which it concentrates electrostatic lines of flux. In technical terms, it is the ratio of the amount of electrical energy stored in a material by an applied voltage, relative to that stored in a vacuum. Likewise, it is also the ratio of the capacitance of a capacitor using that material as a dielectric, compared to a similar capacitor that has a vacuum as its dielectric. Relative permittivity is a dimensionless number that is in general complex. The imaginary portion of the permittivity corresponds to a phase shift of the polarization P relative to E and leads to the attenuation of electromagnetic waves passing through the medium.

+

\\(\\epsilon_r(w) = \\frac{\\epsilon(w)}{\\epsilon_O}\\)\\ where \\(\\epsilon_r(w)\\) is the complex frequency-dependent absolute permittivity of the material, and \\(\\epsilon_O\\) is the vacuum permittivity."""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 8.854188e-12 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_static_permittivity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permittivity?oldid=489664437"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Relative_static_permittivity?oldid=334224492"^^xsd:anyURI, + "http://www.ncert.nic.in/html/learning_basket/electricity/electricity/charges%20&%20fields/absolute_permittivity.htm"^^xsd:anyURI ; + qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; + qudt:symbol "εᵣ" ; + qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:PPB a qudt:Unit ; + rdfs:label "Parts per billion"@en ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:iec61360Code "0112/2///62720#UAD926" ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "PPB" ; + qudt:ucumCode "[ppb]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "61" ; + rdfs:isDefinedBy . + +unit:PPM a qudt:Unit ; + rdfs:label "Parts per million"@en ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:iec61360Code "0112/2///62720#UAD925" ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "PPM" ; + qudt:ucumCode "[ppm]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "59" ; + rdfs:isDefinedBy . + +unit:PPTM a qudt:Unit ; + rdfs:label "Parts per Ten Million"@en ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-07 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:symbol "PPTM" ; + rdfs:isDefinedBy . + +unit:PPTR a qudt:Unit ; + rdfs:label "Parts per trillion"@en ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "PPTR" ; + qudt:ucumCode "[pptr]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H1T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H1T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 1 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ThermodynamicTemperature ; + qudt:latexDefinition "\\(H\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +prefix1:Micro a qudt:DecimalPrefix, + qudt:Prefix ; + rdfs:label "Micro"@en ; + dcterms:description "\"micro\" is a decimal prefix for expressing a value with a scaling of \\(10^{-6}\\)."^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Micro"^^xsd:anyURI ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Micro?oldid=491618374"^^xsd:anyURI ; + qudt:prefixMultiplier 1e-06 ; + qudt:symbol "μ" ; + qudt:ucumCode "u" ; + rdfs:isDefinedBy . + +quantitykind:InverseLength a qudt:QuantityKind ; + rdfs:label "Inverse Length"@en ; + dcterms:description "Reciprocal length or inverse length is a measurement used in several branches of science and mathematics. As the reciprocal of length, common units used for this measurement include the reciprocal metre or inverse metre (\\(m^{-1}\\)), the reciprocal centimetre or inverse centimetre (\\(cm^{-1}\\)), and, in optics, the dioptre."^^qudt:LatexString ; + qudt:applicableUnit unit:DPI, + unit:KY, + unit:MESH, + unit:NUM-PER-M, + unit:PER-ANGSTROM, + unit:PER-CentiM, + unit:PER-KiloM, + unit:PER-M, + unit:PER-MicroM, + unit:PER-MilliM, + unit:PER-NanoM, + unit:PER-PicoM ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_length"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:SpecificEnergy a qudt:QuantityKind ; + rdfs:label "Specific Energy"@en ; + dcterms:description "\\(\\textbf{Specific Energy}\\) is defined as the energy per unit mass. Common metric units are \\(J/kg\\). It is an intensive property. Contrast this with energy, which is an extensive property. There are two main types of specific energy: potential energy and specific kinetic energy. Others are the \\(\\textbf{gray}\\) and \\(\\textbf{sievert}\\), which are measures for the absorption of radiation. The concept of specific energy applies to a particular or theoretical way of extracting useful energy from the material considered that is usually implied by context. These intensive properties are each symbolized by using the lower case letter of the symbol for the corresponding extensive property, which is symbolized by a capital letter. For example, the extensive thermodynamic property enthalpy is symbolized by \\(H\\); specific enthalpy is symbolized by \\(h\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:BTU_IT-PER-LB, + unit:BTU_TH-PER-LB, + unit:CAL_IT-PER-GM, + unit:CAL_TH-PER-GM, + unit:ERG-PER-G, + unit:ERG-PER-GM, + unit:J-PER-GM, + unit:J-PER-KiloGM, + unit:KiloCAL-PER-GM, + unit:KiloJ-PER-KiloGM, + unit:KiloLB_F-FT-PER-LB, + unit:MegaJ-PER-KiloGM, + unit:MilliJ-PER-GM, + unit:N-M-PER-KiloGM ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; + qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Specific_energy"^^xsd:anyURI ; + qudt:latexDefinition "\\(e = E/m\\), where \\(E\\) is energy and \\(m\\) is mass."^^qudt:LatexString ; + qudt:symbol "e" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Enthalpy, + quantitykind:MassieuFunction, + quantitykind:PlanckFunction, + quantitykind:SpecificEnthalpy, + quantitykind:SpecificGibbsEnergy, + quantitykind:SpecificHelmholtzEnergy, + quantitykind:SpecificInternalEnergy, + unit:GRAY, + unit:SV . + +unit:DecaPA a qudt:Unit ; + rdfs:label "Decapascal"@en ; + dcterms:description "10-fold of the derived SI unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB375" ; + qudt:plainTextDescription "10-fold of the derived SI unit pascal" ; + qudt:prefix prefix1:Deca ; + qudt:symbol "daPa" ; + qudt:ucumCode "daPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H75" ; + rdfs:isDefinedBy . + +unit:GigaPA a qudt:Unit ; + rdfs:label "Gigapascal"@en ; + dcterms:description "1,000,000,000-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA153" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit pascal" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GPa" ; + qudt:ucumCode "GPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A89" ; + rdfs:isDefinedBy . + +unit:KIP_F-PER-IN2 a qudt:Unit ; + rdfs:label "Kip per Square Inch"@en ; + dcterms:description "\"Kip per Square Inch\" is a unit for 'Force Per Area' expressed as \\(kip/in^{2}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 6.894758e+06 ; + qudt:expression "\\(kip/in^{2}\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB242" ; + qudt:symbol "kip/in²" ; + qudt:ucumCode "k[lbf_av].[in_i]-2"^^qudt:UCUMcs ; + qudt:udunitsCode "ksi" ; + qudt:uneceCommonCode "N20" ; + rdfs:isDefinedBy . + +unit:KiloGM-PER-M-SEC2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilograms per metre per square second"@en ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:N-PER-M2, + unit:PA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:VaporPressure ; + qudt:siUnitsExpression "kg/m/s^2" ; + qudt:symbol "kg/(m⋅s²)" ; + qudt:ucumCode "kg.m-1.s-2"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloLB_F-PER-IN2 a qudt:Unit ; + rdfs:label "Kilopound Force Per Square Inch"@en ; + dcterms:description "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6.894758e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAB138" ; + qudt:plainTextDescription "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "kpsi" ; + qudt:ucumCode "k[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "84" ; + rdfs:isDefinedBy . + +unit:KiloPA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilopascal"@en ; + dcterms:description "Kilopascal is a unit of pressure. 1 kPa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 101.3 kPa = 1 atm. There are 1,000 pascals in 1 kilopascal."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal_%28unit%29"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA575" ; + qudt:symbol "kPa" ; + qudt:ucumCode "kPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KPA" ; + rdfs:isDefinedBy . + +unit:MegaPA a qudt:Unit ; + rdfs:label "Megapascal"@en ; + dcterms:description "1,000,000-fold of the derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA215" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit pascal" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MPa" ; + qudt:ucumCode "MPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MPA" ; + rdfs:isDefinedBy . + +unit:MegaPSI a qudt:Unit ; + rdfs:label "MPSI"@en ; + dcterms:description "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6894757800.0 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:plainTextDescription "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; + qudt:symbol "Mpsi" ; + qudt:ucumCode "[Mpsi]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MicroPA a qudt:Unit ; + rdfs:label "Micropascal"@en ; + dcterms:description "0.000001-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA073" ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit pascal" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μPa" ; + qudt:ucumCode "uPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B96" ; + rdfs:isDefinedBy . + +unit:MilliPA a qudt:Unit ; + rdfs:label "Millipascal"@en ; + dcterms:description "0.001-fold of the SI derived unit pascal"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA796" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit pascal" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mPa" ; + qudt:ucumCode "mPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "74" ; + rdfs:isDefinedBy . + +unit:PPTH a qudt:Unit ; + rdfs:label "Parts per thousand"@en ; + dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; + qudt:abbreviation "‰" ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; + qudt:symbol "‰" ; + qudt:ucumCode "[ppth]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NX" ; + rdfs:isDefinedBy ; + skos:altLabel "per mil" . + +s223:Frequency-50Hz a s223:Class, + s223:Frequency-50Hz, + sh:NodeShape ; + rdfs:label "50 Hertz" ; + s223:hasValue 50.0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:hasUnit unit:HZ ; + rdfs:comment "50 Hertz" ; + rdfs:subClassOf s223:Numerical-Frequency . + +qudt:IdentifiersAndDescriptionsPropertyGroup a sh:PropertyGroup ; + rdfs:label "Identifiers and Descriptions" ; + rdfs:isDefinedBy ; + sh:order 10.0 . + +qkdv:A0E0L-2I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-2I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassPerArea ; + qudt:latexDefinition "\\(L^-2 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:latexDefinition "\\(L^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:FRACTION a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Fraction"@en ; + dcterms:description "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio, + quantitykind:Reflectance ; + qudt:plainTextDescription "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself." ; + qudt:symbol "÷" ; + qudt:ucumCode "{fraction}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:HectoPA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Hectopascal"@en ; + dcterms:description "Hectopascal is a unit of pressure. 1 Pa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 1013 hPa = 1 atm. There are 100 pascals in 1 hectopascal."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:MilliBAR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA527" ; + qudt:symbol "hPa" ; + qudt:ucumCode "hPa"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A97" ; + rdfs:comment "Hectopascal is commonly used in meteorology to report values for atmospheric pressure. It is equivalent to millibar." ; + rdfs:isDefinedBy . + +unit:LB_F-PER-IN2 a qudt:Unit ; + rdfs:label "Pound Force per Square Inch"@en ; + dcterms:description "\"Pound Force per Square Inch\" is an Imperial unit for 'Force Per Area' expressed as \\(psia\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pounds_per_square_inch"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:PSI ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pounds_per_square_inch?oldid=485678341"^^xsd:anyURI ; + qudt:symbol "psia" ; + qudt:ucumCode "[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; + qudt:uneceCommonCode "PS" ; + rdfs:isDefinedBy . + +unit:N-PER-M2 a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Newtons Per Square Metre"@en, + "Newtons Per Square Meter"@en-us ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:KiloGM-PER-M-SEC2, + unit:PA ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfLinearSubgradeReaction, + quantitykind:VaporPressure ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:siUnitsExpression "N/m^2" ; + qudt:symbol "N/m²" ; + qudt:ucumCode "N.m-2"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C55" ; + rdfs:isDefinedBy . + +unit:PSI a qudt:Unit ; + rdfs:label "PSI"@en ; + dcterms:description "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6894.75789 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:LB_F-PER-IN2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:ForcePerArea, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:plainTextDescription "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; + qudt:symbol "psi" ; + qudt:ucumCode "[psi]"^^qudt:UCUMcs ; + qudt:udunitsCode "psi" ; + qudt:uneceCommonCode "PS" ; + rdfs:isDefinedBy . + +unit:PicoPA a qudt:Unit ; + rdfs:label "PicoPascal"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:BulkModulus, + quantitykind:ForcePerArea, + quantitykind:Fugacity, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:symbol "pPa" ; + rdfs:isDefinedBy . + +unit:CARAT a qudt:Unit ; + rdfs:label "Carat"@en ; + dcterms:description "The carat is a unit of mass equal to 200 mg and is used for measuring gemstones and pearls. The current definition, sometimes known as the metric carat, was adopted in 1907 at the Fourth General Conference on Weights and Measures, and soon afterward in many countries around the world. The carat is divisible into one hundred points of two milligrams each. Other subdivisions, and slightly different mass values, have been used in the past in different locations. In terms of diamonds, a paragon is a flawless stone of at least 100 carats (20 g). The ANSI X.12 EDI standard abbreviation for the carat is \\(CD\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 0.0002 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Carat"^^xsd:anyURI ; + qudt:expression "\\(Nm/ct\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB166" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Carat?oldid=477129057"^^xsd:anyURI ; + qudt:symbol "ct" ; + qudt:ucumCode "[car_m]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CTM" ; + rdfs:isDefinedBy ; + skos:altLabel "metric carat" . + +unit:CentiGM a qudt:Unit ; + rdfs:label "Centigram"@en ; + dcterms:description "0,000 01-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-05 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB077" ; + qudt:plainTextDescription "0,000 01-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cg" ; + qudt:ucumCode "cg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CGM" ; + rdfs:isDefinedBy . + +unit:DRAM_UK a qudt:Unit ; + rdfs:label "Dram (UK)"@en ; + dcterms:description "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 0.0017718451953125 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB181" ; + qudt:plainTextDescription "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight" ; + qudt:symbol "dr{UK}" ; + qudt:ucumCode "[dr_ap]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DRI" ; + rdfs:isDefinedBy . + +unit:DRAM_US a qudt:Unit ; + rdfs:label "Dram (US)"@en ; + dcterms:description "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.0038879346 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB180" ; + qudt:plainTextDescription "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)" ; + qudt:symbol "dr{US}" ; + qudt:ucumCode "[dr_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "dr", + "fldr" ; + qudt:uneceCommonCode "DRA" ; + rdfs:isDefinedBy . + +unit:DWT a qudt:Unit ; + rdfs:label "Penny Weight"@en ; + dcterms:description "\"Penny Weight\" is a unit for 'Mass' expressed as \\(dwt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.00155517384 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pennyweight"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pennyweight?oldid=486693644"^^xsd:anyURI ; + qudt:symbol "dwt" ; + qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DWT" ; + rdfs:isDefinedBy ; + skos:altLabel "dryquartus" . + +unit:DecaGM a qudt:Unit ; + rdfs:label "Decagram"@en ; + dcterms:description "0,01-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB075" ; + qudt:plainTextDescription "0,01-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Deca ; + qudt:symbol "dag" ; + qudt:ucumCode "dag"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DJ" ; + rdfs:isDefinedBy . + +unit:DeciGM a qudt:Unit ; + rdfs:label "Decigram"@en ; + dcterms:description "0.0001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.0001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB076" ; + qudt:plainTextDescription "0.0001-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dg" ; + qudt:ucumCode "dg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DG" ; + rdfs:isDefinedBy . + +unit:EarthMass a qudt:Unit ; + rdfs:label "Earth mass"@en ; + dcterms:description "Earth mass (\\(M_{\\oplus}\\)) is the unit of mass equal to that of the Earth. In SI Units, \\(1 M_{\\oplus} = 5.9722 \\times 10^{24} kg\\). Earth mass is often used to describe masses of rocky terrestrial planets. The four terrestrial planets of the Solar System, Mercury, Venus, Earth, and Mars, have masses of 0.055, 0.815, 1.000, and 0.107 Earth masses respectively."^^qudt:LatexString ; + qudt:conversionMultiplier 5.97219e+24 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Earth_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Earth_mass?oldid=495457885"^^xsd:anyURI ; + qudt:latexDefinition """One Earth mass can be converted to related units: + +81.3 Lunar mass (ML) +0.00315 Jupiter mass (MJ) (Jupiter has 317.83 Earth masses)[1] +0.0105 Saturn mass (Saturn has 95.16 Earth masses)[3] +0.0583 Neptune mass (Neptune has 17.147 Earth masses)[4] +0.000 003 003 Solar mass (\\(M_{\\odot}\\)) (The Sun has 332946 Earth masses)"""^^qudt:LatexString ; + qudt:symbol "M⊕" ; + rdfs:isDefinedBy . + +unit:FemtoGM a qudt:Unit ; + rdfs:label "FemtoGram"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.000000000000000001 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "fg" ; + rdfs:isDefinedBy . -s223:Electricity-DC a s223:Class, - s223:Electricity-DC, - sh:NodeShape ; - rdfs:label "DC Electricity" ; - rdfs:subClassOf s223:Medium-Electricity . +unit:GRAIN a qudt:Unit ; + rdfs:label "Grain"@en ; + dcterms:description "A grain is a unit of measurement of mass that is nominally based upon the mass of a single seed of a cereal. The grain is the only unit of mass measure common to the three traditional English mass and weight systems; the obsolete Tower grain was, by definition, exactly /64 of a troy grain. Since 1958, the grain or troy grain measure has been defined in terms of units of mass in the International System of Units as precisely 64.79891 milligrams. Thus, \\(1 gram \\approx 15.4323584 grains\\). There are precisely 7,000 grains per avoirdupois pound in the imperial and U.S. customary units, and 5,760 grains in the Troy pound."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 6.479891e-05 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Cereal"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA523" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Cereal?oldid=495222949"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "gr{UK}" ; + qudt:ucumCode "[gr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GRN" ; + rdfs:isDefinedBy . -s223:Electricity-Signal a s223:Class, - s223:Electricity-Signal, - sh:NodeShape ; - rdfs:label "Electricity Signal" ; - rdfs:subClassOf s223:Medium-Electricity . +unit:HectoGM a qudt:Unit ; + rdfs:label "Hectogram"@en ; + dcterms:description "0.1-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB079" ; + qudt:plainTextDescription "0.1-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Hecto ; + qudt:symbol "hg" ; + qudt:ucumCode "hg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HGM" ; + rdfs:isDefinedBy . -s223:EnumerationKind-HVACOperatingMode a s223:Class, - s223:EnumerationKind-HVACOperatingMode, - sh:NodeShape ; - rdfs:label "HVAC system/equipment operating mode. The policy under which the system is operating." ; - rdfs:subClassOf s223:EnumerationKind . +unit:LB_T a qudt:Unit ; + rdfs:label "Pound Troy"@en ; + dcterms:description "An obsolete unit of mass; the Troy Pound has been defined as exactly 5760 grains, or 0.3732417216 kg. A Troy Ounce is 1/12th of a Troy Pound."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.3732417216 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbt" ; + qudt:ucumCode "[lb_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LBT" ; + rdfs:isDefinedBy . -s223:EnumerationKind-HVACOperatingStatus a s223:Class, - s223:EnumerationKind-HVACOperatingStatus, - sh:NodeShape ; - rdfs:label "HVAC system/equipment operating status. What the system is currently doing." ; - rdfs:subClassOf s223:EnumerationKind . +unit:LunarMass a qudt:Unit ; + rdfs:label "Lunar mass"@en ; + qudt:conversionMultiplier 7.346e+22 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Moon"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Moon?oldid=494566371"^^xsd:anyURI ; + qudt:symbol "M☾" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Occupancy a s223:Class, - s223:EnumerationKind-Occupancy, - sh:NodeShape ; - rdfs:label "Occupancy status" ; - rdfs:subClassOf s223:EnumerationKind . +unit:MegaGM a qudt:Unit ; + rdfs:label "Megagram"@en ; + dcterms:description "1 000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA228" ; + qudt:plainTextDescription "1 000-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "Mg" ; + qudt:ucumCode "Mg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "2U" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Phase a s223:Class, - s223:EnumerationKind-Phase, - sh:NodeShape ; - rdfs:label "EnumerationKind-Phase" ; - rdfs:subClassOf s223:EnumerationKind . +unit:MicroGM a qudt:Unit ; + rdfs:label "Microgram"@en ; + dcterms:description "0.000000001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA082" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "μg" ; + qudt:ucumCode "ug"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MC" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Substance a s223:Class, - s223:EnumerationKind-Substance, - sh:NodeShape ; - rdfs:label "Substance" ; - rdfs:comment "This class has enumerated instances of the substances that are consumed, produced, transported, sensed, controlled or otherwise interacted with (e.g. water, air, etc.)." ; - rdfs:subClassOf s223:EnumerationKind . +unit:MilliGM a qudt:Unit ; + rdfs:label "Milligram"@en ; + dcterms:description "0.000001-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA815" ; + qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mg" ; + qudt:ucumCode "mg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MGM" ; + rdfs:isDefinedBy . -s223:connectedTo a rdf:Property ; - rdfs:label "connected to" ; - s223:inverseOf s223:connectedFrom ; - rdfs:comment "The relation connectedTo indicates that connectable things are connected with a specific flow direction. A is connectedTo B, means a directionality beginning at A and ending at B. The inverse direction is indicated by connectedFrom (see `s223:connectedFrom`)." ; - rdfs:domain s223:Equipment . +unit:NanoGM a qudt:Unit ; + rdfs:label "Nanograms"@en ; + dcterms:description "10**-9 grams or one 10**-12 of the SI standard unit of mass (kilogram)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:prefix prefix1:Nano ; + qudt:symbol "ng" ; + qudt:ucumCode "ng"^^qudt:UCUMcs ; + rdfs:isDefinedBy . -s223:hasPropertyShape a sh:PropertyShape ; - rdfs:label "has Property Shape" ; - rdfs:comment "Can be associated with a Property by hasProperty" ; - sh:class s223:Property ; - sh:path s223:hasProperty . +unit:OZ_TROY a qudt:Unit ; + rdfs:label "Ounce Troy"@en ; + dcterms:description "An obsolete unit of mass; the Troy Ounce is 1/12th of a Troy Pound. Based on the international definition of a Troy Pound as 5760 grains, the Troy Ounce is exactly 480 grains, or 0.0311034768 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:USCS ; + qudt:conversionMultiplier 0.0311034768 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz{Troy}" ; + qudt:ucumCode "[oz_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "APZ" ; + rdfs:isDefinedBy . -s223:observes a rdf:Property ; - rdfs:label "observes" ; - rdfs:comment "The relation observes binds a sensor to the ObservableProperty representing the measured value." . +unit:Pennyweight a qudt:Unit ; + rdfs:label "Pennyweight"@en ; + dcterms:description "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg"^^rdf:HTML ; + qudt:conversionMultiplier 0.001555174 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB182" ; + qudt:plainTextDescription "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg" ; + qudt:symbol "dwt" ; + qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DWT" ; + rdfs:isDefinedBy . -s223:cnx a s223:SymmetricProperty ; - rdfs:label "cnx" ; - rdfs:comment "The cnx property is a symmetric property used to associate adjacent entities in a connection path (comprised of Equipment-ConnectionPoint-Connection-ConnectionPoint-Equipment sequences)." . +unit:PicoGM a qudt:Unit ; + rdfs:label "Picograms"@en ; + dcterms:description "10**-12 grams or one 10**-15 of the SI standard unit of mass (kilogram)."@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pg" ; + qudt:ucumCode "pg"^^qudt:UCUMcs ; + rdfs:isDefinedBy . -s223:hasDomain a rdf:Property ; - rdfs:label "has domain" ; - rdfs:comment "The relation hasDomain is used to indicate what domain a Zone or DomainSpace pertains to (e.g. HVAC, lighting, electrical, etc.). Possible values are defined in EnumerationKind-Domain (see `s223:EnumerationKind-Domain`)." . +unit:Quarter_UK a qudt:Unit ; + rdfs:label "Quarter (UK)"@en ; + dcterms:description "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 12.70058636 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB202" ; + qudt:plainTextDescription "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb" ; + qudt:symbol "quarter" ; + qudt:ucumCode "28.[lb_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "QTR" ; + rdfs:isDefinedBy . -s223:mapsTo a rdf:Property ; - rdfs:label "mapsTo" ; - rdfs:comment "The relation mapsTo is used to associate a ConnectionPoint of an Equipment to a corresponding ConnectionPoint of the Equipment containing it. The associated ConnectionPoints must have the same direction (see `s223:EnumerationKind-Direction`)." . +unit:SLUG a qudt:Unit ; + rdfs:label "Slug"@en ; + dcterms:description "The slug is a unit of mass associated with Imperial units. It is a mass that accelerates by \\(1 ft/s\\) when a force of one pound-force (\\(lbF\\)) is exerted on it. With standard gravity \\(gc = 9.80665 m/s\\), the international foot of \\(0.3048 m\\) and the avoirdupois pound of \\(0.45359237 kg\\), one slug therefore has a mass of approximately \\(32.17405 lbm\\) or \\(14.593903 kg\\). At the surface of the Earth, an object with a mass of 1 slug exerts a force of about \\(32.17 lbF\\) or \\(143 N\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 14.593903 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Slug"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA978" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Slug?oldid=495010998"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "slug" ; + qudt:uneceCommonCode "F13" ; + rdfs:isDefinedBy . -qudt:hasQuantityKind rdfs:comment "A reference to the QuantityKind of a QuantifiableProperty of interest, e.g. quantitykind:Temperature." . +unit:SolarMass a qudt:Unit ; + rdfs:label "Solar mass"@en ; + dcterms:description "The astronomical unit of mass is the solar mass.The symbol \\(S\\) is often used in astronomy to refer to this unit, although \\(M_{\\odot}\\) is also common. The solar mass, \\(1.98844 \\times 10^{30} kg\\), is a standard way to express mass in astronomy, used to describe the masses of other stars and galaxies. It is equal to the mass of the Sun, about 333,000 times the mass of the Earth or 1,048 times the mass of Jupiter. In practice, the masses of celestial bodies appear in the dynamics of the solar system only through the products GM, where G is the constant of gravitation."^^qudt:LatexString ; + qudt:conversionMultiplier 1.988435e+30 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Solar_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Solar_mass?oldid=494074016"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "S" ; + rdfs:isDefinedBy . -s223:Connection a s223:Class, - sh:NodeShape ; - rdfs:label "Connection" ; - rdfs:comment """A Connection is the modeling construct used to represent a physical thing (e.g., pipe, duct, or wire) that is used to convey some Medium (e.g., water, air, or electricity) between two connectable things. All Connections have two or more ConnectionPoints bound to either Equipment (see `s223:Equipment`) or DomainSpace (see `s223:DomainSpace`). If the direction of flow is constrained, that constraint is indicated by using one or more InletConnectionPoints (see `s223:InletConnectionPoint`) to represent the inflow points and OutletConnectionPoints (see `s223:OutletConnectionPoint`) to represent the outflow points. - -A Connection may contain branches or intersections. These are modeled using Segments (see `s223:Segment`) and Junctions (see `s223:Junction`). -""" ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Connection can be associated with any number of ConnectionPoints using the relation connectsAt" ; - sh:class s223:ConnectionPoint ; - sh:path s223:connectsAt ], - [ rdfs:comment "A Connection can be associated with any number of Connectables using the relation connectsFrom" ; - sh:class s223:Connectable ; - sh:name "ConnectionToUpstreamConnectableShape" ; - sh:path s223:connectsFrom ], - [ rdfs:comment "A Connection can be associated with any number of Connectables using the relation connectsTo" ; - sh:class s223:Connectable ; - sh:name "ConnectionToDownstreamConnectableShape" ; - sh:path s223:connectsTo ], - [ rdfs:comment "A Connection must be associated with one EnumerationKind-Medium using the relation hasMedium" ; - sh:class s223:EnumerationKind-Medium ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:name "Connection medium" ; - sh:path s223:hasMedium ], - [ sh:class s223:EnumerationKind-Phase ; - sh:path s223:hasPhase ], - [ rdfs:comment "A Connection can be associated with an EnumerationKind-Role using the relation hasRole" ; - sh:class s223:EnumerationKind-Role ; - sh:path s223:hasRole ], - [ sh:name "Test for compatible declared Medium" ; - sh:path s223:hasMedium ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the associated Connection." ; - sh:message "{$this} with Medium {?m2} is incompatible with {?cp} with Medium {?m1}." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?m2 ?cp ?m1 -WHERE { -$this s223:cnx ?cp . -?cp a/rdfs:subClassOf* s223:ConnectionPoint . -?cp s223:hasMedium ?m1 . -$this s223:hasMedium ?m2 . -FILTER (?m1 != ?m2 ) . -FILTER (NOT EXISTS {?m2 a/rdfs:subClassOf* ?m1}) . -FILTER (NOT EXISTS {?m1 a/rdfs:subClassOf* ?m2}) . -} -""" ] ], - s223:hasPropertyShape ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectsFrom relationship" ; - sh:construct """ -CONSTRUCT {$this s223:connectsFrom ?equipment .} -WHERE { -$this s223:connectsAt ?cp . -?cp a s223:OutletConnectionPoint . -?cp s223:isConnectionPointOf ?equipment . -} -""" ; - sh:name "InferredConnectionToUpstreamEquipmentProperty" ; - sh:prefixes s223: ], - [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectsTo relationship" ; - sh:construct """ -CONSTRUCT {$this s223:connectsTo ?equipment .} -WHERE { -$this s223:connectsAt ?cp . -?cp a s223:InletConnectionPoint . -?cp s223:isConnectionPointOf ?equipment . -} -""" ; - sh:name "InferredConnectionToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], - [ a sh:TripleRule ; - rdfs:comment "Infer cnx relationship from connectsAt", - "InferredConnectionToConnectionPointBaseProperty" ; - sh:object [ sh:path s223:connectsAt ] ; - sh:predicate s223:cnx ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer cnx relationship from connectsThrough", - "InferredConnectionToConnectionPointBasePropertyFromInverse" ; - sh:object [ sh:path [ sh:inversePath s223:connectsThrough ] ] ; - sh:predicate s223:cnx ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer the connectsAt relationship from cnx", - "InferredConnectionToConnectionPointProperty" ; - sh:object [ sh:path s223:cnx ] ; - sh:predicate s223:connectsAt ; - sh:subject sh:this ] . +unit:Stone_UK a qudt:Unit ; + rdfs:label "Stone (UK)"@en ; + dcterms:description "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 6.35029318 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB081" ; + qudt:plainTextDescription "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)" ; + qudt:symbol "st{UK}" ; + qudt:ucumCode "[stone_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STI" ; + rdfs:isDefinedBy . -s223:hasMeasurementLocation a rdf:Property ; - rdfs:label "has measurement location" ; - rdfs:comment "The relation hasMeasurementLocation associates a sensor to the topological location where it is measuring. The measurement location can be a ConnectionPoint, Connection, Segment or a DomainSpace." . +unit:TON_Assay a qudt:Unit ; + rdfs:label "Assay Ton"@en ; + dcterms:description "In the United States, a unit of mass, approximately \\(29.167\\, grams\\). The number of milligrams of precious metal in one assay ton of the ore being tested is equal to the number of troy ounces of pure precious metal in one 2000-pound ton of the ore. i.e. a bead is obtained that weights 3 milligrams, thus the precious metals in the bead would equal three troy ounces to each ton of ore with the understanding that this varies considerably in the real world as the amount of precious values in each ton of ore varies considerably."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 0.02916667 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://www.assaying.org/assayton.htm"^^xsd:anyURI ; + qudt:symbol "AT" ; + rdfs:isDefinedBy . -s223:Property a s223:Class, - sh:NodeShape ; - rdfs:label "Property" ; - rdfs:comment """An attribute, quality, or characteristic of a feature of interest. +quantitykind:Area a qudt:QuantityKind ; + rdfs:label "مساحة"@ar, + "Площ"@bg, + "plocha"@cs, + "Fläche"@de, + "Ταχύτητα"@el, + "area"@en, + "área"@es, + "مساحت"@fa, + "aire"@fr, + "superficie"@fr, + "שטח"@he, + "क्षेत्रफल"@hi, + "area"@it, + "面積"@ja, + "Keluasan"@ms, + "pole powierzchni"@pl, + "área"@pt, + "arie"@ro, + "Площадь"@ru, + "površina"@sl, + "alan"@tr, + "面积"@zh ; + dcterms:description "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve."^^rdf:HTML ; + qudt:applicableUnit unit:AC, + unit:ARE, + unit:BARN, + unit:CentiM2, + unit:DecaARE, + unit:DeciM2, + unit:FT2, + unit:HA, + unit:IN2, + unit:M2, + unit:MI2, + unit:MIL_Circ, + unit:MicroM2, + unit:MilliM2, + unit:NanoM2, + unit:PlanckArea, + unit:YD2 ; + qudt:baseCGSUnitDimensions "cm^2" ; + qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Area"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; + qudt:plainTextDescription "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve." ; + rdfs:isDefinedBy . -The Property class is the parent of all variations of a property, which are: -ActuatableProperty - parent of subclass of properties that can be modified by user or machine outside of the model (typically command) -ObservableProperty - parent of subclass of properties that can not be modified by user or machine outside of the model (typically measures) -EnumerableProperty - parent of subclass of properties defined by EnumerationKind -QuantifiableProperty - parent of subclass of properties defined by numerical values +quantitykind:Force a qudt:QuantityKind ; + rdfs:label "وحدة القوة في نظام متر كيلوغرام ثانية"@ar, + "сила"@bg, + "Síla"@cs, + "Kraft"@de, + "Δύναμη"@el, + "force"@en, + "fuerza"@es, + "نیرو"@fa, + "force"@fr, + "כוח"@he, + "बल"@hi, + "भार"@hi, + "erő"@hu, + "forza"@it, + "力"@ja, + "vis"@la, + "Daya"@ms, + "siła"@pl, + "força"@pt, + "forță"@ro, + "Сила"@ru, + "sila"@sl, + "kuvvet"@tr, + "力"@zh ; + dcterms:description "\"Force\" is an influence that causes mass to accelerate. It may be experienced as a lift, a push, or a pull. Force is defined by Newton's Second Law as \\(F = m \\times a \\), where \\(F\\) is force, \\(m\\) is mass and \\(a\\) is acceleration. Net force is mathematically equal to the time rate of change of the momentum of the body on which it acts. Since momentum is a vector quantity (has both a magnitude and direction), force also is a vector quantity."^^qudt:LatexString ; + qudt:applicableUnit unit:CentiN, + unit:DYN, + unit:DeciN, + unit:GM_F, + unit:KIP_F, + unit:KiloGM_F, + unit:KiloLB_F, + unit:KiloN, + unit:KiloP, + unit:KiloPOND, + unit:LB_F, + unit:MegaLB_F, + unit:MegaN, + unit:MicroN, + unit:MilliN, + unit:N, + unit:OZ_F, + unit:PDL, + unit:PlanckForce, + unit:TON_F_US ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Force"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Force"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; + qudt:latexDefinition "\\(F = \\frac{dp}{dt}\\), where \\(F\\) is the resultant force acting on a body, \\(p\\) is momentum of a body, and \\(t\\) is time."^^qudt:LatexString ; + qudt:symbol "F" ; + rdfs:isDefinedBy . -And their different associations : -QuantifiableActuatableProperty -QuantifiableObservableProperty -EnumeratedObservableProperty -EnumeratedActuatableProperty +unit:CWT_LONG a qudt:Unit ; + rdfs:label "Long Hundred Weight"@en ; + dcterms:description "\"Hundred Weight - Long\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 50.80235 ; + qudt:exactMatch unit:Hundredweight_UK ; + qudt:expression "\\(cwt long\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "cwt{long}" ; + qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWI" ; + rdfs:isDefinedBy ; + skos:altLabel "British hundredweight" . -A QuantifiableProperty (or subClass thereof) must always be associated with a Unit and a QuantityKind, either explicitly from the Property, or through the associated Value. If the Unit is defined, the SHACL reasoner (if invoked) will figure out and assert the QuantityKind (the most general version). +unit:CWT_SHORT a qudt:Unit ; + rdfs:label "Hundred Weight - Short"@en ; + dcterms:description "\"Hundred Weight - Short\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 45.359237 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:Hundredweight_US ; + qudt:expression "\\(cwt\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "cwt{short}" ; + qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy ; + skos:altLabel "U.S. hundredweight" . -Enumerable properties must be associated with an EnumerationKind. -""" ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Property can be associated with any number of EnumerationKinds using the relation hasAspect" ; - sh:class s223:EnumerationKind ; - sh:path s223:hasAspect ], - [ rdfs:comment "A Property can use at most one relation hasValue if it is required to provide a static value in the model. It is not meant for real-time value (see ref:hasExternalReference)" ; - sh:maxCount 1 ; - sh:path s223:hasValue ], - [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Medium using the relation ofMedium" ; - sh:class s223:EnumerationKind-Medium ; - sh:maxCount 1 ; - sh:path s223:ofMedium ], - [ rdfs:comment "A Property can be associated with at most one EnumerationKind-Substance using the relation ofSubstance" ; - sh:class s223:EnumerationKind-Substance ; - sh:maxCount 1 ; - sh:path s223:ofSubstance ], - [ rdfs:comment "A Property can be associated with any number of ExternalReferences using the relation hasExternalReference" ; - sh:class ref:ExternalReference ; - sh:path ref:hasExternalReference ] ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "A Property instance cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; - sh:message "{$this} cannot be declared an instance of both an ActuatableProperty and an ObservableProperty." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this -WHERE { -$this a/rdfs:subClassOf* s223:ActuatableProperty . -$this a/rdfs:subClassOf* s223:ObservableProperty . -} -""" ] . +unit:DeciTONNE a qudt:Unit ; + rdfs:label "DeciTonne"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:DeciTON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "dt" ; + qudt:uneceCommonCode "DTN" ; + rdfs:isDefinedBy . -s223:hasProperty a rdf:Property ; - rdfs:label "has Property" . +unit:DeciTON_Metric a qudt:Unit ; + rdfs:label "Metric DeciTON"@en ; + dcterms:description "100-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:exactMatch unit:DeciTONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB078" ; + qudt:plainTextDescription "100-fold of the SI base unit kilogram" ; + qudt:symbol "dt" ; + qudt:ucumCode "dt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DTN" ; + rdfs:isDefinedBy . -s223:Connectable a s223:Class, - sh:NodeShape ; - rdfs:label "Connectable" ; - s223:abstract true ; - rdfs:comment "Connectable is an abstract class representing a thing (Equipment or DomainSpace) that can be connected via ConnectionPoints and Connections." ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connected" ; - sh:class s223:Connectable ; - sh:name "SymmetricConnectableToConnectableShape" ; - sh:path s223:connected ], - [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connectedFrom" ; - sh:class s223:Connectable ; - sh:path s223:connectedFrom ], - [ rdfs:comment "A Connectable can be associated with any number of Connections using the relation connectedThrough" ; - sh:class s223:Connection ; - sh:name "EquipmentToConnectionShape" ; - sh:path s223:connectedThrough ], - [ rdfs:comment "A Connectable can be associated with any number of other Connectables using the relation connectedTo" ; - sh:class s223:Connectable ; - sh:name "ConnectableToConnectableShape" ; - sh:path s223:connectedTo ], - [ rdfs:comment "A Connectable can be associated with any number of ConnectionPoints using the relation hasConnectionPoint" ; - sh:class s223:ConnectionPoint ; - sh:name "EquipmentToConnectionPointShape" ; - sh:path s223:hasConnectionPoint ], - [ rdfs:comment "A ConnectionPoint must be associated with Equipment or DomainSpace using the relation hasConnectionPoint." ; - sh:message "This ConnectionPoint must be associated with Equipment or PhysicalSpace using the relation hasConnectionPoint." ; - sh:path s223:isConnectionPointOf ; - sh:severity sh:Info ], - [ rdfs:comment "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:path s223:mapsTo ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "If a Connectable is s223:connected (high-level), it must eventually have the underlying cnx relations." ; - sh:message "{$this} is s223:connected (high-level) to {?otherC} but not yet connected at the cnx-level." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?otherC -WHERE { -$this s223:connected ?otherC . -FILTER NOT EXISTS {$this s223:cnx+ ?otherC} -} -""" ; - sh:severity sh:Warning ] ] ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the connected relationship for BiDirectional connections" ; - sh:construct """ -CONSTRUCT {$this s223:connected ?d2 .} -WHERE { -$this s223:connectedThrough/^s223:connectedThrough ?d2 . -FILTER ($this != ?d2) . -FILTER NOT EXISTS {$this s223:contains* ?d2} . -FILTER NOT EXISTS {?d2 s223:contains* $this} . -} -""" ; - sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], - [ a sh:TripleRule ; - rdfs:comment "Infer the connected relationship using connectedTo" ; - sh:name "InferredEquipmentToEquipmentPropertyfromconnectedTo" ; - sh:object [ sh:path s223:connectedTo ] ; - sh:predicate s223:connected ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer the connectedThrough relationship using hasConnectionPoint and connectsThrough" ; - sh:name "InferredEquipmentToConnectionProperty" ; - sh:object [ sh:path ( s223:hasConnectionPoint s223:connectsThrough ) ] ; - sh:predicate s223:connectedThrough ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer the hasConnectionPoint relationship using cnx" ; - sh:name "InferredEquipmentToConnectionPointProperty" ; - sh:object [ sh:path s223:cnx ] ; - sh:predicate s223:hasConnectionPoint ; - sh:subject sh:this ], - [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectedFrom relationship" ; - sh:construct """ -CONSTRUCT {$this s223:connectedFrom ?equipment .} -WHERE { -$this s223:hasConnectionPoint ?cp . -?cp a s223:InletConnectionPoint . -?cp s223:connectsThrough/s223:connectsFrom ?equipment . -} -""" ; - sh:name "InferredEquipmentToUpstreamEquipmentProperty" ; - sh:prefixes s223: ], - [ a sh:SPARQLRule ; - rdfs:comment "Infer the connectedTo relationship" ; - sh:construct """ -CONSTRUCT {$this s223:connectedTo ?equipment .} -WHERE { -$this s223:hasConnectionPoint ?cp . -?cp a s223:OutletConnectionPoint . -?cp s223:connectsThrough/s223:connectsTo ?equipment . -} -""" ; - sh:name "InferredEquipmentToDownstreamEquipmentProperty" ; - sh:prefixes s223: ], - [ a sh:TripleRule ; - rdfs:comment "Infer the cnx relationship from hasConnectionPoint" ; - sh:name "InferredEquipmentToConnectionPointCnxProperty" ; - sh:object [ sh:path s223:hasConnectionPoint ] ; - sh:predicate s223:cnx ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer the cnx relationship from isConnectionPointOf" ; - sh:name "InferredEquipmentToConnectionPointCnxPropertyFromInverse" ; - sh:object [ sh:path [ sh:inversePath s223:isConnectionPointOf ] ] ; - sh:predicate s223:cnx ; - sh:subject sh:this ], - [ a sh:TripleRule ; - rdfs:comment "Infer the connected relationship using connectedFrom" ; - sh:name "InferredEquipmentToEquipmentPropertyfromconnectedFrom" ; - sh:object [ sh:path s223:connectedFrom ] ; - sh:predicate s223:connected ; - sh:subject sh:this ] . +unit:Hundredweight_UK a qudt:Unit ; + rdfs:label "Hundredweight (UK)"@en ; + dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 50.80235 ; + qudt:exactMatch unit:CWT_LONG ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA405" ; + qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; + qudt:symbol "cwt{long}" ; + qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWI" ; + rdfs:isDefinedBy . + +unit:Hundredweight_US a qudt:Unit ; + rdfs:label "Hundredweight (US)"@en ; + dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 45.35924 ; + qudt:exactMatch unit:CWT_SHORT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA406" ; + qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; + qudt:symbol "cwt{short}" ; + qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CWA" ; + rdfs:isDefinedBy . + +unit:KiloTONNE a qudt:Unit ; + rdfs:label "KiloTonne"@en ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:exactMatch unit:KiloTON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "kt" ; + qudt:uneceCommonCode "KTN" ; + rdfs:isDefinedBy . + +unit:KiloTON_Metric a qudt:Unit ; + rdfs:label "Metric KiloTON"@en ; + dcterms:description "1 000 000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:exactMatch unit:KiloTONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB080" ; + qudt:plainTextDescription "1 000 000-fold of the SI base unit kilogram" ; + qudt:symbol "kton{short}" ; + qudt:ucumCode "kt"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KTN" ; + rdfs:isDefinedBy . + +unit:LB a qudt:Unit ; + rdfs:label "Pound Mass"@en ; + dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:LB_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbm" ; + qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lb" ; + qudt:uneceCommonCode "LBR" ; + rdfs:isDefinedBy . + +unit:LB_M a qudt:Unit ; + rdfs:label "Pound Mass"@en ; + dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.45359237 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:LB ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "lbm" ; + qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; + qudt:udunitsCode "lb" ; + qudt:uneceCommonCode "LBR" ; + rdfs:isDefinedBy . + +unit:OZ a qudt:Unit ; + rdfs:label "Ounce Mass"@en ; + dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.028349523125 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:OZ_M ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz" ; + qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ONZ" ; + rdfs:isDefinedBy . + +unit:OZ_M a qudt:Unit ; + rdfs:label "Ounce Mass"@en ; + dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.028349523125 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:exactMatch unit:OZ ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:symbol "oz" ; + qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "ONZ" ; + rdfs:isDefinedBy . + +unit:PlanckMass a qudt:Unit ; + rdfs:label "Planck Mass"@en ; + dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 2.17644e-08 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:latexSymbol "\\(m_P\\)"^^qudt:LatexString ; + qudt:symbol "planckmass" ; + rdfs:isDefinedBy . + +unit:TONNE a qudt:Unit ; + rdfs:label "Tonne"@en ; + dcterms:description "1,000-fold of the SI base unit kilogram"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:exactMatch unit:TON_Metric ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; + qudt:symbol "t" ; + qudt:ucumCode "t"^^qudt:UCUMcs ; + qudt:udunitsCode "t" ; + qudt:uneceCommonCode "TNE" ; + rdfs:isDefinedBy . + +unit:TON_LONG a qudt:Unit ; + rdfs:label "Long Ton"@en ; + dcterms:description """

Long ton (weight ton or imperial ton) is the name for the unit called the "ton" in the avoirdupois or Imperial system of measurements, as used in the United Kingdom and several other Commonwealth countries. One long ton is equal to 2,240 pounds (1,016 kg), 1.12 times as much as a short ton, or 35 cubic feet (0.9911 m3) of salt water with a density of 64 lb/ft3 (1.025 g/ml).

+

It has some limited use in the United States, most commonly in measuring the displacement of ships, and was the unit prescribed for warships by the Washington Naval Treaty 1922-for example battleships were limited to a mass of 35,000 long tons (36,000 t; 39,000 short tons).

"""^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1016.0469088 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:exactMatch unit:TON_UK ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Long_ton"^^xsd:anyURI ; + qudt:symbol "t{long}" ; + qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LTN" ; + rdfs:isDefinedBy . + +unit:TON_Metric a qudt:Unit ; + rdfs:label "Metric Ton"@en ; + dcterms:description "The tonne (SI unit symbol: t) is a metric system unit of mass equal to 1,000 kilograms (2,204.6 pounds). It is a non-SI unit accepted for use with SI. To avoid confusion with the ton, it is also known as the metric tonne and metric ton in the United States[3] and occasionally in the United Kingdom. In SI units and prefixes, the tonne is a megagram (Mg), a rarely-used symbol, easily confused with mg, for milligram."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Tonne"^^xsd:anyURI ; + qudt:exactMatch unit:TONNE ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne?oldid=492526238"^^xsd:anyURI ; + qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; + qudt:symbol "t" ; + qudt:ucumCode "t"^^qudt:UCUMcs ; + qudt:uneceCommonCode "TNE" ; + rdfs:isDefinedBy ; + skos:altLabel "metric-tonne" . + +unit:TON_SHORT a qudt:Unit ; + rdfs:label "Short Ton"@en ; + dcterms:description "

The short ton is a unit of mass equal to 2,000 pounds (907.18474 kg). In the United States it is often called simply ton without distinguishing it from the metric ton (tonne, 1,000 kilograms / 2,204.62262 pounds) or the long ton (2,240 pounds / 1,016.0469088 kilograms); rather, the other two are specifically noted. There are, however, some U.S. applications for which unspecified tons normally means long tons.

"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:USCS ; + qudt:conversionMultiplier 907.18474 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:exactMatch unit:TON_US ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Short_ton"^^xsd:anyURI ; + qudt:symbol "ton{short}" ; + qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STN" ; + rdfs:isDefinedBy . + +unit:TON_UK a qudt:Unit ; + rdfs:label "Ton (UK)"@en ; + dcterms:description "traditional Imperial unit for mass of cargo, especially in the shipping sector"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL ; + qudt:conversionMultiplier 1016.0 ; + qudt:exactMatch unit:TON_LONG ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB009" ; + qudt:plainTextDescription "unit of the mass according to the Imperial system of units" ; + qudt:symbol "ton{UK}" ; + qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "LTN" ; + rdfs:isDefinedBy . + +unit:TON_US a qudt:Unit ; + rdfs:label "Ton (US)"@en ; + dcterms:description "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 907.1847 ; + qudt:exactMatch unit:TON_SHORT ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB012" ; + qudt:plainTextDescription "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass." ; + qudt:symbol "ton{US}" ; + qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "STN" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Medium a s223:Class, - s223:EnumerationKind-Medium, - sh:NodeShape ; - rdfs:label "Medium" ; - rdfs:subClassOf s223:EnumerationKind . +qkdv:A0E0L0I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:PowerPerArea ; + qudt:latexDefinition "\\(M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . -s223:ConnectionPoint a s223:Class, +quantitykind:Dimensionless a qudt:QuantityKind ; + rdfs:label "Dimensionless"@en ; + dcterms:description "In dimensional analysis, a dimensionless quantity or quantity of dimension one is a quantity without an associated physical dimension. It is thus a \"pure\" number, and as such always has a dimension of 1. Dimensionless quantities are widely used in mathematics, physics, engineering, economics, and in everyday life (such as in counting). Numerous well-known quantities, such as \\(\\pi\\), \\(\\epsilon\\), and \\(\\psi\\), are dimensionless. By contrast, non-dimensionless quantities are measured in units of length, area, time, etc. Dimensionless quantities are often defined as products or ratios of quantities that are not dimensionless, but whose dimensions cancel out when their powers are multiplied."^^qudt:LatexString ; + qudt:applicableUnit unit:DECADE, + unit:Flight, + unit:GigaBasePair, + unit:HeartBeat, + unit:NP, + unit:NUM, + unit:OCT, + unit:RPK, + unit:SUSCEPTIBILITY_ELEC, + unit:SUSCEPTIBILITY_MAG, + unit:UNITLESS ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Dimensionless_quantity"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensionless_quantity"^^xsd:anyURI ; + qudt:symbol "U" ; + rdfs:isDefinedBy . + +unit:AMU a qudt:Unit ; + rdfs:label "Atomic mass unit"@en ; + dcterms:description "The \\(\\textit{Unified Atomic Mass Unit}\\) (symbol: \\(\\mu\\)) or \\(\\textit{dalton}\\) (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \\(\\textit{\"non-SI unit whose values in SI units must be obtained experimentally\"}\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 1.660539e-27 ; + qudt:exactMatch unit:Da, + unit:U ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; + qudt:symbol "amu" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:udunitsCode "u" ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy . + +unit:PA a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "باسكال"@ar, + "паскал"@bg, + "pascal"@cs, + "Pascal"@de, + "πασκάλ"@el, + "pascal"@en, + "pascal"@es, + "پاسگال"@fa, + "pascal"@fr, + "פסקל"@he, + "पास्कल"@hi, + "pascal"@hu, + "pascal"@it, + "パスカル"@ja, + "pascalium"@la, + "pascal"@ms, + "paskal"@pl, + "pascal"@pt, + "pascal"@ro, + "паскаль"@ru, + "pascal"@sl, + "pascal"@tr, + "帕斯卡"@zh ; + dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; + qudt:exactMatch unit:KiloGM-PER-M-SEC2, + unit:N-PER-M2 ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:BulkModulus, + quantitykind:ForcePerArea, + quantitykind:Fugacity, + quantitykind:ModulusOfElasticity, + quantitykind:ShearModulus, + quantitykind:VaporPressure ; + qudt:iec61360Code "0112/2///62720#UAA258" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; + qudt:omUnit ; + qudt:siUnitsExpression "N/m^2" ; + qudt:symbol "Pa" ; + qudt:ucumCode "Pa"^^qudt:UCUMcs ; + qudt:udunitsCode "Pa" ; + qudt:uneceCommonCode "PAL" ; + rdfs:isDefinedBy . + +unit:GM a qudt:Unit ; + rdfs:label "Gram"@en ; + dcterms:description "A unit of mass in the metric system. The name comes from the Greek gramma, a small weight identified in later Roman and Byzantine times with the Latin scripulum or scruple (the English scruple is equal to about 1.3 grams). The gram was originally defined to be the mass of one cubic centimeter of pure water, but to provide precise standards it was necessary to construct physical objects of specified mass. One gram is now defined to be 1/1000 of the mass of the standard kilogram, a platinum-iridium bar carefully guarded by the International Bureau of Weights and Measures in Paris for more than a century. (The kilogram, rather than the gram, is considered the base unit of mass in the SI.) The gram is a small mass, equal to about 15.432 grains or 0.035 273 966 ounce. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Gram"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA465" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Gram?oldid=493995797"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "g" ; + qudt:ucumCode "g"^^qudt:UCUMcs ; + qudt:udunitsCode "g" ; + qudt:uneceCommonCode "GRM" ; + rdfs:isDefinedBy . + +s223:NumberOfElectricalPhases-ThreePhase a s223:Class, + s223:NumberOfElectricalPhases-ThreePhase, sh:NodeShape ; - rdfs:label "ConnectionPoint" ; - s223:abstract true ; - rdfs:comment """ -A ConnectionPoint is an abstract modeling construct used to represent the fact that one connectable thing can be connected to another connectable thing using a Connection. It is the abstract representation of the flange, wire terminal, or other physical feature where a connection is made. Equipment and DomainSpaces can have one or more ConnectionPoints (see `s223:Connectable` and `s223:Connection`). + rdfs:label "Three Phase AC Electricity" ; + s223:hasValue 3.0 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasUnit unit:NUM ; + rdfs:comment "Three Phase AC Electricity" ; + rdfs:subClassOf s223:Numerical-NumberOfElectricalPhases . -A ConnectionPoint must constrained to relate to a specific medium such as air, water, or electricity which determines what other things can be connected to it. For example, constraining a ConnectionPoint to be for air means it cannot be used for an electrical connection. +qkdv:A0E0L-1I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Curvature, + quantitykind:InverseLength ; + qudt:latexDefinition "\\(L^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . -A ConnectionPoint belongs to exactly one connectable thing. +quantitykind:LinearVelocity a qudt:QuantityKind ; + rdfs:label "Linear Velocity"@en ; + dcterms:description "Linear Velocity, as the name implies deals with speed in a straight line, the units are often \\(km/hr\\) or \\(m/s\\) or \\(mph\\) (miles per hour). Linear Velocity (v) = change in distance/change in time, where \\(v = \\bigtriangleup d/\\bigtriangleup t\\)"^^qudt:LatexString ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:Velocity ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://au.answers.yahoo.com/question/index?qid=20080319082534AAtrClv"^^xsd:anyURI ; + qudt:symbol "v" ; + rdfs:isDefinedBy . -ConnectionPoints are represented graphically in this standard by a triangle with the point indicating a direction of flow, or a diamond in the case of a bidirectional connection as shown in Figure 5-2. +unit:AttoJ a qudt:Unit ; + rdfs:label "Attojoule"@en ; + dcterms:description "0,000 000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB125" ; + qudt:plainTextDescription "0.000000000000000001-fold of the derived SI unit joule" ; + qudt:prefix prefix1:Atto ; + qudt:symbol "aJ" ; + qudt:ucumCode "aJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A13" ; + rdfs:isDefinedBy . -![Figure 5-2. Graphical Representation of a ConnectionPoint.](figures/Figure_5-2_Graphical_Depiciton_of_Connection_Points.svg) +unit:ERG a qudt:Unit ; + rdfs:label "Erg"@en ; + dcterms:description "An erg is the unit of energy and mechanical work in the centimetre-gram-second (CGS) system of units, symbol 'erg'. Its name is derived from the Greek ergon, meaning 'work'. An erg is the amount of work done by a force of one dyne exerted for a distance of one centimeter. In the CGS base units, it is equal to one gram centimeter-squared per second-squared (\\(g \\cdot cm^2/s^2\\)). It is thus equal to \\(10^{-7}\\) joules or 100 nanojoules in SI units. \\(1 erg = 10^{-7} J = 100 nJ\\), \\(1 erg = 624.15 GeV = 6.2415 \\times 10^{11} eV\\), \\(1 erg = 1 dyne\\cdot cm = 1 g \\cdot cm^2/s^2\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:conversionMultiplier 1e-07 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Erg"^^xsd:anyURI ; + qudt:derivedCoherentUnitOfSystem sou:CGS ; + qudt:derivedUnitOfSystem sou:CGS, + sou:CGS-GAUSS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA429" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Erg?oldid=490293432"^^xsd:anyURI ; + qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{2}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:symbol "erg" ; + qudt:ucumCode "erg"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A57" ; + rdfs:isDefinedBy . - """ ; - rdfs:subClassOf s223:Concept ; - sh:property [ rdfs:comment "A ConnectionPoint should be associated with one Connection using the relation connectsThrough" ; - sh:class s223:Connection ; - sh:maxCount 1 ; - sh:message "This ConnectionPoint should eventually be associated with exactly one Connection." ; - sh:minCount 1 ; - sh:name "ConnectionPointToConnectionShape" ; - sh:path s223:connectsThrough ; - sh:severity sh:Info ], - [ rdfs:comment "A ConnectionPoint must be associated with one EnumerationKind-Medium using the relation hasMedium" ; - sh:class s223:EnumerationKind-Medium ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:name "ConnectionPoint medium" ; - sh:path s223:hasMedium ], - [ rdfs:comment "A ConnectionPoint can be associated with at most one Connectable using the relation isConnectionPointOf" ; - sh:class s223:Connectable ; - sh:maxCount 1 ; - sh:name "ConnectionPointToEquipmentShape" ; - sh:path s223:isConnectionPointOf ], - [ rdfs:comment "A ConnectionPoint can be associated with any number of Segments using the relation lnx" ; - sh:class s223:Segment ; - sh:path s223:lnx ], - [ rdfs:comment "A ConnectionPoint can be associated with at most one other ConnectionPoint using the relation mapsTo" ; - sh:class s223:ConnectionPoint ; - sh:maxCount 1 ; - sh:path s223:mapsTo ], - [ s223:description "A ConnectionPoint must be associated with Equipment or DomainSpace using the relation hasConnectionPoint." ; - sh:message "This ConnectionPoint must be associated with Equipment or PhysicalSpace using the relation hasConnectionPoint." ; - sh:path s223:isConnectionPointOf ; - sh:severity sh:Info ], - [ s223:description "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:path s223:mapsTo ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "If a CP mapsTo another CP, the respective Equipment should have a contains relation." ; - sh:message "{?otherEquipment} should contain {?equipment} because ConnectionPoint {$this} has a mapsTo relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT $this ?equipment ?otherEquipment -WHERE { -$this s223:mapsTo ?otherCP . -?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -FILTER NOT EXISTS {?otherEquipment s223:contains ?equipment} -} -""" ] ], - [ sh:name "Test for compatible declared Medium" ; - sh:path s223:hasMedium ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that the Medium identified by a ConnectionPoint via the s223:hasMedium relation is compatible with the Medium identified by the entity identified by the mapsTo+ relation." ; - sh:message "{$this} declares a Medium of {?a}, but the Medium of {?b} is declared by {?target} pointed to by the mapsTo+ relation." ; - sh:prefixes s223: ; - sh:select """ -SELECT DISTINCT $this ?a ?b ?target -WHERE { -$this s223:hasMedium ?a . -$this s223:mapsTo+ ?target . -?target s223:hasMedium ?b . -?a a/rdfs:subClassOf* s223:EnumerationKind-Medium . -?b a/rdfs:subClassOf* s223:EnumerationKind-Medium . -FILTER (?a != ?b ) . -FILTER (NOT EXISTS {?b a/rdfs:subClassOf* ?a}) . -FILTER (NOT EXISTS {?a a/rdfs:subClassOf* ?b}) . -} -""" ] ], - s223:hasPropertyShape . +unit:ExaJ a qudt:Unit ; + rdfs:label "Exajoule"@en ; + dcterms:description "1 000 000 000 000 000 000-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+18 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB122" ; + qudt:plainTextDescription "1,000,000,000,000,000,000-fold of the derived SI unit joule" ; + qudt:prefix prefix1:Exa ; + qudt:symbol "EJ" ; + qudt:ucumCode "EJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A68" ; + rdfs:isDefinedBy . -s223:Sensor a s223:Class, - sh:NodeShape ; - rdfs:label "Sensor" ; - rdfs:comment "A Sensor observes an ObservableProperty (see `s223:ObservableProperty`) which may be quantifiable (see `s223:QuantifiableObservableProperty`), such as a temperature, flowrate, or concentration, or Enumerable (see `s223:EnumeratedObservableProperty)`, such as an alarm state or occupancy state." ; - rdfs:subClassOf s223:AbstractSensor ; - sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer the hasMeasurementLocation relationship for a Sensor from the Property that it is observing, only if the location is unambiguous." ; - sh:construct """ -CONSTRUCT {$this s223:hasMeasurementLocation ?something .} -WHERE { -{ -SELECT ?prop (COUNT (DISTINCT ?measurementLocation) AS ?count) $this -WHERE { -FILTER (NOT EXISTS {$this s223:hasMeasurementLocation ?anything}) . -$this s223:observes ?prop . -?measurementLocation s223:hasProperty ?prop . -} -GROUP BY ?prop $this -} -FILTER (?count = 1) . -?something s223:hasProperty ?prop . -{?something a/rdfs:subClassOf* s223:Connectable} -UNION -{?something a/rdfs:subClassOf* s223:Connection} -UNION -{?something a/rdfs:subClassOf* s223:Segment} -UNION -{?something a/rdfs:subClassOf* s223:ConnectionPoint} -} -""" ; - sh:name "InferredMeasurementLocation" ; - sh:prefixes s223: ] ; - sh:xone ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Connectable ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Connection ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:Segment ; - sh:path s223:hasMeasurementLocation ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of Connectable, Connection, Segment, or ConnectionPoint by hasMeasurementLocation." ; - sh:class s223:ConnectionPoint ; - sh:path s223:hasMeasurementLocation ] ] ), - ( [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty by observes." ; - sh:class s223:QuantifiableObservableProperty ; - sh:path s223:observes ] ] [ sh:property [ rdfs:comment "A Sensor must be associated with exactly 1 of QuantifiableObservableProperty or EnumeratedObservableProperty by observes." ; - sh:class s223:EnumeratedObservableProperty ; - sh:path s223:observes ] ] ) . +unit:FT-LB_F a qudt:Unit ; + rdfs:label "Foot Pound Force"@en ; + dcterms:description "\"Foot Pound Force\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-lbf\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.35581807 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-pound_force"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(ft-lbf\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-pound_force?oldid=453269257"^^xsd:anyURI ; + qudt:symbol "ft⋅lbf" ; + qudt:ucumCode "[ft_i].[lbf_av]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "85" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Domain a s223:Class, - s223:EnumerationKind-Domain, - sh:NodeShape ; - rdfs:label "EnumerationKind Domain" ; - rdfs:subClassOf s223:EnumerationKind . +unit:FT-PDL a qudt:Unit ; + rdfs:label "Foot Poundal"@en ; + dcterms:description "\"Foot Poundal\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-pdl\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0421401100938048 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB220" ; + qudt:omUnit ; + qudt:symbol "ft⋅pdl" ; + qudt:uneceCommonCode "N46" ; + rdfs:isDefinedBy . -s223:hasRole a rdf:Property ; - rdfs:label "hasRole" ; - rdfs:comment "The relation hasRole is used to indicate the role of an Equipment, Connection, or System within a building (e.g., a heating coil will be associated with Role-Heating). Possible values are defined in EnumerationKind-Role (see `s223:EnumerationKind-Role`)." . +unit:FemtoJ a qudt:Unit ; + rdfs:label "Femtojoule"@en ; + dcterms:description "0,000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB124" ; + qudt:plainTextDescription "0.000000000000001-fold of the derived SI unit joule" ; + qudt:prefix prefix1:Femto ; + qudt:symbol "fJ" ; + qudt:ucumCode "fJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A70" ; + rdfs:isDefinedBy . -s223:contains a rdf:Property ; - rdfs:label "contains" . +unit:GigaW-HR a qudt:Unit ; + rdfs:label "Gigawatt Hour"@en ; + dcterms:description "1,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA155" ; + qudt:plainTextDescription "1 000 000 000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "GW⋅hr" ; + qudt:ucumCode "GW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GWH" ; + rdfs:isDefinedBy . -s223:Electricity-AC a s223:Class, - s223:Electricity-AC, - sh:NodeShape ; - rdfs:label "AC Electricity" ; - rdfs:subClassOf s223:Medium-Electricity . +unit:KiloEV a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilo Electron Volt"@en ; + dcterms:description "\"Kilo Electron Volt\" is a unit for 'Energy And Work' expressed as \\(keV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-16 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "keV" ; + qudt:ucumCode "keV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B29" ; + rdfs:isDefinedBy . -s223:Medium-Water a s223:Class, - s223:Medium-Water, - sh:NodeShape ; - rdfs:label "Medium-Water" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +unit:KiloV-A-HR a qudt:Unit ; + rdfs:label "Kilovolt Ampere Hour"@en ; + dcterms:description "product of the 1 000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB160" ; + qudt:plainTextDescription "product of the 1 000-fold of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "kV⋅A/hr" ; + qudt:ucumCode "kV.A.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C79" ; + rdfs:isDefinedBy . -s223:EnumerationKind-Role a s223:Class, - s223:EnumerationKind-Role, - sh:NodeShape ; - rdfs:label "Role" ; - rdfs:subClassOf s223:EnumerationKind . +unit:KiloV-A_Reactive-HR a qudt:Unit ; + rdfs:label "Kilovolt Ampere Reactive Hour"@en ; + dcterms:description "product of the 1,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3.6e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB195" ; + qudt:plainTextDescription "product of the 1 000-fold of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "kV⋅A{Reactive}⋅hr" ; + qudt:ucumCode "kV.A.h{reactive}"^^qudt:UCUMcs ; + qudt:uneceCommonCode "K3" ; + rdfs:isDefinedBy . -s223:Concept a s223:Class, - sh:NodeShape ; - rdfs:label "Concept" ; - s223:abstract true ; - rdfs:comment "This is the superclass of all classes defined in the 223 standard." ; - rdfs:subClassOf rdfs:Resource ; - sh:property [ rdfs:comment "A Concept can use the relation cnx" ; - sh:path s223:cnx ], - [ rdfs:comment "A Concept can use the relation hasProperty" ; - sh:path s223:hasProperty ], - [ rdfs:comment "A Concept can use the relation label" ; - sh:path rdfs:label ] ; - sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure that any instance that is declared to be an instance of an abstract class must also be declared an instance of at least one subClass of that abstract class" ; - sh:message "{$this} cannot be declared an instance of only abstract class {?class}." ; - sh:prefixes s223: ; - sh:select """ -SELECT DISTINCT $this ?class -WHERE { -?class s223:abstract true . -$this a ?class . -OPTIONAL { -?otherClass rdfs:subClassOf+ ?class . -$this a ?otherClass . -FILTER (?class != ?otherClass) . -} -FILTER (!bound (?otherClass)) . -} -""" ] . +unit:KiloW-HR a qudt:Unit ; + rdfs:label "Kilowatthour"@en ; + dcterms:description "The kilowatt hour, or kilowatt-hour, (symbol \\(kW \\cdot h\\), \\(kW h\\) or \\(kWh\\)) is a unit of energy equal to 1000 watt hours or 3.6 megajoules. For constant power, energy in watt hours is the product of power in watts and time in hours. The kilowatt hour is most commonly known as a billing unit for energy delivered to consumers by electric utilities."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilowatt_hour"^^xsd:anyURI ; + qudt:expression "\\(kW-h\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilowatt_hour?oldid=494927235"^^xsd:anyURI ; + qudt:symbol "kW⋅h" ; + qudt:ucumCode "kW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KWH" ; + rdfs:isDefinedBy . -s223:EnumerationKind a s223:Class, - s223:EnumerationKind, - sh:NodeShape ; - rdfs:label "Enumeration kind" ; - rdfs:comment "This is the encapsulating class for all EnumerationKinds. EnumerationKinds define the (closed) set of permissible values for a given purpose. For example, the DayOfWeek EnumerationKind enumerates the days of the week and allows no other values." ; - rdfs:subClassOf s223:Concept . +unit:MegaTOE a qudt:Unit ; + rdfs:label "Megaton of Oil Equivalent"@en ; + dcterms:description """

The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy).

+

Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"""^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1868e+16 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; + qudt:symbol "megatoe" ; + rdfs:isDefinedBy . -s223:Medium-Electricity a s223:Class, - s223:Medium-Electricity, - sh:NodeShape ; - rdfs:label "Electricity" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +unit:MegaV-A-HR a qudt:Unit ; + rdfs:label "Megavolt Ampere Hour"@en ; + dcterms:description "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "MV⋅A⋅hr" ; + qudt:ucumCode "MV.A.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . -s223:Medium-Air a s223:Class, - s223:Medium-Air, - sh:NodeShape ; - rdfs:label "Medium-Air" ; - rdfs:subClassOf s223:EnumerationKind-Medium . +unit:MegaV-A_Reactive-HR a qudt:Unit ; + rdfs:label "Megavolt Ampere Reactive Hour"@en ; + dcterms:description "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3.6e+09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB198" ; + qudt:plainTextDescription "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "MV⋅A{Reactive}⋅hr" ; + qudt:ucumCode "MV.A{reactive}.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MAH" ; + rdfs:isDefinedBy . + +unit:MegaW-HR a qudt:Unit ; + rdfs:label "Megawatt Hour"@en ; + dcterms:description "1,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA225" ; + qudt:plainTextDescription "1 000 000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "MW⋅hr" ; + qudt:ucumCode "MW.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MWH" ; + rdfs:isDefinedBy . + +unit:MicroJ a qudt:Unit ; + rdfs:label "Mikrojoule "@de, + "Micro Joule"@en, + "Micro Joule"@en-us ; + dcterms:description "0.000001-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:conversionOffset 0.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "0.000001-fold of the SI derived unit joule" ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µJ" ; + rdfs:isDefinedBy . + +unit:MilliJ a qudt:Unit ; + rdfs:label "Millijoule"@en ; + dcterms:description "0.001-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA792" ; + qudt:plainTextDescription "0.001-fold of the SI derived unit joule" ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mJ" ; + qudt:ucumCode "mJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C15" ; + rdfs:isDefinedBy . + +unit:PetaJ a qudt:Unit ; + rdfs:label "Petajoule"@en ; + dcterms:description "1,000,000,000,000,000-fold of the derived SI unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAB123" ; + qudt:plainTextDescription "1,000,000,000,000,000-fold of the derived SI unit joule" ; + qudt:prefix prefix1:Peta ; + qudt:symbol "PJ" ; + qudt:ucumCode "PJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C68" ; + rdfs:isDefinedBy . + +unit:PlanckEnergy a qudt:Unit ; + rdfs:label "Planck Energy"@en ; + dcterms:description "In physics, the unit of energy in the system of natural units known as Planck units is called the Planck energy, denoted by \\(E_P\\). \\(E_P\\) is a derived, as opposed to basic, Planck unit. An equivalent definition is:\\(E_P = \\hbar / T_P\\) where \\(T_P\\) is the Planck time. Also: \\(E_P = m_P c^2\\) where \\(m_P\\) is the Planck mass."^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.9561e+09 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_energy"^^xsd:anyURI ; + qudt:derivedUnitOfSystem sou:PLANCK ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_energy?oldid=493639955"^^xsd:anyURI ; + qudt:latexDefinition "\\(E_\\rho = \\sqrt{\\frac{ \\hbar c^5}{G}} \\approx 1.936 \\times 10^9 J \\approx 1.22 \\times 10^{28} eV \\approx 0.5433 MWh\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; + qudt:symbol "Eᵨ" ; + rdfs:isDefinedBy . + +unit:QUAD a qudt:Unit ; + rdfs:label "Quad"@en ; + dcterms:description "A quad is a unit of energy equal to \\(10 BTU\\), or \\(1.055 \\times \\SI{10}{\\joule}\\), which is \\(1.055 exajoule\\) or \\(EJ\\) in SI units. The unit is used by the U.S. Department of Energy in discussing world and national energy budgets. Some common types of an energy carrier approximately equal 1 quad are: 8,007,000,000 Gallons (US) of gasoline 293,083,000,000 Kilowatt-hours (kWh) 36,000,000 Tonnes of coal 970,434,000,000 Cubic feet of natural gas 5,996,000,000 UK gallons of diesel oil 25,200,000 Tonnes of oil 252,000,000 tonnes of TNT or five times the energy of the Tsar Bomba nuclear test."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 1.055e+18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Quad"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Quad?oldid=492086827"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "quad" ; + qudt:uneceCommonCode "N70" ; + rdfs:isDefinedBy . + +unit:TOE a qudt:Unit ; + rdfs:label "Ton of Oil Equivalent"@en ; + dcterms:description "

The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy). Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 4.1868e+10 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; + qudt:symbol "toe" ; + rdfs:isDefinedBy . + +unit:TeraJ a qudt:Unit ; + rdfs:label "Terajoule"@en ; + dcterms:description "1 000 000 000 000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+12 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA288" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit joule" ; + qudt:prefix prefix1:Tera ; + qudt:symbol "TJ" ; + qudt:ucumCode "TJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D30" ; + rdfs:isDefinedBy . + +unit:TeraW-HR a qudt:Unit ; + rdfs:label "Terawatt Hour"@en ; + dcterms:description "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3.6e+15 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA290" ; + qudt:plainTextDescription "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour" ; + qudt:symbol "TW⋅hr" ; + qudt:ucumCode "TW/h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D32" ; + rdfs:isDefinedBy . + +unit:TonEnergy a qudt:Unit ; + rdfs:label "Ton Energy"@en ; + dcterms:description "Energy equivalent of one ton of TNT"^^rdf:HTML ; + qudt:applicableSystem sou:CGS ; + qudt:conversionMultiplier 4.184e+09 ; + qudt:expression "\\(t/lbf\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "t/lbf" ; + qudt:ucumCode "Gcal"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V-A-HR a qudt:Unit ; + rdfs:label "Volt Ampere Hour"@en ; + dcterms:description "product of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the unit for apparent by ampere and the unit hour" ; + qudt:symbol "V⋅A⋅hr" ; + qudt:ucumCode "V.A.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:V-A_Reactive-HR a qudt:Unit ; + rdfs:label "Volt Ampere Reactive Hour"@en ; + dcterms:description "product of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:plainTextDescription "product of the unit volt ampere reactive and the unit hour" ; + qudt:symbol "V⋅A{reactive}⋅hr" ; + qudt:ucumCode "V.A{reactive}.h"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:W-HR a qudt:Unit ; + rdfs:label "Watthour"@en ; + dcterms:description "The watt hour is a unit of energy, equal to 3,600 joule."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 3600.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "W⋅hr" ; + qudt:ucumCode "W.h"^^qudt:UCUMcs ; + qudt:uneceCommonCode "WHR" ; + rdfs:isDefinedBy . + +unit:W-SEC a qudt:Unit ; + rdfs:label "Watt Second"@en ; + dcterms:description "product of the SI derived unit watt and SI base unit second"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:iec61360Code "0112/2///62720#UAA313" ; + qudt:plainTextDescription "product of the SI derived unit watt and SI base unit second" ; + qudt:symbol "W⋅s" ; + qudt:ucumCode "W.s"^^qudt:UCUMcs ; + qudt:uneceCommonCode "J55" ; + rdfs:isDefinedBy . + +unit:GigaEV a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Giga Electron Volt"@en ; + dcterms:description "\"Giga Electron Volt\" is a unit for 'Energy And Work' expressed as \\(GeV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-10 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "GeV" ; + qudt:ucumCode "GeV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A85" ; + rdfs:isDefinedBy . s223:OutletConnectionPoint a s223:Class, sh:NodeShape ; rdfs:label "Outlet Connection Point" ; - rdfs:comment "An OutletConnectionPoint indicates that a substance must flow out of the domain space at this connection point and cannot flow in the other direction. An OutletConnectionPoint is a predefined subclass of ConnectionPoint." ; + rdfs:comment "An OutletConnectionPoint indicates that a substance must flow out of a Connectable (see 's223:Connectable') at this connection point and cannot flow in the other direction. An OutletConnectionPoint is a predefined subclass of ConnectionPoint." ; rdfs:subClassOf s223:ConnectionPoint ; - sh:property [ rdfs:comment "An OutletConnectionPoint can be associated with one other OutletConnectionPoint using the relation mapsTo" ; + sh:property [ rdfs:comment "If the relation mapsTo is present it must associate the OutletConnectionPoint with an OutletConnectionPoint." ; sh:class s223:OutletConnectionPoint ; sh:path s223:mapsTo ], - [ rdfs:comment "Ensure an OutletCP does not mapsTo a subordinate OutletCP that is part of an internal Connection" ; + [ rdfs:comment "Ensure an OutletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; sh:path s223:mapsTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure a CP does not mapsTo a subordinate CP that is part of an internal Connection" ; - sh:message "{$this} should not have a mapsTo {?otherCP} because {?otherCP} participates in an internal Connection to {?destinationDevice}." ; - sh:prefixes s223: ; + rdfs:comment "Ensure an OutletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; + sh:message "{$this} must have a mapsTo an OutletConnectionPoint of {?parentEquipment} and not an external Connection to {?destinationEquipment}." ; + sh:prefixes ; sh:select """ -SELECT $this ?otherCP ?destinationDevice +SELECT $this ?parentEquipment ?destinationEquipment WHERE { -$this s223:mapsTo ?otherCP . ?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -?otherCP s223:connectsThrough/s223:connectsTo ?destinationDevice . -?destinationDevice s223:contains ?equipment . +?parentEquipment s223:contains ?equipment . +$this s223:connectsThrough/s223:connectsTo ?destinationEquipment . +FILTER NOT EXISTS {?parentEquipment s223:contains ?destinationEquipment} . +FILTER NOT EXISTS {$this s223:mapsTo ?anything} . } """ ] ] . +qkdv:A0E1L0I0M0H0T1D0 a qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E1L0I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 1 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:ElectricCharge ; + qudt:latexDefinition "\\(T I\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:BTU_IT a qudt:Unit ; + rdfs:label "British Thermal Unit (International Definition)"@en ; + dcterms:description "\\(\\textit{British Thermal Unit}\\) (BTU or Btu) is a traditional unit of energy equal to about \\(1.0550558526 \\textit{ kilojoule}\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) to \\(40 \\,^{\\circ}{\\rm F}\\) . The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\), though it may be used as a measure of agricultural energy production (BTU/kg). It is still used unofficially in metric English-speaking countries (such as Canada), and remains the standard unit of classification for air conditioning units manufactured and sold in many non-English-speaking metric countries."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1055.05585262 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI, + "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI, + "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; + qudt:symbol "Btu{IT}" ; + qudt:ucumCode "[Btu_IT]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "BTU" ; + rdfs:isDefinedBy . + +unit:BTU_TH a qudt:Unit ; + rdfs:label "British Thermal Unit (Thermochemical Definition)"@en ; + dcterms:description "(\\{\\bf (BTU_{th}}\\), British Thermal Unit (thermochemical definition), is a traditional unit of energy equal to about \\(1.0543502645 kilojoule\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(39 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1054.3502645 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI, + "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI, + "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; + qudt:symbol "Btu{th}" ; + qudt:ucumCode "[Btu_th]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CAL_IT a qudt:Unit ; + rdfs:label "International Table calorie"@en ; + dcterms:description "International Table calorie."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.1868 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; + qudt:symbol "cal{IT}" ; + qudt:ucumCode "cal_IT"^^qudt:UCUMcs ; + qudt:udunitsCode "cal" ; + qudt:uneceCommonCode "D70" ; + rdfs:isDefinedBy . + +unit:CAL_TH a qudt:Unit ; + rdfs:label "Thermochemical Calorie"@en ; + dcterms:description "The energy needed to increase the temperature of a given mass of water by \\(1 ^\\circ C\\) at atmospheric pressure depends on the starting temperature and is difficult to measure precisely. Accordingly, there have been several definitions of the calorie. The two perhaps most popular definitions used in older literature are the \\(15 ^\\circ C\\) calorie and the thermochemical calorie."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4.184 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie"^^xsd:anyURI ; + qudt:latexDefinition """\\(1 \\; cal_{th} = 4.184 J\\) + +\\(\\approx 0.003964 BTU\\) + +\\(\\approx 1.163 \\times 10^{-6} kWh\\) + +\\(\\approx 2.611 \\times 10^{19} eV\\)"""^^qudt:LatexString ; + qudt:symbol "cal" ; + qudt:ucumCode "cal_th"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D35" ; + rdfs:isDefinedBy . + +unit:GigaJ a qudt:Unit ; + rdfs:label "Gigajoule"@en ; + dcterms:description "1,000,000,000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+09 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA152" ; + qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit joule" ; + qudt:prefix prefix1:Giga ; + qudt:symbol "GJ" ; + qudt:ucumCode "GJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "GV" ; + rdfs:isDefinedBy . + +unit:KiloBTU_IT a qudt:Unit ; + rdfs:label "Kilo British Thermal Unit (International Definition)"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.055056e+05 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:symbol "kBtu{IT}" ; + qudt:ucumCode "k[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloBTU_TH a qudt:Unit ; + rdfs:label "Kilo British Thermal Unit (Thermochemical Definition)"@en ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.05435e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:symbol "kBtu{th}" ; + qudt:ucumCode "k[Btu_th]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:KiloCAL a qudt:Unit ; + rdfs:label "Kilocalorie"@en ; + dcterms:description "\\(\\textbf{Kilocalorie} is a unit for \\textit{Energy And Work} expressed as \\(kcal\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 4184.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Calorie"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie?oldid=494307622"^^xsd:anyURI ; + qudt:symbol "kcal" ; + qudt:ucumCode "kcal"^^qudt:UCUMcs ; + qudt:uneceCommonCode "E14" ; + rdfs:isDefinedBy . + +unit:KiloJ a qudt:Unit ; + rdfs:label "Kilojoule"@en ; + dcterms:description "1 000-fold of the SI derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA568" ; + qudt:plainTextDescription "1 000-fold of the SI derived unit joule" ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "kJ" ; + qudt:ucumCode "kJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KJO" ; + rdfs:isDefinedBy . + +unit:MegaJ a qudt:Unit ; + rdfs:label "Megajoule"@en ; + dcterms:description "1,000,000-fold of the derived unit joule"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e+06 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA211" ; + qudt:plainTextDescription "1,000,000-fold of the derived unit joule" ; + qudt:prefix prefix1:Mega ; + qudt:symbol "MJ" ; + qudt:ucumCode "MJ"^^qudt:UCUMcs ; + qudt:uneceCommonCode "3B" ; + rdfs:isDefinedBy . + +unit:THM_EEC a qudt:Unit ; + rdfs:label "THM_EEC"@en ; + qudt:expression "\\(therm-eec\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:symbol "thm{EEC}" ; + qudt:ucumCode "100000.[Btu_IT]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:THM_US a qudt:Unit ; + rdfs:label "Therm US"@en ; + dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. In the US gas industry its SI equivalent is defined as exactly \\(100,000 BTU59^\\circ F\\) or \\(105.4804 megajoules\\). Public utilities in the U.S. use the therm unit for measuring customer usage of gas and calculating the monthly bills."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1.054804e+08 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ThermalEnergy ; + qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; + qudt:symbol "thm{US}" ; + qudt:ucumCode "100000.[Btu_59]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N72" ; + rdfs:isDefinedBy . + s223:InletConnectionPoint a s223:Class, sh:NodeShape ; rdfs:label "Inlet Connection Point" ; rdfs:comment "An InletConnectionPoint indicates that a substance must flow into the equipment or domain space at this connection point and cannot flow the other direction. An IntletConnectionPoint is a subclass of ConnectionPoint." ; rdfs:subClassOf s223:ConnectionPoint ; - sh:property [ rdfs:comment "An InletConnectionPoint can ne associated with one other InletConnectionPoint using the relation mapsTo" ; + sh:property [ rdfs:comment "If the relation mapsTo is present it must associate the InletConnectionPoint with an InletConnectionPoint." ; sh:class s223:InletConnectionPoint ; sh:path s223:mapsTo ], - [ rdfs:comment "Ensure an InletCP does not mapsTo a subordinate InletCP that is part of an internal Connection" ; + [ rdfs:comment "Ensure an InletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; sh:path s223:mapsTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Ensure a CP does not mapsTo a subordinate CP that is part of an internal Connection" ; - sh:message "{$this} should not have a mapsTo {?otherCP} because {?otherCP} participates in an internal Connection from {?destinationDevice}." ; - sh:prefixes s223: ; + rdfs:comment "Ensure an InletConnectionPoint has a mapsTo relation to its containing Equipment if it has an external Connection" ; + sh:message "{$this} must have a mapsTo an InletConnectionPoint of {?parentEquipment} and not an external Connection from {?sourceEquipment}." ; + sh:prefixes ; + sh:select """ +SELECT $this ?parentEquipment ?sourceEquipment +WHERE { +?equipment s223:hasConnectionPoint $this . +?parentEquipment s223:contains ?equipment . +$this s223:connectsThrough/s223:connectsFrom ?sourceEquipment . +FILTER NOT EXISTS {?parentEquipment s223:contains ?sourceEquipment} . +FILTER NOT EXISTS {$this s223:mapsTo ?anything} . +} +""" ] ] . + +qkdv:A0E0L0I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyPerArea, + quantitykind:ForcePerLength ; + qudt:latexDefinition "\\(M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:ElectricCharge a qudt:QuantityKind ; + rdfs:label "الشحنة الكهربائية"@ar, + "Електрически заряд"@bg, + "Elektrický náboj"@cs, + "elektrische Ladung"@de, + "Ηλεκτρικό φορτίο"@el, + "electric charge"@en, + "carga eléctrica"@es, + "بار الکتریکی"@fa, + "Charge électrique"@fr, + "מטען חשמלי"@he, + "विद्युत आवेग या विद्युत बहाव"@hi, + "elektromos töltés"@hu, + "carica elettrica"@it, + "電荷"@ja, + "onus electricum"@la, + "Cas elektrik"@ms, + "ładunek elektryczny"@pl, + "carga elétrica"@pt, + "cantitate de electricitate"@ro, + "sarcină electrică"@ro, + "Электрический заряд"@ru, + "električni naboj"@sl, + "elektrik yükü"@tr, + "电荷"@zh ; + dcterms:description "\"Electric Charge\" is a fundamental conserved property of some subatomic particles, which determines their electromagnetic interaction. Electrically charged matter is influenced by, and produces, electromagnetic fields. The electric charge on a body may be positive or negative. Two positively charged bodies experience a mutual repulsive force, as do two negatively charged bodies. A positively charged body and a negatively charged body experience an attractive force. Electric charge is carried by discrete particles and can be positive or negative. The sign convention is such that the elementary electric charge \\(e\\), that is, the charge of the proton, is positive. The SI derived unit of electric charge is the coulomb."^^qudt:LatexString ; + qudt:applicableUnit unit:A-HR, + unit:A-SEC, + unit:AttoC, + unit:C, + unit:C_Ab, + unit:C_Stat, + unit:CentiC, + unit:DecaC, + unit:DeciC, + unit:E, + unit:ElementaryCharge, + unit:ExaC, + unit:F, + unit:FR, + unit:FemtoC, + unit:GigaC, + unit:HectoC, + unit:KiloA-HR, + unit:KiloC, + unit:MegaC, + unit:MicroC, + unit:MilliA-HR, + unit:MilliC, + unit:NanoC, + unit:PetaC, + unit:PicoC, + unit:PlanckCharge, + unit:TeraC, + unit:YoctoC, + unit:YottaC, + unit:ZeptoC, + unit:ZettaC ; + qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_charge"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Electric_charge?oldid=492961669"^^xsd:anyURI, + "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(dQ = Idt\\), where \\(I\\) is electric current."^^qudt:LatexString ; + qudt:symbol "Q" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:ElectricCurrent . + +s223:EnumerationKind-Aspect a s223:Class, + s223:EnumerationKind-Aspect, + sh:NodeShape ; + rdfs:label "EnumerationKind Aspect" ; + rdfs:comment """This class has enumerated subclasses usually used to specify the context of a s223:Property. The following table lists all of the defined enumerations for Aspect. + Some Aspect enumerations have subclasses for more specific use. Those subclasses are not shown in the table but each of them are defined in `s223:Aspect-DayOfWeek` - `s223:Aspect-ElectricalVoltagePhases`. + The following table lists all of the defined enumerations for Aspect.""" ; + rdfs:subClassOf s223:EnumerationKind . + +quantitykind:Frequency a qudt:QuantityKind ; + rdfs:label "التردد لدى نظام الوحدات الدولي"@ar, + "Честота"@bg, + "Frekvence"@cs, + "Frequenz"@de, + "Συχνότητα"@el, + "frequency"@en, + "frecuencia"@es, + "بسامد"@fa, + "fréquence"@fr, + "תדירות"@he, + "आवृत्ति"@hi, + "frekvencia"@hu, + "frequenza"@it, + "周波数"@ja, + "frequentia"@la, + "Frekuensi"@ms, + "częstotliwość"@pl, + "frequência"@pt, + "frecvență"@ro, + "Частота"@ru, + "frekvenca"@sl, + "frekans"@tr, + "频率"@zh ; + dcterms:description "\"Frequency\" is the number of occurrences of a repeating event per unit time. The repetition of the events may be periodic (that is. the length of time between event repetitions is fixed) or aperiodic (i.e. the length of time between event repetitions varies). Therefore, we distinguish between periodic and aperiodic frequencies. In the SI system, periodic frequency is measured in hertz (Hz) or multiples of hertz, while aperiodic frequency is measured in becquerel (Bq). In spectroscopy, \\(\\nu\\) is mostly used. Light passing through different media keeps its frequency, but not its wavelength or wavenumber."^^qudt:LatexString ; + qudt:applicableUnit unit:GigaHZ, + unit:HZ, + unit:KiloHZ, + unit:MegaHZ, + unit:NUM-PER-HR, + unit:NUM-PER-SEC, + unit:NUM-PER-YR, + unit:PER-DAY, + unit:PER-HR, + unit:PER-MIN, + unit:PER-MO, + unit:PER-MilliSEC, + unit:PER-SEC, + unit:PER-WK, + unit:PER-YR, + unit:PERCENT-PER-DAY, + unit:PERCENT-PER-HR, + unit:PERCENT-PER-WK, + unit:PlanckFrequency, + unit:SAMPLE-PER-SEC, + unit:TeraHZ, + unit:failures-in-time ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Frequency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; + qudt:latexDefinition """\\(f = 1/T\\), where \\(T\\) is a period. + +Alternatively, + +\\(\\nu = 1/T\\)"""^^qudt:LatexString ; + qudt:latexSymbol "\\(\\nu, f\\)"^^qudt:LatexString ; + rdfs:isDefinedBy ; + skos:broader quantitykind:InverseTime . + +quantitykind:MassFlowRate a qudt:QuantityKind ; + rdfs:label "Mass Flow Rate"@en ; + dcterms:description "\"Mass Flow Rate\" is a measure of Mass flux. The common symbol is \\(\\dot{m}\\) (pronounced \"m-dot\"), although sometimes \\(\\mu\\) is used. The SI units are \\(kg s-1\\)."^^qudt:LatexString ; + qudt:applicableUnit unit:DYN-SEC-PER-CentiM, + unit:GM-PER-DAY, + unit:GM-PER-HR, + unit:GM-PER-MIN, + unit:GM-PER-SEC, + unit:KiloGM-PER-DAY, + unit:KiloGM-PER-HR, + unit:KiloGM-PER-MIN, + unit:KiloGM-PER-SEC, + unit:LB-PER-DAY, + unit:LB-PER-HR, + unit:LB-PER-MIN, + unit:LB-PER-SEC, + unit:MilliGM-PER-DAY, + unit:MilliGM-PER-HR, + unit:MilliGM-PER-MIN, + unit:MilliGM-PER-SEC, + unit:OZ-PER-DAY, + unit:OZ-PER-HR, + unit:OZ-PER-MIN, + unit:OZ-PER-SEC, + unit:SLUG-PER-DAY, + unit:SLUG-PER-HR, + unit:SLUG-PER-MIN, + unit:SLUG-PER-SEC, + unit:TONNE-PER-DAY, + unit:TONNE-PER-HR, + unit:TONNE-PER-MIN, + unit:TONNE-PER-SEC, + unit:TON_Metric-PER-DAY, + unit:TON_Metric-PER-HR, + unit:TON_Metric-PER-MIN, + unit:TON_Metric-PER-SEC, + unit:TON_SHORT-PER-HR, + unit:TON_UK-PER-DAY, + unit:TON_US-PER-DAY, + unit:TON_US-PER-HR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mass_flow_rate"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flow_rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_m = \\frac{dm}{dt}\\), where \\(m\\) is mass and \\(t\\) is time."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\dot{m}\\)"^^qudt:LatexString ; + qudt:symbol "q_m" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:SpecificImpulse . + +quantitykind:Velocity a qudt:QuantityKind ; + rdfs:label "السرعة"@ar, + "Rychlost"@cs, + "Geschwindigkeit"@de, + "Επιφάνεια"@el, + "velocity"@en, + "rapidez"@es, + "velocidad"@es, + "سرعت/تندی"@fa, + "vitesse"@fr, + "מהירות"@he, + "गति"@hi, + "वेग"@hi, + "velocità"@it, + "速力"@ja, + "velocitas"@la, + "Halaju"@ms, + "prędkość"@pl, + "velocidade"@pt, + "viteză"@ro, + "Ско́рость"@ru, + "hitrost"@sl, + "hız"@tr, + "速度"@zh ; + dcterms:description "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. "^^rdf:HTML ; + qudt:applicableUnit unit:CentiM-PER-HR, + unit:CentiM-PER-KiloYR, + unit:CentiM-PER-SEC, + unit:CentiM-PER-YR, + unit:FT-PER-DAY, + unit:FT-PER-HR, + unit:FT-PER-MIN, + unit:FT-PER-SEC, + unit:GigaHZ-M, + unit:IN-PER-MIN, + unit:IN-PER-SEC, + unit:KN, + unit:KiloM-PER-DAY, + unit:KiloM-PER-HR, + unit:KiloM-PER-SEC, + unit:M-PER-HR, + unit:M-PER-MIN, + unit:M-PER-SEC, + unit:M-PER-YR, + unit:MI-PER-HR, + unit:MI-PER-MIN, + unit:MI-PER-SEC, + unit:MI_N-PER-HR, + unit:MI_N-PER-MIN, + unit:MilliM-PER-DAY, + unit:MilliM-PER-HR, + unit:MilliM-PER-MIN, + unit:MilliM-PER-SEC, + unit:MilliM-PER-YR ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; + qudt:exactMatch quantitykind:LinearVelocity ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Velocity"^^xsd:anyURI ; + qudt:plainTextDescription "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. " ; + qudt:symbol "v" ; + rdfs:isDefinedBy . + +unit:E_h a qudt:Unit ; + rdfs:label "Hartree"@en ; + dcterms:description """

The \\(\\textit{Hartree}\\) (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\text{Hartree\\,Energy}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18} J = 27.21138386(68) eV\\).

+
Definition:
+
\\(E_H= \\frac{e^2}{4\\pi \\epsilon_0 a_0 }\\)
+where, \\(e\\) is the elementary charge, \\(\\epsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius.'
"""^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 4.359744e-18 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Hartree?oldid=489318053"^^xsd:anyURI ; + qudt:symbol "Ha" ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:SpecificEnergy ; + qudt:latexDefinition "\\(L^2 T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:MassFlowRate ; + qudt:latexDefinition "\\(M T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:EV a qudt:Unit ; + rdfs:label "Electron Volt"@en ; + dcterms:description "An electron volt (eV) is the energy that an electron gains when it travels through a potential of one volt. You can imagine that the electron starts at the negative plate of a parallel plate capacitor and accelerates to the positive plate, which is at one volt higher potential. Numerically \\(1 eV\\) approximates \\(1.6x10^{-19} joules\\), where \\(1 joule\\) is \\(6.2x10^{18} eV\\). For example, it would take \\(6.2x10^{20} eV/sec\\) to light a 100 watt light bulb."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-19 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_volt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_volt?oldid=344021738"^^xsd:anyURI, + "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; + qudt:symbol "eV" ; + qudt:ucumCode "eV"^^qudt:UCUMcs ; + qudt:udunitsCode "eV" ; + qudt:uneceCommonCode "A53" ; + rdfs:isDefinedBy . + +unit:PERCENT a qudt:Unit ; + rdfs:label "Percent"@en ; + dcterms:description "\"Percent\" is a unit for 'Dimensionless Ratio' expressed as \\(\\%\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Percentage"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:DimensionlessRatio, + quantitykind:LengthPercentage, + quantitykind:PressurePercentage, + quantitykind:Prevalence, + quantitykind:Reflectance, + quantitykind:RelativeHumidity, + quantitykind:RelativeLuminousFlux, + quantitykind:RelativePartialPressure, + quantitykind:ResistancePercentage, + quantitykind:TimePercentage, + quantitykind:VoltagePercentage ; + qudt:iec61360Code "0112/2///62720#UAA000" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Percentage?oldid=495284540"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "%" ; + qudt:ucumCode "%"^^qudt:UCUMcs ; + qudt:udunitsCode "%" ; + qudt:uneceCommonCode "P1" ; + rdfs:isDefinedBy . + +unit:MegaEV a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mega Electron Volt"@en ; + dcterms:description "\\(\\textbf{Mega Electron Volt} is a unit for 'Energy And Work' expressed as \\(MeV\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.602177e-13 ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy ; + qudt:symbol "MeV" ; + qudt:ucumCode "MeV"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B71" ; + rdfs:isDefinedBy . + +unit:U a qudt:Unit ; + rdfs:label "Unified Atomic Mass Unit"@en ; + dcterms:description "The unified atomic mass unit (symbol: \\(u\\)) or dalton (symbol: \\(Da\\)) is the standard unit that is used for indicating mass on an atomic or molecular scale (atomic mass). It is defined as one twelfth of the mass of an unbound neutral atom of carbon-12 in its nuclear and electronic ground state,[ and has a value of \\(1.660538921(73) \\times 10^{-27} kg\\). One dalton is approximately equal to the mass of one nucleon; an equivalence of saying \\(1 g mol^{-1}\\). The CIPM have categorised it as a 'non-SI unit' because units values in SI units must be obtained experimentally."^^qudt:LatexString ; + qudt:conversionMultiplier 1.660539e-27 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; + qudt:exactMatch unit:AMU, + unit:Da ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAB083" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "u" ; + qudt:ucumCode "u"^^qudt:UCUMcs ; + qudt:uneceCommonCode "D43" ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Area ; + qudt:latexDefinition "\\(L^2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +s223:QuantifiableProperty a s223:Class, + sh:NodeShape ; + rdfs:label "Quantifiable Property" ; + rdfs:comment "This class is for quantifiable values that describe an object (System, Equipment, etc.) that are typically static (hasValue). That is, they are neither measured nor specified in the course of operations." ; + rdfs:subClassOf s223:Property, + qudt:Quantity ; + sh:property [ rdfs:comment "A QuantifiableProperty can be associated with a decimal value using the relation hasValue." ; + sh:datatype xsd:decimal ; + sh:path s223:hasValue ], + [ rdfs:comment "A QuantifiableProperty must be associated with at least one QuantityKind using the relation hasQuantityKind." ; + sh:class qudt:QuantityKind ; + sh:minCount 1 ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A QuantifiableProperty must be associated with at least one Unit using the relation hasUnit." ; + sh:class qudt:Unit ; + sh:minCount 1 ; + sh:path qudt:hasUnit ; + sh:severity sh:Info ], + [ rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it." ; + sh:path qudt:hasUnit ; + sh:severity sh:Info ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty uses a different Unit than the Setpoint associated with it." ; + sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. Be careful." ; + sh:prefixes ; + sh:select """ +SELECT $this ?setpoint ?punit ?sunit +WHERE { +$this qudt:hasUnit ?punit . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasUnit ?sunit . +?punit qudt:hasDimensionVector ?pdv . +?sunit qudt:hasDimensionVector ?sdv . +FILTER (?punit != ?sunit) . +FILTER (?pdv = ?sdv) . +} +""" ] ], + [ rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds." ; + sh:path qudt:hasQuantityKind ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty and the Setpoint associated with it have non-commensurate QuantityKinds." ; + sh:message "{$this} uses QuantityKind {?pqk} with DimensionVector {?pdv}, while Setpoint {?setpoint} uses QuantityKind {?sqk} with DimensionVector {?sdv}. These are non-commensurate" ; + sh:prefixes ; + sh:select """ +SELECT $this ?setpoint ?pqk ?sqk ?pdv ?sdv +WHERE { +$this qudt:hasQuantityKind ?pqk . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasQuantityKind ?sqk . +?pqk qudt:hasDimensionVector ?pdv . +?sqk qudt:hasDimensionVector ?sdv . +FILTER (?pqk != ?sqk) . +FILTER (?pdv != ?sdv) . +} +""" ] ], + [ rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units." ; + sh:path qudt:hasUnit ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "This QuantifiableProperty and the associated Setpoint use non-commensurate Units." ; + sh:message "{$this} uses Unit {?punit}, while Setpoint {?setpoint} uses Unit {?sunit}. These are non-commensurate." ; + sh:prefixes ; sh:select """ -SELECT $this ?otherCP ?destinationDevice +SELECT $this ?setpoint ?punit ?sunit +WHERE { +$this qudt:hasUnit ?punit . +$this s223:hasSetpoint ?setpoint . +?setpoint qudt:hasUnit ?sunit . +?punit qudt:hasDimensionVector ?pdv . +?sunit qudt:hasDimensionVector ?sdv . +FILTER (?punit != ?sunit) . +FILTER (?pdv != ?sdv) . +} +""" ] ] ; + sh:rule [ a sh:SPARQLRule ; + rdfs:comment "Infer the hasQuantityKind relation if it is unambiguous." ; + sh:construct """ +CONSTRUCT { +$this qudt:hasQuantityKind ?uniqueqk +} WHERE { -$this s223:mapsTo ?otherCP . -?equipment s223:hasConnectionPoint $this . -?otherEquipment s223:hasConnectionPoint ?otherCP . -?otherCP s223:connectsThrough/s223:connectsFrom ?destinationDevice . -?destinationDevice s223:contains ?equipment . +{ +SELECT $this (COUNT (DISTINCT (?qk)) AS ?count) +WHERE { +FILTER (NOT EXISTS {$this qudt:hasQuantityKind ?something}) . +$this qudt:hasUnit/qudt:hasQuantityKind ?qk . } -""" ] ] . +GROUP BY $this +} +FILTER (?count = 1) +$this qudt:hasUnit/qudt:hasQuantityKind ?uniqueqk . +} +""" ; + sh:prefixes ] ; + sh:sparql [ a sh:SPARQLConstraint ; + rdfs:comment "Checks for consistent dimension vectors for a QuantityKind and the Unit" ; + sh:message "Inconsistent dimensionalities among the Property's Unit and Property's Quantity Kind" ; + sh:prefixes ; + sh:select """ +SELECT $this ?count +WHERE { +{ SELECT $this (COUNT (DISTINCT ?qkdv) AS ?count) + WHERE +{ + { + $this qudt:hasQuantityKind/qudt:hasDimensionVector ?qkdv . + } + UNION + { + $this qudt:hasUnit/qudt:hasDimensionVector ?qkdv . + } +} + GROUP BY $this +} +FILTER (?count > 1) . +} +""" ] . -s223: a owl:Ontology ; - sh:declare [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; - sh:prefix "role" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "qudtqk" ], - [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - sh:prefix "unit" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "quantitykind" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; - sh:prefix "role" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "qudtqk" ], - [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - sh:prefix "unit" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/enumeration#"^^xsd:anyURI ; - sh:prefix "enum" ], - [ sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; - sh:prefix "rdf" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; - sh:prefix "sh" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ] . +quantitykind:Volume a qudt:QuantityKind ; + rdfs:label "Volume"@en ; + dcterms:description "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space."^^rdf:HTML ; + qudt:applicableUnit unit:AC-FT, + unit:ANGSTROM3, + unit:BBL, + unit:BBL_UK_PET, + unit:BBL_US, + unit:CentiM3, + unit:DecaL, + unit:DecaM3, + unit:DeciL, + unit:DeciM3, + unit:FBM, + unit:FT3, + unit:FemtoL, + unit:GI_UK, + unit:GI_US, + unit:GT, + unit:HectoL, + unit:IN3, + unit:Kilo-FT3, + unit:KiloL, + unit:L, + unit:M3, + unit:MI3, + unit:MegaL, + unit:MicroL, + unit:MicroM3, + unit:MilliL, + unit:MilliM3, + unit:NanoL, + unit:OZ_VOL_UK, + unit:PINT, + unit:PINT_UK, + unit:PK_UK, + unit:PicoL, + unit:PlanckVolume, + unit:QT_UK, + unit:QT_US, + unit:RT, + unit:STR, + unit:Standard, + unit:TBSP, + unit:TON_SHIPPING_US, + unit:TSP, + unit:YD3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volume"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; + qudt:plainTextDescription "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space." ; + rdfs:isDefinedBy . s223:Equipment a s223:Class, sh:NodeShape ; rdfs:label "Equipment" ; - rdfs:comment "A Equipment is the modeling construct used to represent a mechanical device designed to accomplish a specific task that one might buy from a vendor. Examples of possible devices include a pump, fan, heat exchanger, luminaire, temperature sensor, or flow meter." ; + rdfs:comment """ +An Equipment is the modeling construct used to represent a mechanical device designed to accomplish a specific task, +or a complex device that contains component pieces of Equipment. Unlike a System, Equipment can have ConnectionPoints and participate +in the flow of one or more kinds of Medium. Examples of possible equipment include a Pump, Fan, HeatExchanger, Luminaire, +TemperatureSensor, FlowSensor or more complex examples such as a chilled water plant. +The graphical depiction of Equipment used in this standard is a rounded cornered rectangle as show in Figure 5-1. + +![Graphical Depiction of Equipment.](figures/Figure_5-1Graphical_Depiciton_of_Equipment.svg) + """ ; rdfs:subClassOf s223:Connectable ; sh:property [ a sh:PropertyShape ; - rdfs:comment "A Equipment can be associated with Equipment by contains" ; - sh:class s223:Equipment ; - sh:minCount 0 ; + rdfs:comment "If the relation contains is present it must associate the Equipment with either Equipment or Junction." ; sh:name "device contains shape" ; + sh:or ( [ sh:class s223:Equipment ] [ sh:class s223:Junction ] ) ; sh:path s223:contains ], - [ rdfs:comment "A Equipment can be associated with an ActuatableProperty by commandedByProperty" ; + [ rdfs:comment "If the relation commandedByProperty is present it must associate the Equipment with a ActuatableProperty." ; sh:class s223:ActuatableProperty ; sh:path s223:commandedByProperty ], - [ rdfs:comment "A Equipment can be associated with a PhysicalSpace by hasPhysicalLocation" ; + [ rdfs:comment "If the relation executes is present it must associate the Equipment with a FunctionBlock." ; + sh:class s223:FunctionBlock ; + sh:path s223:executes ], + [ rdfs:comment "If the relation hasPhysicalLocation is present it must associate the Equipment with a PhysicalSpace." ; sh:class s223:PhysicalSpace ; sh:path s223:hasPhysicalLocation ], - [ rdfs:comment "A Equipment can be associated with an EnumerationKind-Role by hasRole" ; + [ rdfs:comment "If the relation hasRole is present it must associate the Equipment with a EnumerationKind-Role." ; sh:class s223:EnumerationKind-Role ; sh:path s223:hasRole ], - [ rdfs:comment "Make sure that a containing Equipment inherits the incoming connectedFrom relations of contained Equipment if they are not internal connections." ; + [ rdfs:comment "Disallow contained equipment from having external incoming connections." ; sh:path s223:connectedFrom ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Make sure that a containing Equipment inherits the incoming connectedFrom relations of contained Equipment if they are not internal connections." ; - sh:message "{?container} does not have a connectedFrom relation to {?otherDev} even though {?container} contains {$this} which does." ; - sh:prefixes s223: ; + rdfs:comment "Disallow contained equipment from having external incoming connections." ; + sh:message "{$this} should not have a connection from external equipment {?otherDev} because {?container} contains {$this}." ; + sh:prefixes ; sh:select """ SELECT $this ?container ?otherDev WHERE { @@ -3132,15 +70916,14 @@ $this s223:connectedFrom ?otherDev . $this ^s223:contains ?container . ?container a/rdfs:subClassOf* s223:Equipment . FILTER NOT EXISTS {?container s223:contains ?otherDev .} -FILTER NOT EXISTS {?container s223:connectedFrom ?otherDev .} } """ ] ], - [ rdfs:comment "Make sure that a containing Equipment inherits the outgoing connectedTo relations of contained Equipment if they are not internal connections." ; + [ rdfs:comment "Disallow contained equipment from having external outgoing connections." ; sh:path s223:connectedTo ; sh:sparql [ a sh:SPARQLConstraint ; - rdfs:comment "Make sure that a containing Equipment inherits the outgoing connectedTo relations of contained Equipment if they are not internal connections." ; - sh:message "{?container} does not have a connectedTo relation to {?otherDev} even though {?container} contains {$this} which does." ; - sh:prefixes s223: ; + rdfs:comment "Disallow contained equipment from having external outgoing connections." ; + sh:message "{$this} should not have a connection to external equipment {?otherDev} because {?container} contains {$this}." ; + sh:prefixes ; sh:select """ SELECT $this ?container ?otherDev WHERE { @@ -3148,15 +70931,15 @@ $this s223:connectedTo ?otherDev . $this ^s223:contains ?container . ?container a/rdfs:subClassOf* s223:Equipment . FILTER NOT EXISTS {?container s223:contains ?otherDev .} -FILTER NOT EXISTS {?container s223:connectedTo ?otherDev .} } """ ] ], [ rdfs:comment "Warning about a subClass of Equipment of type A containing something that is in the same subClass branch." ; sh:path s223:contains ; + sh:severity sh:Warning ; sh:sparql [ a sh:SPARQLConstraint ; rdfs:comment "Warning about a subClass of Equipment of type A containing something that is in the same subClass branch." ; sh:message "{$this}, of type {?type1}, contains {?subEquip} of type {?type2}, that could result in double-counting items in the class hierarchy of {?type1}." ; - sh:prefixes s223: ; + sh:prefixes ; sh:select """ SELECT $this ?subEquip ?type1 ?type2 WHERE { @@ -3173,13 +70956,26 @@ UNION ?type1 rdfs:subClassOf* ?type2 . } } -""" ; - sh:severity sh:Warning ] ], - s223:hasPropertyShape ; +""" ] ] ; sh:rule [ a sh:SPARQLRule ; - rdfs:comment "Infer a higher-level cnx and Medium from the mapsTo relation" ; + rdfs:comment "For equipment contained within another piece of equipment use the mapsTo relation to infer a Medium from the containing equipment." ; + sh:construct """ +CONSTRUCT { + ?childCp s223:hasMedium ?medium . +} +WHERE { + $this s223:hasConnectionPoint ?cp . + ?childCp s223:mapsTo ?cp . + ?cp s223:connectsThrough ?connection . + ?cp s223:hasMedium ?medium . + FILTER NOT EXISTS {?childCp s223:hasMedium ?something} . +} +""" ; + sh:prefixes ], + [ a sh:SPARQLRule ; + rdfs:comment "For equipment containing another piece of equipment, use the mapsTo relation to infer a Medium from the contained equipment." ; sh:construct """ -CONSTRUCT {?parentCp s223:cnx ?connection . +CONSTRUCT { ?parentCp s223:hasMedium ?medium . } WHERE { @@ -3187,50 +70983,2634 @@ WHERE { ?cp s223:mapsTo ?parentCp . ?cp s223:connectsThrough ?connection . ?cp s223:hasMedium ?medium . + FILTER NOT EXISTS {?parentCp s223:hasMedium ?something} . } """ ; - sh:prefixes s223: ] . + sh:prefixes ] . -rdf:Property a sh:NodeShape ; - sh:property [ rdfs:comment "This Property must have aa label" ; - sh:path rdfs:label ; - sh:sparql [ a sh:SPARQLConstraint ; - sh:message "{$this} must have an rdfs:label" ; - sh:prefixes s223: ; - sh:select """ -SELECT $this -WHERE { -BIND(REPLACE(STR($this), "^(.*)(/|#)([^#/]*)$", "$1") AS ?prop) . -FILTER (?prop = "http://data.ashrae.org/standard223") . -FILTER (NOT EXISTS {$this rdfs:label ?something}) . -} -""" ] ] . +s223:Numerical-Voltage a s223:Class, + s223:Numerical-Voltage, + sh:NodeShape ; + rdfs:label "Dimensioned Voltage" ; + qudt:hasQuantityKind quantitykind:Voltage ; + qudt:hasUnit unit:V ; + rdfs:comment "This class has enumerated instances of common voltages." ; + rdfs:subClassOf s223:EnumerationKind-Numerical ; + sh:property [ rdfs:comment "A Numerical-Voltage must have a Quantity Kind of Voltage" ; + sh:hasValue quantitykind:Voltage ; + sh:path qudt:hasQuantityKind ], + [ rdfs:comment "A Numerical-Voltage must have a unit of Volts" ; + sh:hasValue unit:V ; + sh:path qudt:hasUnit ] . + +quantitykind:Power a qudt:QuantityKind ; + rdfs:label "القدرة"@ar, + "Мощност"@bg, + "Výkon"@cs, + "Leistung"@de, + "Ισχύς"@el, + "power"@en, + "potencia"@es, + "توان، نرخ جریان گرما"@fa, + "puissance"@fr, + "הספק"@he, + "विकिरणी बहाव"@hi, + "शक्ति"@hi, + "teljesítmény , hőáramlás"@hu, + "potenza"@it, + "電力・仕事率"@ja, + "potentia"@la, + "Kuasa"@ms, + "moc"@pl, + "strumień promieniowania"@pl, + "potência"@pt, + "flux energetic"@ro, + "putere"@ro, + "Мощность"@ru, + "moč"@sl, + "güç"@tr, + "ısı akış oranı"@tr, + "功率、热流"@zh ; + dcterms:description "Power is the rate at which work is performed or energy is transmitted, or the amount of energy required or expended for a given unit of time. As a rate of change of work done or the energy of a subsystem, power is: \\(P = W/t\\), where \\(P\\) is power, \\(W\\) is work and {t} is time."^^qudt:LatexString ; + qudt:applicableUnit unit:BAR-L-PER-SEC, + unit:BAR-M3-PER-SEC, + unit:BTU_IT-PER-HR, + unit:BTU_IT-PER-SEC, + unit:ERG-PER-SEC, + unit:FT-LB_F-PER-HR, + unit:FT-LB_F-PER-MIN, + unit:FT-LB_F-PER-SEC, + unit:GigaJ-PER-HR, + unit:GigaW, + unit:HP, + unit:HP_Boiler, + unit:HP_Brake, + unit:HP_Electric, + unit:HP_Metric, + unit:J-PER-HR, + unit:J-PER-SEC, + unit:KiloBTU_IT-PER-HR, + unit:KiloCAL-PER-MIN, + unit:KiloCAL-PER-SEC, + unit:KiloW, + unit:MegaBTU_IT-PER-HR, + unit:MegaJ-PER-HR, + unit:MegaJ-PER-SEC, + unit:MegaPA-L-PER-SEC, + unit:MegaPA-M3-PER-SEC, + unit:MegaW, + unit:MicroW, + unit:MilliBAR-L-PER-SEC, + unit:MilliBAR-M3-PER-SEC, + unit:MilliW, + unit:NanoW, + unit:PA-L-PER-SEC, + unit:PA-M3-PER-SEC, + unit:PSI-IN3-PER-SEC, + unit:PSI-M3-PER-SEC, + unit:PSI-YD3-PER-SEC, + unit:PicoW, + unit:PlanckPower, + unit:THM_US-PER-HR, + unit:TON_FG, + unit:TeraW, + unit:W ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Power"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI, + "http://en.wikipedia.org/wiki/Power_%28physics%29"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(P = F \\cdot v\\), where \\(F\\) is force and \\(v\\) is velocity."^^qudt:LatexString ; + qudt:symbol "P", + "p" ; + rdfs:isDefinedBy . + +quantitykind:Time a qudt:QuantityKind ; + rdfs:label "زمن"@ar, + "Време"@bg, + "Čas"@cs, + "Zeit"@de, + "Χρόνος"@el, + "time"@en, + "tiempo"@es, + "زمان"@fa, + "temps"@fr, + "זמן"@he, + "समय"@hi, + "idő"@hu, + "tempo"@it, + "時間"@ja, + "tempus"@la, + "Masa"@ms, + "czas"@pl, + "tempo"@pt, + "timp"@ro, + "Время"@ru, + "čas"@sl, + "zaman"@tr, + "时间"@zh ; + dcterms:description "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects."^^rdf:HTML ; + qudt:applicableUnit unit:CentiPOISE-PER-BAR, + unit:DAY, + unit:DAY_Sidereal, + unit:H-PER-KiloOHM, + unit:H-PER-OHM, + unit:HR, + unit:HR_Sidereal, + unit:KiloSEC, + unit:KiloYR, + unit:MIN, + unit:MIN_Sidereal, + unit:MO, + unit:MO_MeanGREGORIAN, + unit:MO_MeanJulian, + unit:MO_Synodic, + unit:MegaYR, + unit:MicroH-PER-KiloOHM, + unit:MicroH-PER-OHM, + unit:MicroSEC, + unit:MilliH-PER-KiloOHM, + unit:MilliH-PER-OHM, + unit:MilliPA-SEC-PER-BAR, + unit:MilliSEC, + unit:NanoSEC, + unit:PA-SEC-PER-BAR, + unit:POISE-PER-BAR, + unit:PicoSEC, + unit:PlanckTime, + unit:SEC, + unit:SH, + unit:WK, + unit:YR, + unit:YR_Common, + unit:YR_Sidereal, + unit:YR_TROPICAL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Time"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; + qudt:plainTextDescription "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects." ; + qudt:symbol "t" ; + rdfs:isDefinedBy . + +s223:NumberOfElectricalPhases-SinglePhase a s223:Class, + s223:NumberOfElectricalPhases-SinglePhase, + sh:NodeShape ; + rdfs:label "Single Phase AC Electricity" ; + s223:hasValue 1.0 ; + qudt:hasQuantityKind quantitykind:Dimensionless ; + qudt:hasUnit unit:NUM ; + rdfs:comment "Single Phase AC Electricity" ; + rdfs:subClassOf s223:Numerical-NumberOfElectricalPhases . + +unit:KiloGM a qudt:Unit ; + rdfs:label "كيلوغرام"@ar, + "килограм"@bg, + "kilogram"@cs, + "Kilogramm"@de, + "χιλιόγραμμο"@el, + "kilogram"@en, + "kilogramo"@es, + "کیلوگرم"@fa, + "kilogramme"@fr, + "קילוגרם"@he, + "किलोग्राम"@hi, + "kilogramm*"@hu, + "chilogrammo"@it, + "キログラム"@ja, + "chiliogramma"@la, + "kilogram"@ms, + "kilogram"@pl, + "quilograma"@pt, + "kilogram"@ro, + "килограмм"@ru, + "kilogram"@sl, + "kilogram"@tr, + "公斤"@zh ; + dcterms:description "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:hasQuantityKind quantitykind:Mass ; + qudt:iec61360Code "0112/2///62720#UAA594", + "0112/2///62720#UAD720" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram?oldid=493633626"^^xsd:anyURI ; + qudt:plainTextDescription "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds." ; + qudt:symbol "kg" ; + qudt:ucumCode "kg"^^qudt:UCUMcs ; + qudt:udunitsCode "kg" ; + qudt:uneceCommonCode "KGM" ; + rdfs:isDefinedBy . + +quantitykind:VaporPressure a qudt:QuantityKind ; + rdfs:label "Vapor Pressure"@en ; + dcterms:description "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system."^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:plainTextDescription "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Pressure . + +unit:ANGSTROM a qudt:Unit ; + rdfs:label "Angstrom"@en ; + dcterms:description "The \\(Angstr\\ddot{o}m\\) is an internationally recognized unit of length equal to \\(0.1 \\,nanometre\\) or \\(1 \\times 10^{-10}\\,metres\\). Although accepted for use, it is not formally defined within the International System of Units(SI). The angstrom is often used in the natural sciences to express the sizes of atoms, lengths of chemical bonds and the wavelengths of electromagnetic radiation, and in technology for the dimensions of parts of integrated circuits. It is also commonly used in structural biology."^^qudt:LatexString ; + qudt:conversionMultiplier 1e-10 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/%C3%85ngstr%C3%B6m"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA023" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Ångström?oldid=436192495"^^xsd:anyURI ; + qudt:latexSymbol "\\(\\AA\\)"^^qudt:LatexString ; + qudt:symbol "Å" ; + qudt:ucumCode "Ao"^^qudt:UCUMcs ; + qudt:udunitsCode "Å", + "Å" ; + qudt:uneceCommonCode "A11" ; + rdfs:isDefinedBy . + +unit:AU a qudt:Unit ; + rdfs:label "astronomical-unit"@en ; + dcterms:description "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to \\(149,597,870,700 metres\\) (\\(92,955,807.273 mi\\)) or approximately the mean Earth Sun distance."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.495979e+11 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Astronomical_unit"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB066" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Astronomical_unit"^^xsd:anyURI ; + qudt:plainTextDescription "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to 149,597,870,700 metres (92,955,807.273 mi) or approximately the mean Earth Sun distance. The symbol ua is recommended by the International Bureau of Weights and Measures, and the international standard ISO 80000, while au is recommended by the International Astronomical Union, and is more common in Anglosphere countries. In general, the International System of Units only uses capital letters for the symbols of units which are named after individual scientists, while au or a.u. can also mean atomic unit or even arbitrary unit. However, the use of AU to refer to the astronomical unit is widespread. The astronomical constant whose value is one astronomical unit is referred to as unit distance and is given the symbol A. [Wikipedia]" ; + qudt:symbol "AU" ; + qudt:ucumCode "AU"^^qudt:UCUMcs ; + qudt:udunitsCode "au", + "ua" ; + qudt:uneceCommonCode "A12" ; + rdfs:isDefinedBy . + +unit:BTU_IT-PER-LB_F a qudt:Unit ; + rdfs:label "British Thermal Unit (international Table) Per Pound of Force"@en ; + dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 237.18597062376833 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB150" ; + qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units" ; + qudt:symbol "Btu{IT}/lbf" ; + qudt:ucumCode "[Btu_IT].[lbf_av]-1"^^qudt:UCUMcs, + "[Btu_IT]/[lbf_av]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:CH a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "chain"@en ; + dcterms:description "A chain is a unit of length. It measures 66 feet, or 22 yards, or 100 links, or 4 rods. There are 10 chains in a furlong, and 80 chains in one statute mile. An acre is the area of 10 square chains (that is, an area of one chain by one furlong). The chain has been used for several centuries in Britain and in some other countries influenced by British practice."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 20.1168 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Chain"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB203" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Chain?oldid=494116185"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ch" ; + qudt:ucumCode "[ch_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "X1" ; + rdfs:isDefinedBy ; + skos:altLabel "Gunter's chain" . + +unit:DecaM a qudt:Unit ; + rdfs:label "Decametre"@en, + "Decameter"@en-us ; + dcterms:description "10-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 10.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB064" ; + qudt:plainTextDescription "10-fold of the SI base unit metre" ; + qudt:prefix prefix1:Deca ; + qudt:symbol "dam" ; + qudt:ucumCode "dam"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A45" ; + rdfs:isDefinedBy . + +unit:DeciM a qudt:Unit ; + rdfs:label "Decimetre"@en, + "Decimeter"@en-us ; + dcterms:description "A decimeter is a tenth of a meter."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.1 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA412" ; + qudt:prefix prefix1:Deci ; + qudt:symbol "dm" ; + qudt:ucumCode "dm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "DMT" ; + rdfs:isDefinedBy . + +unit:FATH a qudt:Unit ; + rdfs:label "Fathom"@en ; + dcterms:description "A fathom = 1.8288 meters, is a unit of length in the imperial and the U.S. customary systems, used especially for measuring the depth of water. There are two yards in an imperial or U.S. fathom. Originally based on the distance between the man's outstretched arms, the size of a fathom has varied slightly depending on whether it was defined as a thousandth of an (Admiralty) nautical mile or as a multiple of the imperial yard. Abbreviations: f, fath, fm, fth, fthm."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1.8288 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Fathom"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fathom?oldid=493265429"^^xsd:anyURI ; + qudt:symbol "fathom" ; + qudt:ucumCode "[fth_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "AK" ; + rdfs:isDefinedBy . + +unit:FT a qudt:Unit ; + rdfs:label "Foot"@en ; + dcterms:description "A foot is a unit of length defined as being 0.3048 m exactly and used in the imperial system of units and United States customary units. It is subdivided into 12 inches. The foot is still officially used in Canada and still commonly used in the United Kingdom, although the latter has partially metricated its units of measurement. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.3048 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_%28length%29"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA440" ; + qudt:symbol "ft" ; + qudt:ucumCode "[ft_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "ft" ; + qudt:uneceCommonCode "FOT" ; + rdfs:isDefinedBy . + +unit:FT_US a qudt:Unit ; + rdfs:label "US Survey Foot"@en ; + dcterms:description "\\(\\textit{US Survey Foot}\\) is a unit for 'Length' expressed as \\(ftUS\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 0.3048006 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB286" ; + qudt:symbol "ft{US Survey}" ; + qudt:ucumCode "[ft_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M51" ; + rdfs:isDefinedBy . + +unit:FUR a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Furlong"@en ; + dcterms:description "A furlong is a measure of distance in imperial units and U.S. customary units equal to one-eighth of a mile, equivalent to 220 yards, 660 feet, 40 rods, or 10 chains. The exact value of the furlong varies slightly among English-speaking countries. Five furlongs are approximately 1 kilometre (1.0058 km is a closer approximation). Since the original definition of the metre was one-quarter of one ten-millionth of the circumference of the Earth (along the great circle coincident with the meridian of longitude passing through Paris), the circumference of the Earth is about 40,000 km or about 200,000 furlongs. "^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 201.168 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Furlong"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB204" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Furlong?oldid=492237369"^^xsd:anyURI ; + qudt:symbol "furlong" ; + qudt:ucumCode "[fur_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M50" ; + rdfs:comment "Check if this is US-Survey or International Customary definition (multiplier)" ; + rdfs:isDefinedBy . + +unit:FUR_Long a qudt:Unit ; + rdfs:label "Long Furlong"@en ; + qudt:expression "\\(longfur\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:symbol "furlong{long}" ; + rdfs:isDefinedBy . + +unit:GAUGE_FR a qudt:Unit ; + rdfs:label "French Gauge"@en ; + dcterms:description "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)."^^rdf:HTML ; + qudt:conversionMultiplier 0.0003333333 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB377" ; + qudt:plainTextDescription "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)." ; + qudt:symbol "French gauge" ; + qudt:ucumCode "[Ch]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "H79" ; + rdfs:isDefinedBy . + +unit:HectoM a qudt:Unit ; + rdfs:label "Hectometre"@en, + "Hectometer"@en-us ; + dcterms:description "100-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 100.0 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB062" ; + qudt:plainTextDescription "100-fold of the SI base unit metre" ; + qudt:prefix prefix1:Hecto ; + qudt:symbol "hm" ; + qudt:ucumCode "hm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "HMT" ; + rdfs:isDefinedBy . + +unit:IN a qudt:Unit ; + rdfs:label "Inch"@en ; + dcterms:description "An inch is the name of a unit of length in a number of different systems, including Imperial units, and United States customary units. There are 36 inches in a yard and 12 inches in a foot. Corresponding units of area and volume are the square inch and the cubic inch."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.0254 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Inch"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA539" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Inch?oldid=492522790"^^xsd:anyURI ; + qudt:symbol "in" ; + qudt:ucumCode "[in_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "in" ; + qudt:uneceCommonCode "INH" ; + rdfs:isDefinedBy . + +unit:KiloM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Kilometre"@en, + "Kilometer"@en-us ; + dcterms:description "A common metric unit of length or distance. One kilometer equals exactly 1000 meters, about 0.621 371 19 mile, 1093.6133 yards, or 3280.8399 feet. Oddly, higher multiples of the meter are rarely used; even the distances to the farthest galaxies are usually measured in kilometers. "^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1000.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometre?oldid=494821851"^^xsd:anyURI ; + qudt:prefix prefix1:Kilo ; + qudt:symbol "km" ; + qudt:ucumCode "km"^^qudt:UCUMcs ; + qudt:uneceCommonCode "KMT" ; + rdfs:isDefinedBy . + +unit:LY a qudt:Unit ; + rdfs:label "Light Year"@en ; + dcterms:description "A unit of length defining the distance, in meters, that light travels in a vacuum in one year."^^rdf:HTML ; + qudt:conversionMultiplier 9.46073e+15 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Light-year"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB069" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Light-year?oldid=495083584"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "ly" ; + qudt:ucumCode "[ly]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "B57" ; + rdfs:isDefinedBy . + +unit:MI a qudt:Unit ; + rdfs:label "International Mile"@en ; + dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002% less than the US survey mile)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 1609.344 ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; + qudt:symbol "mi" ; + qudt:ucumCode "[mi_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "mi" ; + qudt:uneceCommonCode "SMI" ; + rdfs:isDefinedBy . + +unit:MI_N a qudt:Unit ; + rdfs:label "Nautical Mile"@en ; + dcterms:description "A unit of distance used primarily at sea and in aviation. The nautical mile is defined to be the average distance on the Earth's surface represented by one minute of latitude. In 1929 an international conference in Monaco redefined the nautical mile to be exactly 1852 meters or 6076.115 49 feet, a distance known as the international nautical mile. The international nautical mile equals about 1.1508 statute miles. There are usually 3 nautical miles in a league. The unit is designed to equal 1/60 degree, although actual degrees of latitude vary from about 59.7 to 60.3 nautical miles. (Note: using data from the Geodetic Reference System 1980, the \"true\" length of a nautical mile would be 1852.216 meters.)"^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1852.0 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB065" ; + qudt:symbol "nmi" ; + qudt:ucumCode "[nmi_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "NMI" ; + rdfs:isDefinedBy . + +unit:MI_US a qudt:Unit ; + rdfs:label "Mile US Statute"@en ; + dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002\\% less than the US survey mile)."^^rdf:HTML ; + qudt:applicableSystem sou:USCS ; + qudt:conversionMultiplier 1609.347 ; + qudt:definedUnitOfSystem sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; + qudt:symbol "mi{US}" ; + qudt:ucumCode "[mi_us]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M52" ; + rdfs:isDefinedBy . + +unit:MicroIN a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Microinch"@en ; + dcterms:description "\"Microinch\" is an Imperial unit for 'Length' expressed as \\(in^{-6}\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2.54e-08 ; + qudt:definedUnitOfSystem sou:IMPERIAL ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:latexSymbol "\\(\\mu in\\)"^^qudt:LatexString ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µin" ; + qudt:ucumCode "u[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "M7" ; + rdfs:isDefinedBy . + +unit:MicroM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Micrometre"@en, + "Micrometer"@en-us ; + dcterms:description "\"Micrometer\" is a unit for 'Length' expressed as \\(microm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-06 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Micrometer"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA090" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Micrometer?oldid=491270437"^^xsd:anyURI ; + qudt:prefix prefix1:Micro ; + qudt:symbol "µm" ; + qudt:ucumCode "um"^^qudt:UCUMcs ; + qudt:uneceCommonCode "4H" ; + rdfs:isDefinedBy . + +unit:MilLength a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Mil Length"@en ; + dcterms:description "\"Mil Length\" is a C.G.S System unit for 'Length' expressed as \\(mil\\)."^^qudt:LatexString ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:symbol "mil" ; + qudt:ucumCode "[mil_i]"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:MilliIN a qudt:Unit ; + rdfs:label "Milli-inch"@en ; + dcterms:description "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA841" ; + qudt:plainTextDescription "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units" ; + qudt:symbol "mil" ; + qudt:ucumCode "m[in_i]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "77" ; + rdfs:isDefinedBy ; + skos:altLabel "thou"@en-gb, + "mil"@en-us . + +unit:MilliM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Millimetre"@en, + "Millimeter"@en-us ; + dcterms:description "The millimetre (International spelling as used by the International Bureau of Weights and Measures) or millimeter (American spelling) (SI unit symbol mm) is a unit of length in the metric system, equal to one thousandth of a metre, which is the SI base unit of length. It is equal to 1000 micrometres or 1000000 nanometres. A millimetre is equal to exactly 5/127 (approximately 0.039370) of an inch."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.001 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Millimetre"^^xsd:anyURI ; + qudt:expression "\\(mm\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA862" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Millimetre?oldid=493032457"^^xsd:anyURI ; + qudt:prefix prefix1:Milli ; + qudt:symbol "mm" ; + qudt:ucumCode "mm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "MMT" ; + rdfs:isDefinedBy ; + skos:altLabel "mil"@en-gb . + +unit:NanoM a qudt:Unit ; + rdfs:label "Nanometre"@en, + "Nanometer"@en-us ; + dcterms:description "0.000000001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-09 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA912" ; + qudt:plainTextDescription "0.000000001-fold of the SI base unit metre" ; + qudt:prefix prefix1:Nano ; + qudt:symbol "nM" ; + qudt:ucumCode "nm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C45" ; + rdfs:isDefinedBy . + +unit:PARSEC a qudt:Unit ; + rdfs:label "Parsec"@en ; + dcterms:description "The parsec (parallax of one arcsecond; symbol: pc) is a unit of length, equal to just under 31 trillion (\\(31 \\times 10^{12}\\)) kilometres (about 19 trillion miles), 206265 AU, or about 3.26 light-years. The parsec measurement unit is used in astronomy. It is defined as the length of the adjacent side of an imaginary right triangle in space. The two dimensions that specify this triangle are the parallax angle (defined as 1 arcsecond) and the opposite side (defined as 1 astronomical unit (AU), the distance from the Earth to the Sun). Given these two measurements, along with the rules of trigonometry, the length of the adjacent side (the parsec) can be found."^^qudt:LatexString ; + qudt:conversionMultiplier 3.085678e+16 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB067" ; + qudt:omUnit ; + qudt:symbol "pc" ; + qudt:ucumCode "pc"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C63" ; + rdfs:isDefinedBy . + +unit:PCA a qudt:Unit ; + rdfs:label "Pica"@en ; + dcterms:description "A pica is a typographic unit of measure corresponding to 1/72 of its respective foot, and therefore to 1/6 of an inch. The pica contains 12 point units of measure. Notably, Adobe PostScript promoted the pica unit of measure that is the standard in contemporary printing, as in home computers and printers. Usually, pica measurements are represented with an upper-case 'P' with an upper-right-to-lower-left virgule (slash) starting in the upper right portion of the 'P' and ending at the lower left of the upright portion of the 'P'; essentially drawing a virgule (/) through a 'P'. Note that these definitions are different from a typewriter's pica setting, which denotes a type size of ten characters per horizontal inch."^^rdf:HTML ; + qudt:conversionMultiplier 0.0042333 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Pica"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB606" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pica?oldid=458102937"^^xsd:anyURI ; + qudt:symbol "pc" ; + qudt:ucumCode "[pca]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "R1" ; + rdfs:isDefinedBy . + +unit:PT a qudt:Unit ; + rdfs:label "Point"@en ; + dcterms:description "In typography, a point is the smallest unit of measure, being a subdivision of the larger pica. It is commonly abbreviated as pt. The point has long been the usual unit for measuring font size and leading and other minute items on a printed page."^^rdf:HTML ; + qudt:conversionMultiplier 2.54e-05 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB605" ; + qudt:symbol "pt" ; + qudt:ucumCode "[pnt]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "N3" ; + rdfs:isDefinedBy . + +unit:PicoM a qudt:Unit ; + rdfs:label "Picometre"@en, + "Picometer"@en-us ; + dcterms:description "0.000000000001-fold of the SI base unit metre"^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-12 ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA949" ; + qudt:plainTextDescription "0.000000000001-fold of the SI base unit metre" ; + qudt:prefix prefix1:Pico ; + qudt:symbol "pM" ; + qudt:ucumCode "pm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "C52" ; + rdfs:isDefinedBy . + +unit:ROD a qudt:Unit ; + rdfs:label "Rod"@en ; + dcterms:description "A unit of distance equal to 5.5 yards (16 feet 6 inches)."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 5.02921 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Rod"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:expression "\\(rd\\)"^^qudt:LatexString ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA970" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Rod?oldid=492590086"^^xsd:anyURI ; + qudt:symbol "rod" ; + qudt:ucumCode "[rd_br]"^^qudt:UCUMcs ; + qudt:uneceCommonCode "F49" ; + rdfs:isDefinedBy . + +unit:YD a qudt:Unit ; + rdfs:label "Yard"@en ; + dcterms:description "A yard is a unit of length in several different systems including United States customary units, Imperial units and the former English units. It is equal to 3 feet or 36 inches. Under an agreement in 1959 between Australia, Canada, New Zealand, South Africa, the United Kingdom and the United States, the yard (known as the \"international yard\" in the United States) was legally defined to be exactly 0.9144 metres."^^rdf:HTML ; + qudt:applicableSystem sou:IMPERIAL, + sou:USCS ; + qudt:conversionMultiplier 0.9144 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Yard"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:IMPERIAL, + sou:USCS ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB030" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Yard?oldid=492334628"^^xsd:anyURI ; + qudt:symbol "yd" ; + qudt:ucumCode "[yd_i]"^^qudt:UCUMcs ; + qudt:udunitsCode "yd" ; + qudt:uneceCommonCode "YRD" ; + rdfs:isDefinedBy . + +unit:FM a qudt:Unit ; + rdfs:label "fermi"@en ; + dcterms:description "The \\(\\textit{fermi}\\), or \\(\\textit{femtometer}\\) (other spelling \\(femtometre\\), symbol \\(fm\\)) is an SI unit of length equal to \\(10^{-15} metre\\). This distance is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:exactMatch unit:FemtoM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_(unit)"^^xsd:anyURI ; + qudt:omUnit ; + qudt:symbol "fm" ; + qudt:uneceCommonCode "A71" ; + rdfs:isDefinedBy . + +unit:FemtoM a qudt:Unit ; + rdfs:label "Femtometre"@en, + "Femtometer"@en-us ; + dcterms:description "The \\(\\textit{femtometre}\\) is an SI unit of length equal to \\(10^{-15} meter\\). This distance can also be called \\(\\textit{fermi}\\) and was so named in honour of Enrico Fermi. It is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1e-15 ; + qudt:exactMatch unit:FM ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAB063" ; + qudt:prefix prefix1:Femto ; + qudt:symbol "fm" ; + qudt:ucumCode "fm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "A71" ; + rdfs:isDefinedBy . + +unit:PlanckLength a qudt:Unit ; + rdfs:label "Planck Length"@en ; + dcterms:description "In physics, the Planck length, denoted \\(\\ell_P\\), is a unit of length, equal to \\(1.616199(97)×10^{-35}\\) metres. It is a base unit in the system of Planck units. The Planck length can be defined from three fundamental physical constants: the speed of light in a vacuum, Planck's constant, and the gravitational constant. "^^qudt:LatexString ; + qudt:applicableSystem sou:PLANCK ; + qudt:conversionMultiplier 1.616252e-35 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_length?oldid=495093067"^^xsd:anyURI, + "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\ell_P = \\sqrt{\\frac{ \\hbar G}{c^3}} \\approx 1.616199(97)) \\times 10^{-35} m\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\ell_P\\)"^^qudt:LatexString ; + qudt:symbol "plancklength" ; + rdfs:isDefinedBy . + +s223:Frequency-60Hz a s223:Class, + s223:Frequency-60Hz, + sh:NodeShape ; + rdfs:label "60 Hertz" ; + s223:hasValue 60.0 ; + qudt:hasQuantityKind quantitykind:Frequency ; + qudt:hasUnit unit:HZ ; + rdfs:comment "60 Hertz" ; + rdfs:subClassOf s223:Numerical-Frequency . + +quantitykind:ForcePerArea a qudt:QuantityKind ; + rdfs:label "Force Per Area"@en ; + dcterms:description "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)"^^rdf:HTML ; + qudt:applicableUnit unit:ATM, + unit:ATM_T, + unit:BAR, + unit:BARAD, + unit:BARYE, + unit:CentiBAR, + unit:CentiM_H2O, + unit:CentiM_HG, + unit:DYN-PER-CentiM2, + unit:DecaPA, + unit:DeciBAR, + unit:FT_H2O, + unit:FT_HG, + unit:GM_F-PER-CentiM2, + unit:GigaPA, + unit:HectoBAR, + unit:HectoPA, + unit:IN_H2O, + unit:IN_HG, + unit:KIP_F-PER-IN2, + unit:KiloBAR, + unit:KiloGM-PER-M-SEC2, + unit:KiloGM_F-PER-CentiM2, + unit:KiloGM_F-PER-M2, + unit:KiloGM_F-PER-MilliM2, + unit:KiloLB_F-PER-IN2, + unit:KiloPA, + unit:KiloPA_A, + unit:LB_F-PER-FT2, + unit:LB_F-PER-IN2, + unit:MegaBAR, + unit:MegaPA, + unit:MegaPSI, + unit:MicroATM, + unit:MicroBAR, + unit:MicroPA, + unit:MicroTORR, + unit:MilliBAR, + unit:MilliM_H2O, + unit:MilliM_HG, + unit:MilliM_HGA, + unit:MilliPA, + unit:MilliTORR, + unit:N-PER-CentiM2, + unit:N-PER-M2, + unit:N-PER-MilliM2, + unit:PA, + unit:PDL-PER-FT2, + unit:PSI, + unit:PicoPA, + unit:PlanckPressure, + unit:TORR ; + qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI, + "http://www.thefreedictionary.com/force+per+unit+area"^^xsd:anyURI ; + qudt:plainTextDescription "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)" ; + qudt:symbol "p" ; + rdfs:isDefinedBy . + +sou:ASU a qudt:SystemOfUnits ; + rdfs:label "Astronomic System Of Units"@en ; + dcterms:description "The astronomical system of units, formally called the IAU (1976) System of Astronomical Constants, is a system of measurement developed for use in astronomy. It was adopted by the International Astronomical Union (IAU) in 1976, and has been slightly updated since then. The system was developed because of the difficulties in measuring and expressing astronomical data in International System of Units (SI units). In particular, there is a huge quantity of very precise data relating to the positions of objects within the solar system which cannot conveniently be expressed or processed in SI units. Through a number of modifications, the astronomical system of units now explicitly recognizes the consequences of general relativity, which is a necessary addition to the International System of Units in order to accurately treat astronomical data. The astronomical system of units is a tridimensional system, in that it defines units of length, mass and time. The associated astronomical constants also fix the different frames of reference that are needed to report observations. The system is a conventional system, in that neither the unit of length nor the unit of mass are true physical constants, and there are at least three different measures of time."^^rdf:HTML ; + qudt:informativeReference "http://www.iau.org/public/themes/measuring/"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:MassDensity a qudt:QuantityKind ; + rdfs:label "الكثافة"@ar, + "hustota"@cs, + "Massendichte"@de, + "volumenbezogene Masse"@de, + "mass density"@en, + "volumic mass"@en, + "densidad"@es, + "چگالی"@fa, + "densité"@fr, + "घनत्व"@hi, + "भार घनत्व"@hi, + "densità"@it, + "massa volumica"@it, + "密度"@ja, + " jisim isipadu"@ms, + "Ketumpatan jisim"@ms, + "gęstość"@pl, + "densidade"@pt, + "densitate"@ro, + "плотность"@ru, + "Gostôta"@sl, + "yoğunluk"@tr, + "密度"@zh ; + dcterms:description "The mass density or density of a material is its mass per unit volume."^^rdf:HTML ; + qudt:applicableUnit unit:DEGREE_BALLING, + unit:DEGREE_BAUME, + unit:DEGREE_BAUME_US_HEAVY, + unit:DEGREE_BAUME_US_LIGHT, + unit:DEGREE_BRIX, + unit:DEGREE_OECHSLE, + unit:DEGREE_PLATO, + unit:DEGREE_TWADDELL, + unit:FemtoGM-PER-L, + unit:GM-PER-CentiM3, + unit:GM-PER-DeciL, + unit:GM-PER-DeciM3, + unit:GM-PER-L, + unit:GM-PER-M3, + unit:GM-PER-MilliL, + unit:GRAIN-PER-GAL, + unit:GRAIN-PER-GAL_US, + unit:GRAIN-PER-M3, + unit:KiloGM-PER-CentiM3, + unit:KiloGM-PER-DeciM3, + unit:KiloGM-PER-L, + unit:KiloGM-PER-M3, + unit:LB-PER-FT3, + unit:LB-PER-GAL, + unit:LB-PER-GAL_UK, + unit:LB-PER-GAL_US, + unit:LB-PER-IN3, + unit:LB-PER-M3, + unit:LB-PER-YD3, + unit:MegaGM-PER-M3, + unit:MicroGM-PER-DeciL, + unit:MicroGM-PER-L, + unit:MicroGM-PER-M3, + unit:MicroGM-PER-MilliL, + unit:MilliGM-PER-DeciL, + unit:MilliGM-PER-L, + unit:MilliGM-PER-M3, + unit:MilliGM-PER-MilliL, + unit:NanoGM-PER-DeciL, + unit:NanoGM-PER-L, + unit:NanoGM-PER-M3, + unit:NanoGM-PER-MicroL, + unit:NanoGM-PER-MilliL, + unit:OZ-PER-GAL, + unit:OZ-PER-GAL_UK, + unit:OZ-PER-GAL_US, + unit:OZ-PER-IN3, + unit:OZ-PER-YD3, + unit:PicoGM-PER-L, + unit:PicoGM-PER-MilliL, + unit:PlanckDensity, + unit:SLUG-PER-FT3, + unit:TONNE-PER-M3, + unit:TON_LONG-PER-YD3, + unit:TON_Metric-PER-M3, + unit:TON_SHORT-PER-YD3, + unit:TON_UK-PER-YD3, + unit:TON_US-PER-YD3 ; + qudt:exactMatch quantitykind:Density ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI, + "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = \\frac{dm}{dV}\\), where \\(m\\) is mass and \\(V\\) is volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + qudt:plainTextDescription "The mass density or density of a material is its mass per unit volume." ; + rdfs:isDefinedBy . + +unit:CentiM a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "Centimetre"@en, + "Centimeter"@en-us ; + dcterms:description "A centimetre is a unit of length in the metric system, equal to one hundredth of a metre, which is the SI base unit of length. Centi is the SI prefix for a factor of \\(10^{-2}\\). The centimetre is the base unit of length in the now deprecated centimetre-gram-second (CGS) system of units."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 0.01 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA375" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre?oldid=494931891"^^xsd:anyURI ; + qudt:prefix prefix1:Centi ; + qudt:symbol "cm" ; + qudt:ucumCode "cm"^^qudt:UCUMcs ; + qudt:uneceCommonCode "CMT" ; + rdfs:isDefinedBy . + + a owl:Ontology ; + owl:versionInfo "Created with TopBraid Composer" ; + sh:declare [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; + sh:prefix "sh" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "quantitykind" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://purl.org/dc/terms/"^^xsd:anyURI ; + sh:prefix "dcterms" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/dimensionvector/"^^xsd:anyURI ; + sh:prefix "qkdv" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "quantitykind" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; + sh:prefix "unit" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; + sh:prefix "rdf" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2002/07/owl#"^^xsd:anyURI ; + sh:prefix "owl" ], + [ a sh:PrefixDeclaration ; + sh:namespace "http://www.w3.org/2004/02/skos/core#"^^xsd:anyURI ; + sh:prefix "skos" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; + sh:prefix "role" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "qudtqk" ], + [ sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; + sh:prefix "unit" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; + sh:prefix "rdf" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; + sh:prefix "sh" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ] . + +unit:NUM a qudt:CountingUnit, + qudt:Unit ; + rdfs:label "Number"@en ; + dcterms:description "\"Number\" is a unit for 'Dimensionless' expressed as (\\#\\)."^^rdf:HTML ; + qudt:applicableSystem sou:ASU, + sou:CGS, + sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:PLANCK, + sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:ChargeNumber, + quantitykind:Dimensionless, + quantitykind:DimensionlessRatio, + quantitykind:FrictionCoefficient, + quantitykind:HyperfineStructureQuantumNumber, + quantitykind:IonTransportNumber, + quantitykind:Landau-GinzburgNumber, + quantitykind:MagneticQuantumNumber, + quantitykind:MassNumber, + quantitykind:NeutronNumber, + quantitykind:NuclearSpinQuantumNumber, + quantitykind:NucleonNumber, + quantitykind:OrbitalAngularMomentumQuantumNumber, + quantitykind:Population, + quantitykind:PrincipalQuantumNumber, + quantitykind:QuantumNumber, + quantitykind:ReynoldsNumber, + quantitykind:SpinQuantumNumber, + quantitykind:StoichiometricNumber, + quantitykind:TotalAngularMomentumQuantumNumber ; + qudt:symbol "#" ; + qudt:ucumCode "1"^^qudt:UCUMcs, + "{#}"^^qudt:UCUMcs ; + rdfs:isDefinedBy . + +unit:J a qudt:DerivedUnit, + qudt:Unit ; + rdfs:label "джаул"@bg, + "joule"@cs, + "Joule"@de, + "τζάουλ"@el, + "joule"@en, + "julio"@es, + "ژول"@fa, + "joule"@fr, + "जूल"@hi, + "joule"@hu, + "joule"@it, + "ジュール"@ja, + "joulium"@la, + "joule"@ms, + "dżul"@pl, + "joule"@pt, + "joule"@ro, + "джоуль"@ru, + "joule"@sl, + "joule"@tr, + "焦耳"@zh ; + dcterms:description "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of \\(1 m/s\\)."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Joule"^^xsd:anyURI ; + qudt:exactMatch unit:N-M ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:hasQuantityKind quantitykind:Energy, + quantitykind:ExchangeIntegral, + quantitykind:HamiltonFunction, + quantitykind:LagrangeFunction, + quantitykind:LevelWidth, + quantitykind:ThermalEnergy ; + qudt:iec61360Code "0112/2///62720#UAA172" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Joule?oldid=494340406"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{J}\\ \\equiv\\ \\text{joule}\\ \\equiv\\ \\text{CV}\\ \\equiv\\ \\text{coulomb.volt}\\ \\equiv\\ \\frac{\\text{eV}}{1.602\\ 10^{-19}}\\ \\equiv\\ \\frac{\\text{electron.volt}}{1.602\\ 10^{-19}}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:plainTextDescription "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of 1 m/s. This is the same as 107 ergs in the CGS system, or approximately 0.737 562 foot-pound in the traditional English system. In other energy units, one joule equals about 9.478 170 x 10-4 Btu, 0.238 846 (small) calories, or 2.777 778 x 10-4 watt hour. The joule is named for the British physicist James Prescott Joule (1818-1889), who demonstrated the equivalence of mechanical and thermal energy in a famous experiment in 1843. " ; + qudt:symbol "J" ; + qudt:ucumCode "J"^^qudt:UCUMcs ; + qudt:udunitsCode "J" ; + qudt:uneceCommonCode "JOU" ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Force ; + qudt:latexDefinition "\\(L M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Density a qudt:QuantityKind ; + rdfs:label "Density"@en ; + dcterms:description "The mass density or density of a material is defined as its mass per unit volume. The symbol most often used for density is \\(\\rho\\). Mathematically, density is defined as mass divided by volume: \\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume. In some cases, density is also defined as its weight per unit volume, although this quantity is more properly called specific weight."^^qudt:LatexString ; + qudt:applicableUnit unit:DEGREE_BALLING, + unit:DEGREE_BAUME, + unit:DEGREE_BAUME_US_HEAVY, + unit:DEGREE_BAUME_US_LIGHT, + unit:DEGREE_BRIX, + unit:DEGREE_OECHSLE, + unit:DEGREE_PLATO, + unit:DEGREE_TWADDELL, + unit:FemtoGM-PER-L, + unit:GM-PER-CentiM3, + unit:GM-PER-DeciL, + unit:GM-PER-DeciM3, + unit:GM-PER-L, + unit:GM-PER-M3, + unit:GM-PER-MilliL, + unit:GRAIN-PER-GAL, + unit:GRAIN-PER-GAL_US, + unit:GRAIN-PER-M3, + unit:KiloGM-PER-CentiM3, + unit:KiloGM-PER-DeciM3, + unit:KiloGM-PER-L, + unit:KiloGM-PER-M3, + unit:LB-PER-FT3, + unit:LB-PER-GAL, + unit:LB-PER-GAL_UK, + unit:LB-PER-GAL_US, + unit:LB-PER-IN3, + unit:LB-PER-M3, + unit:LB-PER-YD3, + unit:MegaGM-PER-M3, + unit:MicroGM-PER-DeciL, + unit:MicroGM-PER-L, + unit:MicroGM-PER-M3, + unit:MicroGM-PER-MilliL, + unit:MilliGM-PER-DeciL, + unit:MilliGM-PER-L, + unit:MilliGM-PER-M3, + unit:MilliGM-PER-MilliL, + unit:NanoGM-PER-DeciL, + unit:NanoGM-PER-L, + unit:NanoGM-PER-M3, + unit:NanoGM-PER-MicroL, + unit:NanoGM-PER-MilliL, + unit:OZ-PER-GAL, + unit:OZ-PER-GAL_UK, + unit:OZ-PER-GAL_US, + unit:OZ-PER-IN3, + unit:OZ-PER-YD3, + unit:PicoGM-PER-L, + unit:PicoGM-PER-MilliL, + unit:PlanckDensity, + unit:SLUG-PER-FT3, + unit:TONNE-PER-M3, + unit:TON_LONG-PER-YD3, + unit:TON_Metric-PER-M3, + unit:TON_SHORT-PER-YD3, + unit:TON_UK-PER-YD3, + unit:TON_US-PER-YD3 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Density"^^xsd:anyURI ; + qudt:exactMatch quantitykind:MassDensity ; + qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume."^^qudt:LatexString ; + qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; + vaem:todo "belongs to SOQ-ISO" ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Time ; + qudt:latexDefinition "\\(T\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L-3I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-3I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Density ; + qudt:latexDefinition "\\(L^-3 M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +qkdv:A0E0L1I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:LinearVelocity ; + qudt:latexDefinition "\\(L T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . s223:hasMedium a rdf:Property ; rdfs:label "has Medium" ; rdfs:comment "The relation hasMedium is used to indicate what medium is flowing through the connection (e.g., air, water, electricity). The possible values are defined in EnumerationKind-Medium (see `s223:EnumerationKind-Medium`)." . +qkdv:A0E0L3I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Volume ; + qudt:latexDefinition "\\(L^3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +sou:CGS-ESU a qudt:SystemOfUnits ; + rdfs:label "CGS System of Units ESU"@en ; + dcterms:description "The electrostatic system of units is a system of units used to measure electrical quantities of electric charge, current, and voltage, within the centimeter gram second (or \"CGS\") metric system of units. In electrostatic units, electrical charge is defined via the force it exerts on other charges. The various units of the e.s.u. system have specific names obtained by prefixing more familiar names with $stat$, but are often referred to purely descriptively as the 'e.s. unit of capacitance', etc. "^^rdf:HTML ; + qudt:abbreviation "CGS-ESU" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Electrostatic_units"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-399#"^^xsd:anyURI, + "http://www.sizes.com/units/sys_cgs_stat.htm"^^xsd:anyURI ; + rdfs:isDefinedBy . + +unit:M a qudt:Unit ; + rdfs:label "متر"@ar, + "метър"@bg, + "metr"@cs, + "Meter"@de, + "μέτρο"@el, + "metre"@en, + "Meter"@en-us, + "metro"@es, + "متر"@fa, + "mètre"@fr, + "מטר"@he, + "मीटर"@hi, + "méter"@hu, + "metro"@it, + "メートル"@ja, + "metrum"@la, + "meter"@ms, + "metr"@pl, + "metro"@pt, + "metru"@ro, + "метр"@ru, + "meter"@sl, + "metre"@tr, + "米"@zh ; + dcterms:description "The metric and SI base unit of distance. The 17th General Conference on Weights and Measures in 1983 defined the meter as that distance that makes the speed of light in a vacuum equal to exactly 299 792 458 meters per second. The speed of light in a vacuum, \\(c\\), is one of the fundamental constants of nature. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches."^^qudt:LatexString ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Metre"^^xsd:anyURI ; + qudt:definedUnitOfSystem sou:SI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:hasQuantityKind quantitykind:Length ; + qudt:iec61360Code "0112/2///62720#UAA726" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Metre?oldid=495145797"^^xsd:anyURI ; + qudt:omUnit ; + qudt:plainTextDescription "The metric and SI base unit of distance. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches." ; + qudt:symbol "m" ; + qudt:ucumCode "m"^^qudt:UCUMcs ; + qudt:udunitsCode "m" ; + qudt:uneceCommonCode "MTR" ; + rdfs:isDefinedBy . + +s223:Electricity-AC a s223:Class, + s223:Electricity-AC, + sh:NodeShape ; + rdfs:label "Electricity AC" ; + s223:hasFrequency s223:Numerical-Frequency ; + s223:hasNumberOfElectricalPhases s223:Numerical-NumberOfElectricalPhases ; + s223:hasVoltage s223:Numerical-Voltage ; + rdfs:comment "This class has enumerated instances of all AC forms of electricity." ; + rdfs:subClassOf s223:Medium-Electricity ; + sh:property [ rdfs:comment "An electricity AC medium must have a frequency" ; + sh:class s223:Numerical-Frequency ; + sh:minCount 1 ; + sh:path s223:hasFrequency ], + [ rdfs:comment "An electricity AC medium must have a number of electrical phases." ; + sh:class s223:Numerical-NumberOfElectricalPhases ; + sh:minCount 1 ; + sh:path s223:hasNumberOfElectricalPhases ], + [ rdfs:comment "An electricity AC medium must have a voltage." ; + sh:minCount 1 ; + sh:or ( [ sh:class s223:Numerical-LineLineVoltage ] [ sh:class s223:Numerical-LineNeutralVoltage ] [ sh:class s223:Numerical-Voltage ] ) ; + sh:path s223:hasVoltage ] . + +qkdv:A0E0L2I0M1H0T-3D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H0T-3D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -3 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Power ; + qudt:latexDefinition "\\(L^2 M T^-3\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + s223:hasConnectionPoint a rdf:Property ; rdfs:label "has connection point" ; s223:inverseOf s223:isConnectionPointOf ; rdfs:comment "The relation hasConnectionPoint is part of a pair of relations that bind a Connectable thing to a ConnectionPoint. It is the inverse of the relation isConnectionPointOf (see `s223:isConnectionPointOf`)." . +qkdv:A0E0L0I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Frequency ; + qudt:latexDefinition "\\(T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:VolumePerUnitTime a qudt:QuantityKind ; + rdfs:label "Volume per Unit Time"@en ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY, + unit:BBL_UK_PET-PER-HR, + unit:BBL_UK_PET-PER-MIN, + unit:BBL_UK_PET-PER-SEC, + unit:BBL_US-PER-DAY, + unit:BBL_US-PER-MIN, + unit:BBL_US_PET-PER-HR, + unit:BBL_US_PET-PER-SEC, + unit:BU_UK-PER-DAY, + unit:BU_UK-PER-HR, + unit:BU_UK-PER-MIN, + unit:BU_UK-PER-SEC, + unit:BU_US_DRY-PER-DAY, + unit:BU_US_DRY-PER-HR, + unit:BU_US_DRY-PER-MIN, + unit:BU_US_DRY-PER-SEC, + unit:CentiM3-PER-DAY, + unit:CentiM3-PER-HR, + unit:CentiM3-PER-MIN, + unit:CentiM3-PER-SEC, + unit:DeciM3-PER-DAY, + unit:DeciM3-PER-HR, + unit:DeciM3-PER-MIN, + unit:DeciM3-PER-SEC, + unit:FT3-PER-DAY, + unit:FT3-PER-HR, + unit:FT3-PER-MIN, + unit:FT3-PER-SEC, + unit:GAL_UK-PER-DAY, + unit:GAL_UK-PER-HR, + unit:GAL_UK-PER-MIN, + unit:GAL_UK-PER-SEC, + unit:GAL_US-PER-DAY, + unit:GAL_US-PER-HR, + unit:GAL_US-PER-MIN, + unit:GAL_US-PER-SEC, + unit:GI_UK-PER-DAY, + unit:GI_UK-PER-HR, + unit:GI_UK-PER-MIN, + unit:GI_UK-PER-SEC, + unit:GI_US-PER-DAY, + unit:GI_US-PER-HR, + unit:GI_US-PER-MIN, + unit:GI_US-PER-SEC, + unit:IN3-PER-HR, + unit:IN3-PER-MIN, + unit:IN3-PER-SEC, + unit:KiloL-PER-HR, + unit:L-PER-DAY, + unit:L-PER-HR, + unit:L-PER-MIN, + unit:L-PER-SEC, + unit:M3-PER-DAY, + unit:M3-PER-HR, + unit:M3-PER-MIN, + unit:M3-PER-SEC, + unit:MilliL-PER-DAY, + unit:MilliL-PER-HR, + unit:MilliL-PER-MIN, + unit:MilliL-PER-SEC, + unit:OZ_VOL_UK-PER-DAY, + unit:OZ_VOL_UK-PER-HR, + unit:OZ_VOL_UK-PER-MIN, + unit:OZ_VOL_UK-PER-SEC, + unit:OZ_VOL_US-PER-DAY, + unit:OZ_VOL_US-PER-HR, + unit:OZ_VOL_US-PER-MIN, + unit:OZ_VOL_US-PER-SEC, + unit:PINT_UK-PER-DAY, + unit:PINT_UK-PER-HR, + unit:PINT_UK-PER-MIN, + unit:PINT_UK-PER-SEC, + unit:PINT_US-PER-DAY, + unit:PINT_US-PER-HR, + unit:PINT_US-PER-MIN, + unit:PINT_US-PER-SEC, + unit:PK_UK-PER-DAY, + unit:PK_UK-PER-HR, + unit:PK_UK-PER-MIN, + unit:PK_UK-PER-SEC, + unit:PK_US_DRY-PER-DAY, + unit:PK_US_DRY-PER-HR, + unit:PK_US_DRY-PER-MIN, + unit:PK_US_DRY-PER-SEC, + unit:QT_UK-PER-DAY, + unit:QT_UK-PER-HR, + unit:QT_UK-PER-MIN, + unit:QT_UK-PER-SEC, + unit:QT_US-PER-DAY, + unit:QT_US-PER-HR, + unit:QT_US-PER-MIN, + unit:QT_US-PER-SEC, + unit:YD3-PER-DAY, + unit:YD3-PER-HR, + unit:YD3-PER-MIN, + unit:YD3-PER-SEC ; + qudt:exactMatch quantitykind:VolumeFlowRate ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + rdfs:isDefinedBy . + +qkdv:A0E0L-1I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L-1I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength -1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:EnergyDensity, + quantitykind:ForcePerArea ; + qudt:latexDefinition "\\(L^-1 M T^-2\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:VolumeFlowRate a qudt:QuantityKind ; + rdfs:label "Volume Flow Rate"@en ; + dcterms:description "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time."^^rdf:HTML ; + qudt:applicableUnit unit:BBL_UK_PET-PER-DAY, + unit:BBL_UK_PET-PER-HR, + unit:BBL_UK_PET-PER-MIN, + unit:BBL_UK_PET-PER-SEC, + unit:BBL_US-PER-DAY, + unit:BBL_US-PER-MIN, + unit:BBL_US_PET-PER-HR, + unit:BBL_US_PET-PER-SEC, + unit:BU_UK-PER-DAY, + unit:BU_UK-PER-HR, + unit:BU_UK-PER-MIN, + unit:BU_UK-PER-SEC, + unit:BU_US_DRY-PER-DAY, + unit:BU_US_DRY-PER-HR, + unit:BU_US_DRY-PER-MIN, + unit:BU_US_DRY-PER-SEC, + unit:CentiM3-PER-DAY, + unit:CentiM3-PER-HR, + unit:CentiM3-PER-MIN, + unit:CentiM3-PER-SEC, + unit:DeciM3-PER-DAY, + unit:DeciM3-PER-HR, + unit:DeciM3-PER-MIN, + unit:DeciM3-PER-SEC, + unit:FT3-PER-DAY, + unit:FT3-PER-HR, + unit:FT3-PER-MIN, + unit:FT3-PER-SEC, + unit:GAL_UK-PER-DAY, + unit:GAL_UK-PER-HR, + unit:GAL_UK-PER-MIN, + unit:GAL_UK-PER-SEC, + unit:GAL_US-PER-DAY, + unit:GAL_US-PER-HR, + unit:GAL_US-PER-MIN, + unit:GAL_US-PER-SEC, + unit:GI_UK-PER-DAY, + unit:GI_UK-PER-HR, + unit:GI_UK-PER-MIN, + unit:GI_UK-PER-SEC, + unit:GI_US-PER-DAY, + unit:GI_US-PER-HR, + unit:GI_US-PER-MIN, + unit:GI_US-PER-SEC, + unit:IN3-PER-HR, + unit:IN3-PER-MIN, + unit:IN3-PER-SEC, + unit:KiloL-PER-HR, + unit:L-PER-DAY, + unit:L-PER-HR, + unit:L-PER-MIN, + unit:L-PER-SEC, + unit:M3-PER-DAY, + unit:M3-PER-HR, + unit:M3-PER-MIN, + unit:M3-PER-SEC, + unit:MilliL-PER-DAY, + unit:MilliL-PER-HR, + unit:MilliL-PER-MIN, + unit:MilliL-PER-SEC, + unit:OZ_VOL_UK-PER-DAY, + unit:OZ_VOL_UK-PER-HR, + unit:OZ_VOL_UK-PER-MIN, + unit:OZ_VOL_UK-PER-SEC, + unit:OZ_VOL_US-PER-DAY, + unit:OZ_VOL_US-PER-HR, + unit:OZ_VOL_US-PER-MIN, + unit:OZ_VOL_US-PER-SEC, + unit:PINT_UK-PER-DAY, + unit:PINT_UK-PER-HR, + unit:PINT_UK-PER-MIN, + unit:PINT_UK-PER-SEC, + unit:PINT_US-PER-DAY, + unit:PINT_US-PER-HR, + unit:PINT_US-PER-MIN, + unit:PINT_US-PER-SEC, + unit:PK_UK-PER-DAY, + unit:PK_UK-PER-HR, + unit:PK_UK-PER-MIN, + unit:PK_UK-PER-SEC, + unit:PK_US_DRY-PER-DAY, + unit:PK_US_DRY-PER-HR, + unit:PK_US_DRY-PER-MIN, + unit:PK_US_DRY-PER-SEC, + unit:QT_UK-PER-DAY, + unit:QT_UK-PER-HR, + unit:QT_UK-PER-MIN, + unit:QT_UK-PER-SEC, + unit:QT_US-PER-DAY, + unit:QT_US-PER-HR, + unit:QT_US-PER-MIN, + unit:QT_US-PER-SEC, + unit:YD3-PER-DAY, + unit:YD3-PER-HR, + unit:YD3-PER-MIN, + unit:YD3-PER-SEC ; + qudt:exactMatch quantitykind:VolumePerUnitTime ; + qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_flow_rate"^^xsd:anyURI ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; + qudt:latexDefinition "\\(q_V = \\frac{dV}{dt}\\), where \\(V\\) is volume and \\(t\\) is time."^^qudt:LatexString ; + qudt:plainTextDescription "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time." ; + qudt:symbol "q_V" ; + rdfs:isDefinedBy . + +qkdv:A0E0L3I0M0H0T-1D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L3I0M0H0T-1D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 3 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -1 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:VolumeFlowRate ; + qudt:latexDefinition "\\(L^3 T^-1\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +unit:V a qudt:Unit ; + rdfs:label "فولت"@ar, + "волт"@bg, + "volt"@cs, + "Volt"@de, + "βολτ"@el, + "volt"@en, + "voltio"@es, + "ولت"@fa, + "volt"@fr, + "וולט"@he, + "वोल्ट"@hi, + "volt"@hu, + "volt"@it, + "ボルト"@ja, + "voltium"@la, + "volt"@ms, + "wolt"@pl, + "volt"@pt, + "volt"@ro, + "вольт"@ru, + "volt"@sl, + "volt"@tr, + "伏特"@zh ; + dcterms:description "\\(\\textit{Volt} is the SI unit of electric potential. Separating electric charges creates potential energy, which can be measured in energy units such as joules. Electric potential is defined as the amount of potential energy present per unit of charge. Electric potential is measured in volts, with one volt representing a potential of one joule per coulomb of charge. The name of the unit honors the Italian scientist Count Alessandro Volta (1745-1827), the inventor of the first battery. The volt also may be expressed with a variety of other units. For example, a volt is also equal to one watt per ampere (W/A) and one joule per ampere per second (J/A/s).\\)"^^qudt:LatexString ; + qudt:applicableSystem sou:CGS-EMU, + sou:CGS-GAUSS, + sou:PLANCK, + sou:SI ; + qudt:conversionMultiplier 1.0 ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Volt"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:hasQuantityKind quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge, + quantitykind:Voltage ; + qudt:iec61360Code "0112/2///62720#UAA296" ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Volt?oldid=494812083"^^xsd:anyURI ; + qudt:latexDefinition "\\(\\text{V}\\ \\equiv\\ \\text{volt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W.s}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{watt.second}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}}\\)"^^qudt:LatexString ; + qudt:omUnit ; + qudt:siUnitsExpression "W/A" ; + qudt:symbol "V" ; + qudt:ucumCode "V"^^qudt:UCUMcs ; + qudt:udunitsCode "V" ; + qudt:uneceCommonCode "VLT" ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M1H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M1H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Mass ; + qudt:latexDefinition "\\(M\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Unknown a qudt:QuantityKind ; + rdfs:label "Unknown" ; + dcterms:description "Placeholder value used for reference from units where it is not clear what a given unit is a measure of." ; + qudt:applicableUnit unit:CentiM2-PER-CentiM3, + unit:DEG-PER-M, + unit:DEG_C-KiloGM-PER-M2, + unit:DEG_C2-PER-SEC, + unit:K-M-PER-SEC, + unit:K-M2-PER-KiloGM-SEC, + unit:K-PA-PER-SEC, + unit:K2, + unit:KiloGM-PER-M3-SEC, + unit:KiloGM-SEC2, + unit:KiloGM2-PER-SEC2, + unit:KiloGM_F-M-PER-SEC, + unit:M2-HZ2, + unit:M2-HZ3, + unit:M2-HZ4, + unit:M2-PER-HZ, + unit:M2-PER-HZ-DEG, + unit:M2-PER-HZ2, + unit:M2-PER-SEC2, + unit:M2-SEC-PER-RAD, + unit:M3-PER-KiloGM-SEC2, + unit:M4-PER-SEC, + unit:MOL-PER-GM-HR, + unit:MOL-PER-M2, + unit:MOL-PER-M2-DAY, + unit:MOL-PER-M2-SEC, + unit:MOL-PER-M2-SEC-M, + unit:MOL-PER-M2-SEC-M-SR, + unit:MOL-PER-M2-SEC-SR, + unit:MOL-PER-M3-SEC, + unit:MOL-PER-MOL, + unit:MicroGAL-PER-M, + unit:MicroGM-PER-L-HR, + unit:MicroGM-PER-M3-HR, + unit:MicroM-PER-L-DAY, + unit:MicroM-PER-MilliL, + unit:MicroMOL-PER-GM-HR, + unit:MicroMOL-PER-GM-SEC, + unit:MicroMOL-PER-L-HR, + unit:MicroMOL-PER-M2, + unit:MicroMOL-PER-M2-DAY, + unit:MicroMOL-PER-M2-HR, + unit:MicroMOL-PER-MOL, + unit:MicroMOL-PER-MicroMOL-DAY, + unit:MilliBQ-PER-M2-DAY, + unit:MilliGAL-PER-MO, + unit:MilliGM-PER-M3-DAY, + unit:MilliGM-PER-M3-HR, + unit:MilliGM-PER-M3-SEC, + unit:MilliL-PER-M2-DAY, + unit:MilliMOL-PER-M2, + unit:MilliMOL-PER-M2-DAY, + unit:MilliMOL-PER-M2-SEC, + unit:MilliMOL-PER-M3-DAY, + unit:MilliMOL-PER-MOL, + unit:MilliRAD_R-PER-HR, + unit:MilliW-PER-CentiM2-MicroM-SR, + unit:MilliW-PER-M2-NanoM, + unit:MilliW-PER-M2-NanoM-SR, + unit:MillionUSD-PER-YR, + unit:N-M2-PER-KiloGM2, + unit:NUM-PER-CentiM-KiloYR, + unit:NUM-PER-GM, + unit:NUM-PER-HectoGM, + unit:NUM-PER-MilliGM, + unit:NanoMOL-PER-CentiM3-HR, + unit:NanoMOL-PER-GM-SEC, + unit:NanoMOL-PER-L-DAY, + unit:NanoMOL-PER-L-HR, + unit:NanoMOL-PER-M2-DAY, + unit:NanoMOL-PER-MicroGM-HR, + unit:NanoMOL-PER-MicroMOL, + unit:NanoMOL-PER-MicroMOL-DAY, + unit:PA-M, + unit:PA-M-PER-SEC, + unit:PA-M-PER-SEC2, + unit:PA-SEC-PER-M3, + unit:PA2-PER-SEC2, + unit:PER-GM, + unit:PER-H, + unit:PER-M-NanoM, + unit:PER-M-NanoM-SR, + unit:PER-M-SEC, + unit:PER-M-SR, + unit:PER-MicroMOL-L, + unit:PER-PA-SEC, + unit:PER-SEC2, + unit:PER-SR, + unit:PPTH-PER-HR, + unit:PPTR_VOL, + unit:PSU, + unit:PicoA-PER-MicroMOL-L, + unit:PicoMOL-PER-L-DAY, + unit:PicoMOL-PER-L-HR, + unit:PicoMOL-PER-M-W-SEC, + unit:PicoMOL-PER-M2-DAY, + unit:PicoMOL-PER-M3-SEC, + unit:PicoW-PER-CentiM2-L, + unit:SEC-PER-M, + unit:UNKNOWN, + unit:W-M-PER-M2-SR, + unit:W-PER-M, + unit:W-PER-M2-M, + unit:W-PER-M2-M-SR, + unit:W-PER-M2-NanoM, + unit:W-PER-M2-NanoM-SR ; + qudt:hasDimensionVector qkdv:NotApplicable ; + rdfs:isDefinedBy . + +quantitykind:Length a qudt:QuantityKind ; + rdfs:label "طول"@ar, + "Дължина"@bg, + "Délka"@cs, + "Länge"@de, + "Μήκος"@el, + "length"@en, + "longitud"@es, + "طول"@fa, + "longueur"@fr, + "אורך"@he, + "लम्बाई"@hi, + "hossz"@hu, + "lunghezza"@it, + "長さ"@ja, + "longitudo"@la, + "Panjang"@ms, + "długość"@pl, + "comprimento"@pt, + "lungime"@ro, + "Длина"@ru, + "dolžina"@sl, + "uzunluk"@tr, + "长度"@zh ; + dcterms:description "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured."^^rdf:HTML ; + qudt:applicableUnit unit:ANGSTROM, + unit:AU, + unit:BTU_IT-PER-LB_F, + unit:CH, + unit:CentiM, + unit:DecaM, + unit:DeciM, + unit:FATH, + unit:FM, + unit:FT, + unit:FT_US, + unit:FUR, + unit:FUR_Long, + unit:FemtoM, + unit:GAUGE_FR, + unit:HectoM, + unit:IN, + unit:KiloM, + unit:LY, + unit:M, + unit:MI, + unit:MI_N, + unit:MI_US, + unit:MicroIN, + unit:MicroM, + unit:MilLength, + unit:MilliIN, + unit:MilliM, + unit:NanoM, + unit:PARSEC, + unit:PCA, + unit:PT, + unit:PicoM, + unit:PlanckLength, + unit:ROD, + unit:YD ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Length"^^xsd:anyURI ; + qudt:plainTextDescription "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured." ; + qudt:symbol "l" ; + rdfs:isDefinedBy . + +quantitykind:Voltage a qudt:QuantityKind ; + rdfs:label "Voltage"@en ; + dcterms:description """\\(\\textit{Voltage}\\), also referred to as \\(\\textit{Electric Tension}\\), is the difference between electrical potentials of two points. For an electric field within a medium, \\(U_{ab} = - \\int_{r_a}^{r_b} E . {dr}\\), where \\(E\\) is electric field strength. +For an irrotational electric field, the voltage is independent of the path between the two points \\(a\\) and \\(b\\)."""^^qudt:LatexString ; + qudt:applicableUnit unit:KiloV, + unit:MegaV, + unit:MicroV, + unit:MilliV, + unit:PlanckVolt, + unit:V, + unit:V_Ab, + unit:V_Stat ; + qudt:exactMatch quantitykind:ElectricPotential, + quantitykind:ElectricPotentialDifference, + quantitykind:EnergyPerElectricCharge ; + qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; + qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; + qudt:latexDefinition "\\(U_{ab} = V_a - V_b\\), where \\(V_a\\) and \\(V_b\\) are electric potentials at points \\(a\\) and \\(b\\), respectively."^^qudt:LatexString ; + qudt:latexSymbol "\\(U_{ab}\\)"^^qudt:LatexString ; + qudt:symbol "U" ; + rdfs:isDefinedBy ; + skos:broader quantitykind:EnergyPerElectricCharge . + +qkdv:A0E0L1I0M0H0T0D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L1I0M0H0T0D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 1 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Length ; + qudt:latexDefinition "\\(L\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Mass a qudt:QuantityKind ; + rdfs:label "كتلة"@ar, + "Маса"@bg, + "Hmotnost"@cs, + "Masse"@de, + "Μάζα"@el, + "mass"@en, + "masa"@es, + "جرم"@fa, + "masse"@fr, + "מסה"@he, + "भार"@hi, + "tömeg"@hu, + "massa"@it, + "質量"@ja, + "massa"@la, + "Jisim"@ms, + "masa"@pl, + "massa"@pt, + "masă"@ro, + "Масса"@ru, + "masa"@sl, + "kütle"@tr, + "质量"@zh ; + dcterms:description "In physics, mass, more specifically inertial mass, can be defined as a quantitative measure of an object's resistance to acceleration. The SI unit of mass is the kilogram (\\(kg\\))"^^qudt:LatexString ; + qudt:applicableUnit unit:AMU, + unit:CARAT, + unit:CWT_LONG, + unit:CWT_SHORT, + unit:CentiGM, + unit:DRAM_UK, + unit:DRAM_US, + unit:DWT, + unit:DecaGM, + unit:DeciGM, + unit:DeciTONNE, + unit:DeciTON_Metric, + unit:EarthMass, + unit:FemtoGM, + unit:GM, + unit:GRAIN, + unit:HectoGM, + unit:Hundredweight_UK, + unit:Hundredweight_US, + unit:KiloGM, + unit:KiloTONNE, + unit:KiloTON_Metric, + unit:LB, + unit:LB_M, + unit:LB_T, + unit:LunarMass, + unit:MegaGM, + unit:MicroGM, + unit:MilliGM, + unit:NanoGM, + unit:OZ, + unit:OZ_M, + unit:OZ_TROY, + unit:Pennyweight, + unit:PicoGM, + unit:PlanckMass, + unit:Quarter_UK, + unit:SLUG, + unit:SolarMass, + unit:Stone_UK, + unit:TONNE, + unit:TON_Assay, + unit:TON_LONG, + unit:TON_Metric, + unit:TON_SHORT, + unit:TON_UK, + unit:TON_US, + unit:U ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Mass"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Mass"^^xsd:anyURI ; + qudt:symbol "m" ; + rdfs:isDefinedBy . + +qkdv:A0E0L2I0M1H0T-2D0 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L2I0M1H0T-2D0" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 2 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 1 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime -2 ; + qudt:dimensionlessExponent 0 ; + qudt:hasReferenceQuantityKind quantitykind:Energy, + quantitykind:Torque ; + qudt:latexDefinition "\\(L^2\\,M\\,T^{-2}\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +quantitykind:Energy a qudt:QuantityKind ; + rdfs:label "الطاقة"@ar, + "Енергия"@bg, + "Energie"@cs, + "Energie"@de, + "Έργο - Ενέργεια"@el, + "energy"@en, + "energia"@es, + "انرژی"@fa, + "énergie"@fr, + "אנרגיה ועבודה"@he, + "ऊर्जा"@hi, + "energia , munka , hő"@hu, + "energia"@it, + "エネルギー"@ja, + "energia"@la, + "Tenaga"@ms, + "energia"@pl, + "energia"@pt, + "energie"@ro, + "Энергия"@ru, + "energija"@sl, + "enerji"@tr, + "能量"@zh ; + dcterms:description "Energy is the quantity characterizing the ability of a system to do work."^^rdf:HTML ; + qudt:applicableUnit unit:AttoJ, + unit:BTU_IT, + unit:BTU_TH, + unit:CAL_IT, + unit:CAL_TH, + unit:ERG, + unit:EV, + unit:E_h, + unit:ExaJ, + unit:FT-LB_F, + unit:FT-PDL, + unit:FemtoJ, + unit:GigaEV, + unit:GigaJ, + unit:GigaW-HR, + unit:J, + unit:KiloBTU_IT, + unit:KiloBTU_TH, + unit:KiloCAL, + unit:KiloEV, + unit:KiloJ, + unit:KiloV-A-HR, + unit:KiloV-A_Reactive-HR, + unit:KiloW-HR, + unit:MegaEV, + unit:MegaJ, + unit:MegaTOE, + unit:MegaV-A-HR, + unit:MegaV-A_Reactive-HR, + unit:MegaW-HR, + unit:MicroJ, + unit:MilliJ, + unit:PetaJ, + unit:PlanckEnergy, + unit:QUAD, + unit:THM_EEC, + unit:THM_US, + unit:TOE, + unit:TeraJ, + unit:TeraW-HR, + unit:TonEnergy, + unit:V-A-HR, + unit:V-A_Reactive-HR, + unit:W-HR, + unit:W-SEC ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Energy"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; + qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; + qudt:plainTextDescription "Energy is the quantity characterizing the ability of a system to do work." ; + qudt:symbol "E" ; + rdfs:isDefinedBy ; + rdfs:seeAlso quantitykind:Enthalpy, + quantitykind:Entropy, + quantitykind:GibbsEnergy, + quantitykind:HelmholtzEnergy, + quantitykind:InternalEnergy, + quantitykind:Work . + +quantitykind:DimensionlessRatio a qudt:QuantityKind ; + rdfs:label "Dimensionless Ratio"@en ; + qudt:applicableUnit unit:FRACTION, + unit:GR, + unit:NUM, + unit:PERCENT, + unit:PERMITTIVITY_REL, + unit:PPB, + unit:PPM, + unit:PPTH, + unit:PPTM, + unit:PPTR, + unit:UNITLESS ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Dimensionless . + +sou:PLANCK a qudt:SystemOfUnits ; + rdfs:label "Planck System of Units"@en ; + dcterms:description """In physics, Planck units are physical units of measurement defined exclusively in terms of five universal physical constants listed below, in such a manner that these five physical constants take on the numerical value of 1 when expressed in terms of these units. Planck units elegantly simplify particular algebraic expressions appearing in physical law. +Originally proposed in 1899 by German physicist Max Planck, these units are also known as natural units because the origin of their definition comes only from properties of nature and not from any human construct. Planck units are unique among systems of natural units, because they are not defined in terms of properties of any prototype, physical object, or even elementary particle. +Unlike the meter and second, which exist as fundamental units in the SI system for (human) historical reasons, the Planck length and Planck time are conceptually linked at a fundamental physical level. Natural units help physicists to reframe questions."""^^rdf:HTML ; + qudt:abbreviation "PLANCK" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:PlanckCharge, + unit:PlanckLength, + unit:PlanckMass, + unit:PlanckTemperature, + unit:PlanckTime ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_units?oldid=495407713"^^xsd:anyURI ; + rdfs:isDefinedBy . + +quantitykind:Currency a qudt:QuantityKind ; + rdfs:label "Currency"@en ; + qudt:applicableUnit cur:AED, + cur:AFN, + cur:ALL, + cur:AMD, + cur:ANG, + cur:AOA, + cur:ARS, + cur:AUD, + cur:AWG, + cur:AZN, + cur:BAM, + cur:BBD, + cur:BDT, + cur:BGN, + cur:BHD, + cur:BIF, + cur:BMD, + cur:BND, + cur:BOB, + cur:BOV, + cur:BRL, + cur:BSD, + cur:BTN, + cur:BWP, + cur:BYN, + cur:BZD, + cur:CAD, + cur:CDF, + cur:CHE, + cur:CHF, + cur:CHW, + cur:CLF, + cur:CLP, + cur:CNY, + cur:COP, + cur:COU, + cur:CRC, + cur:CUP, + cur:CVE, + cur:CYP, + cur:CZK, + cur:DJF, + cur:DKK, + cur:DOP, + cur:DZD, + cur:EEK, + cur:EGP, + cur:ERN, + cur:ETB, + cur:EUR, + cur:FJD, + cur:FKP, + cur:GBP, + cur:GEL, + cur:GHS, + cur:GIP, + cur:GMD, + cur:GNF, + cur:GTQ, + cur:GYD, + cur:HKD, + cur:HNL, + cur:HRK, + cur:HTG, + cur:HUF, + cur:IDR, + cur:ILS, + cur:INR, + cur:IQD, + cur:IRR, + cur:ISK, + cur:JMD, + cur:JOD, + cur:JPY, + cur:KES, + cur:KGS, + cur:KHR, + cur:KMF, + cur:KPW, + cur:KRW, + cur:KWD, + cur:KYD, + cur:KZT, + cur:LAK, + cur:LBP, + cur:LKR, + cur:LRD, + cur:LSL, + cur:LTL, + cur:LVL, + cur:LYD, + cur:MAD, + cur:MDL, + cur:MGA, + cur:MKD, + cur:MMK, + cur:MNT, + cur:MOP, + cur:MRU, + cur:MTL, + cur:MUR, + cur:MVR, + cur:MWK, + cur:MXN, + cur:MXV, + cur:MYR, + cur:MZN, + cur:MegaUSD, + cur:NAD, + cur:NGN, + cur:NIO, + cur:NOK, + cur:NPR, + cur:NZD, + cur:OMR, + cur:PAB, + cur:PEN, + cur:PGK, + cur:PHP, + cur:PKR, + cur:PLN, + cur:PYG, + cur:QAR, + cur:RON, + cur:RSD, + cur:RUB, + cur:RWF, + cur:SAR, + cur:SBD, + cur:SCR, + cur:SDG, + cur:SEK, + cur:SGD, + cur:SHP, + cur:SKK, + cur:SLE, + cur:SOS, + cur:SRD, + cur:STN, + cur:SYP, + cur:SZL, + cur:THB, + cur:TJS, + cur:TMT, + cur:TND, + cur:TOP, + cur:TRY, + cur:TTD, + cur:TWD, + cur:TZS, + cur:UAH, + cur:UGX, + cur:USD, + cur:USN, + cur:USS, + cur:UYU, + cur:UZS, + cur:VES, + cur:VND, + cur:VUV, + cur:WST, + cur:XAF, + cur:XAG, + cur:XAU, + cur:XBA, + cur:XBB, + cur:XBC, + cur:XBD, + cur:XCD, + cur:XDR, + cur:XFO, + cur:XFU, + cur:XOF, + cur:XPD, + cur:XPF, + cur:XPT, + cur:YER, + cur:ZAR, + cur:ZMW, + cur:ZWL ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Currency"^^xsd:anyURI ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Currency"^^xsd:anyURI ; + qudt:plainTextDescription "In economics, currency is a generally accepted medium of exchange. These are usually the coins and banknotes of a particular government, which comprise the physical aspects of a nation's money supply. The other part of a nation's money supply consists of bank deposits (sometimes called deposit money), ownership of which can be transferred by means of cheques, debit cards, or other forms of money transfer. Deposit money and currency are money in the sense that both are acceptable as a means of payment." ; + rdfs:isDefinedBy ; + skos:broader quantitykind:Asset . + +unit:UNITLESS a qudt:CountingUnit, + qudt:DimensionlessUnit, + qudt:Unit ; + rdfs:label "Unitless"@en ; + dcterms:description "An explicit unit to say something has no units."^^rdf:HTML ; + qudt:applicableSystem sou:CGS, + sou:CGS-EMU, + sou:CGS-GAUSS, + sou:IMPERIAL, + sou:SI, + sou:USCS ; + qudt:conversionMultiplier 1.0 ; + qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; + qudt:hasQuantityKind quantitykind:Absorptance, + quantitykind:ActivityCoefficient, + quantitykind:AmountOfSubstanceFraction, + quantitykind:AtomScatteringFactor, + quantitykind:AverageLogarithmicEnergyDecrement, + quantitykind:BindingFraction, + quantitykind:BioconcentrationFactor, + quantitykind:CanonicalPartitionFunction, + quantitykind:Chromaticity, + quantitykind:Constringence, + quantitykind:Count, + quantitykind:CouplingFactor, + quantitykind:Debye-WallerFactor, + quantitykind:DegreeOfDissociation, + quantitykind:Dimensionless, + quantitykind:DimensionlessRatio, + quantitykind:Dissipance, + quantitykind:DoseEquivalentQualityFactor, + quantitykind:Duv, + quantitykind:EinsteinTransitionProbability, + quantitykind:ElectricSusceptibility, + quantitykind:Emissivity, + quantitykind:EquilibriumConstant, + quantitykind:FastFissionFactor, + quantitykind:FrictionCoefficient, + quantitykind:GFactorOfNucleus, + quantitykind:GeneralizedCoordinate, + quantitykind:GeneralizedForce, + quantitykind:GeneralizedMomentum, + quantitykind:GeneralizedVelocity, + quantitykind:GruneisenParameter, + quantitykind:InternalConversionFactor, + quantitykind:IsentropicExponent, + quantitykind:LandeGFactor, + quantitykind:LeakageFactor, + quantitykind:Lethargy, + quantitykind:LogOctanolAirPartitionCoefficient, + quantitykind:LogOctanolWaterPartitionCoefficient, + quantitykind:LogarithmicFrequencyInterval, + quantitykind:Long-RangeOrderParameter, + quantitykind:LossFactor, + quantitykind:MadelungConstant, + quantitykind:MagneticSusceptability, + quantitykind:MassFraction, + quantitykind:MassFractionOfDryMatter, + quantitykind:MassFractionOfWater, + quantitykind:MassRatioOfWaterToDryMatter, + quantitykind:MassRatioOfWaterVapourToDryGas, + quantitykind:MobilityRatio, + quantitykind:MultiplicationFactor, + quantitykind:NapierianAbsorbance, + quantitykind:NeutronYieldPerAbsorption, + quantitykind:NeutronYieldPerFission, + quantitykind:Non-LeakageProbability, + quantitykind:NumberOfParticles, + quantitykind:OrderOfReflection, + quantitykind:OsmoticCoefficient, + quantitykind:PackingFraction, + quantitykind:PermittivityRatio, + quantitykind:PoissonRatio, + quantitykind:PowerFactor, + quantitykind:QualityFactor, + quantitykind:RadianceFactor, + quantitykind:RatioOfSpecificHeatCapacities, + quantitykind:Reactivity, + quantitykind:Reflectance, + quantitykind:ReflectanceFactor, + quantitykind:RefractiveIndex, + quantitykind:RelativeMassConcentrationOfVapour, + quantitykind:RelativeMassDensity, + quantitykind:RelativeMassExcess, + quantitykind:RelativeMassRatioOfVapour, + quantitykind:ResonanceEscapeProbability, + quantitykind:Short-RangeOrderParameter, + quantitykind:StandardAbsoluteActivity, + quantitykind:StatisticalWeight, + quantitykind:StructureFactor, + quantitykind:ThermalDiffusionFactor, + quantitykind:ThermalDiffusionRatio, + quantitykind:ThermalUtilizationFactor, + quantitykind:TotalIonization, + quantitykind:TransmittanceDensity, + quantitykind:Turns ; + qudt:symbol "一" ; + qudt:uneceCommonCode "C62" ; + rdfs:isDefinedBy . + +qkdv:A0E0L0I0M0H0T0D1 a qudt:QuantityKindDimensionVector_CGS, + qudt:QuantityKindDimensionVector_ISO, + qudt:QuantityKindDimensionVector_Imperial, + qudt:QuantityKindDimensionVector_SI ; + rdfs:label "A0E0L0I0M0H0T0D1" ; + qudt:dimensionExponentForAmountOfSubstance 0 ; + qudt:dimensionExponentForElectricCurrent 0 ; + qudt:dimensionExponentForLength 0 ; + qudt:dimensionExponentForLuminousIntensity 0 ; + qudt:dimensionExponentForMass 0 ; + qudt:dimensionExponentForThermodynamicTemperature 0 ; + qudt:dimensionExponentForTime 0 ; + qudt:dimensionlessExponent 1 ; + qudt:hasReferenceQuantityKind quantitykind:Dimensionless ; + qudt:latexDefinition "\\(U\\)"^^qudt:LatexString ; + rdfs:isDefinedBy . + +sou:USCS a qudt:SystemOfUnits ; + rdfs:label "US Customary Unit System"@en ; + dcterms:description "United States customary units are a system of measurements commonly used in the United States. Many U.S. units are virtually identical to their imperial counterparts, but the U.S. customary system developed from English units used in the British Empire before the system of imperial units was standardized in 1824. Several numerical differences from the imperial system are present. The vast majority of U.S. customary units have been defined in terms of the meter and the kilogram since the Mendenhall Order of 1893 (and, in practice, for many years before that date). These definitions were refined in 1959. The United States is the only industrialized nation that does not mainly use the metric system in its commercial and standards activities, although the International System of Units (SI, often referred to as \"metric\") is commonly used in the U.S. Armed Forces, in fields relating to science, and increasingly in medicine, aviation, and government as well as various sectors of industry. [Wikipedia]"^^rdf:HTML ; + qudt:abbreviation "US Customary" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/United_States_customary_units"^^xsd:anyURI ; + vaem:url "http://en.wikipedia.org/wiki/US_customary_units"^^xsd:anyURI ; + rdfs:isDefinedBy . + +sou:IMPERIAL a qudt:SystemOfUnits ; + rdfs:label "Imperial System of Units"@en ; + dcterms:description "A system of units formerly widely used in the UK and the rest of the English-speaking world. It includes the pound (lb), quarter (qt), hundredweight (cwt), and ton (ton); the foot (ft), yard (yd), and mile (mi); and the gallon (gal), British thermal unit (btu), etc. These units have been largely replaced by metric units, although Imperial units persist in some contexts. In January 2000 an EU regulation outlawing the sale of goods in Imperial measures was adopted into British law; an exception was made for the sale of beer and milk in pints. "^^rdf:HTML ; + qudt:abbreviation "Imperial" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Imperial_units"^^xsd:anyURI ; + qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199234899.001.0001/acref-9780199234899-e-3147"^^xsd:anyURI ; + rdfs:isDefinedBy . + +sou:CGS-EMU a qudt:SystemOfUnits ; + rdfs:label "CGS System of Units - EMU"@en ; + dcterms:description "The units in this system are formed in a manner similar to that of the cgs electrostatic system of units: the unit of electric current was defined using the law that describes the force between current-carrying wires. To do this, the permeability of free space (the magnetic constant, relating the magnetic flux density in a vacuum to the strength of the external magnetic field), was set at 1. To distinguish cgs electromagnetic units from units in the international system, they were often given the prefix “ab-”. However, most are often referred to purely descriptively as the 'e.m. unit of capacitance', etc. "^^rdf:HTML ; + qudt:abbreviation "CGS-EMU" ; + qudt:hasBaseUnit unit:BIOT, + unit:CentiM, + unit:GM, + unit:SEC, + unit:UNITLESS ; + qudt:informativeReference "http://www.sizes.com/units/sys_cgs_em.htm"^^xsd:anyURI ; + rdfs:isDefinedBy . + +sou:CGS-GAUSS a qudt:SystemOfUnits ; + rdfs:label "CGS System of Units - Gaussian"@en ; + dcterms:description "Gaussian units constitute a metric system of physical units. This system is the most common of the several electromagnetic unit systems based on cgs (centimetre–gram–second) units. It is also called the Gaussian unit system, Gaussian-cgs units, or often just cgs units. The term \"cgs units\" is ambiguous and therefore to be avoided if possible: there are several variants of cgs with conflicting definitions of electromagnetic quantities and units. [Wikipedia]"^^rdf:HTML ; + qudt:abbreviation "CGS-GAUSS" ; + qudt:hasBaseUnit unit:CentiM, + unit:GM, + unit:SEC, + unit:UNITLESS ; + qudt:informativeReference "https://en.wikipedia.org/wiki/Gaussian_units"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:seeAlso sou:CGS . + +sou:CGS a qudt:SystemOfUnits ; + rdfs:label "CGS System of Units"@en ; + dcterms:description "

The centimetre-gram-second system (abbreviated CGS or cgs) is a variant of the metric system of physical units based on centimetre as the unit of length, gram as a unit of mass, and second as a unit of time. All CGS mechanical units are unambiguously derived from these three base units, but there are several different ways of extending the CGS system to cover electromagnetism. The CGS system has been largely supplanted by the MKS system, based on metre, kilogram, and second. Note that the term cgs is ambiguous, since there are several variants with conflicting definitions of electromagnetic quantities and units. The unqualified term is generally associated with the Gaussian system of units, so this more precise URI is preferred.

"^^rdf:HTML ; + qudt:abbreviation "CGS" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_gram_second_system_of_units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:CentiM, + unit:GM, + unit:SEC, + unit:UNITLESS ; + qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre–gram–second_system_of_units"^^xsd:anyURI, + "http://scienceworld.wolfram.com/physics/cgs.html"^^xsd:anyURI, + "http://www.tf.uni-kiel.de/matwis/amat/mw1_ge/kap_2/basics/b2_1_14.html"^^xsd:anyURI ; + rdfs:isDefinedBy ; + rdfs:seeAlso sou:CGS-EMU, + sou:CGS-ESU, + sou:CGS-GAUSS . + +sou:SI a qudt:SystemOfUnits ; + rdfs:label "International System of Units"@en ; + dcterms:description "The International System of Units (abbreviated \\(SI\\) from French: Système international d'unités) is the modern form of the metric system and is generally a system of units of measurement devised around seven base units and the convenience of the number ten. The older metric system included several groups of units. The SI was established in 1960, based on the metre-kilogram-second system, rather than the centimetre-gram-second system, which, in turn, had a few variants."^^rdf:HTML ; + qudt:abbreviation "SI" ; + qudt:dbpediaMatch "http://dbpedia.org/resource/International_System_of_Units"^^xsd:anyURI ; + qudt:hasBaseUnit unit:A, + unit:CD, + unit:K, + unit:KiloGM, + unit:M, + unit:MOL, + unit:SEC, + unit:UNITLESS ; + qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html"^^xsd:anyURI, + "http://physics.info/system-international/"^^xsd:anyURI, + "http://physics.nist.gov/Pubs/SP811"^^xsd:anyURI, + "http://www.nist.gov/pml/pubs/sp811/index.cfm"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1292"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-appendix-0003"^^xsd:anyURI, + "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-2791"^^xsd:anyURI, + "https://www.govinfo.gov/content/pkg/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4/pdf/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4.pdf"^^xsd:anyURI ; + qudt:prefix prefix1:Atto, + prefix1:Centi, + prefix1:Deca, + prefix1:Deci, + prefix1:Deka, + prefix1:Exa, + prefix1:Femto, + prefix1:Giga, + prefix1:Hecto, + prefix1:Kilo, + prefix1:Mega, + prefix1:Micro, + prefix1:Milli, + prefix1:Nano, + prefix1:Peta, + prefix1:Pico, + prefix1:Quecto, + prefix1:Quetta, + prefix1:Ronna, + prefix1:Ronto, + prefix1:Tera, + prefix1:Yocto, + prefix1:Yotta, + prefix1:Zepto, + prefix1:Zetta ; + rdfs:isDefinedBy . + [] sh:minCount 1 . -s223:EnumerationKind-FlowStatus a s223:Class, s223:EnumerationKind-FlowStatus, sh:NodeShape ; - rdfs:label "flow status" ; - rdfs:subClassOf s223:EnumerationKind . - - -s223:Role-HeatExchanger a s223:Class, s223:HeatExchanger-Role, sh:NodeShape ; - rdfs:label "hx role" ; - rdfs:subClassOf s223:EnumerationKind-Role . -s223:HeatExchanger-Evaporator a s223:Role-HeatExchanger ; - rdfs:label "evaporator" . -s223:HeatExchanger-Cooling a s223:Role-HeatExchanger ; - rdfs:label "cooling" . -s223:HeatExchanger-Heating a s223:Role-HeatExchanger ; - rdfs:label "heating" . -s223:FCU a s223:Class, sh:NodeShape ; - rdfs:label "fcu" ; - rdfs:subClassOf s223:TerminalUnit. From 5231e7100c3c523c5028daf8475051b51305618a Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 12 Mar 2024 00:08:50 -0600 Subject: [PATCH 22/61] filtering validationcontext by severity --- buildingmotif/dataclasses/validation.py | 33 ++++++++++++++++++++++++- 1 file changed, 32 insertions(+), 1 deletion(-) diff --git a/buildingmotif/dataclasses/validation.py b/buildingmotif/dataclasses/validation.py index dff441dd0..675edd720 100644 --- a/buildingmotif/dataclasses/validation.py +++ b/buildingmotif/dataclasses/validation.py @@ -3,7 +3,7 @@ from functools import cached_property from itertools import chain from secrets import token_hex -from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple +from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple, Union import rdflib from rdflib import Graph, URIRef @@ -277,6 +277,37 @@ def as_templates(self) -> List["Template"]: """ return diffset_to_templates(self.diffset) + def get_reasons_with_severity(self, severity: Union[URIRef|str]) -> Dict[Optional[URIRef], Set[GraphDiff]]: + """ + Like diffset, but only includes ValidationResults with the given severity. + Permitted values are: + - SH.Violation or "Violation" for violations + - SH.Warning or "Warning" for warnings + - SH.Info or "Info" for info + + :param severity: the severity to filter by + :type severity: Union[URIRef|str] + :return: a dictionary of focus nodes to the reasons with the given severity + :rtype: Dict[Optional[URIRef], Set[GraphDiff]] + """ + + if isinstance(severity, str): + severity = SH[severity] + + # check if the severity is a valid SHACL severity + if severity not in {SH.Violation, SH.Warning, SH.Info}: + raise ValueError( + f"Invalid severity: {severity}. Must be one of SH.Violation, SH.Warning, or SH.Info" + ) + + # for each value in the diffset, filter out the diffs that don't have the given severity + # in the diffset.graph + return { + focus: {diff for diff in diffs if diff.validation_result.value(diff._result_uri, SH.resultSeverity) == severity} + for focus, diffs in self.diffset.items() + } + + def _report_to_diffset(self) -> Dict[Optional[URIRef], Set[GraphDiff]]: """Interpret a SHACL validation report and say what is missing. From cdeba72d0236c6b7c6cf94394b969918b00719a8 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 12 Mar 2024 00:49:03 -0600 Subject: [PATCH 23/61] add shacl_validate/infer functions and use these as the entrypoint. Augment tests to check both shacl engines --- buildingmotif/dataclasses/library.py | 12 +- buildingmotif/dataclasses/model.py | 29 +- buildingmotif/dataclasses/validation.py | 39 +- buildingmotif/utils.py | 74 + poetry.lock | 2205 +++++++++++------------ pyproject.toml | 14 +- tests/unit/conftest.py | 4 + tests/unit/dataclasses/test_model.py | 26 +- tests/unit/test_utils.py | 22 +- 9 files changed, 1197 insertions(+), 1228 deletions(-) diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index bafac285b..f6482c9e4 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -5,7 +5,6 @@ from typing import TYPE_CHECKING, Any, Dict, List, Mapping, Optional, Union import pygit2 -import pyshacl import rdflib import sqlalchemy import yaml @@ -23,6 +22,7 @@ from buildingmotif.utils import ( get_ontology_files, get_template_parts_from_shape, + shacl_inference, skip_uri, ) @@ -248,15 +248,7 @@ def _load_from_ontology( # expand the ontology graph before we insert it into the database. This will ensure # that the output of compiled models will not contain triples that really belong to # the ontology - pyshacl.validate( - data_graph=ontology, - shacl_graph=ontology, - ont_graph=ontology, - advanced=True, - inplace=True, - js=True, - allow_warnings=True, - ) + shacl_inference(ontology, ontology) lib = cls.create(ontology_name, overwrite=overwrite) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index 80bc1d088..7ecac3974 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -10,7 +10,13 @@ from buildingmotif.dataclasses.shape_collection import ShapeCollection from buildingmotif.dataclasses.validation import ValidationContext from buildingmotif.namespaces import A -from buildingmotif.utils import Triple, copy_graph, rewrite_shape_graph +from buildingmotif.utils import ( + Triple, + copy_graph, + rewrite_shape_graph, + shacl_inference, + shacl_validate, +) if TYPE_CHECKING: from buildingmotif import BuildingMOTIF @@ -141,6 +147,7 @@ def validate( self, shape_collections: Optional[List[ShapeCollection]] = None, error_on_missing_imports: bool = True, + engine: str = "pyshacl", ) -> "ValidationContext": """Validates this model against the given list of ShapeCollections. If no list is provided, the model will be validated against the model's "manifest". @@ -157,6 +164,10 @@ def validate( ontologies are missing (i.e. they need to be loaded into BuildingMOTIF), defaults to True :type error_on_missing_imports: bool, optional + :param engine: the engine to use for validation. "pyshacl" or "topquadrant". Using topquadrant + requires Java to be installed on this machine, and the "topquadrant" feature on BuildingMOTIF, + defaults to "pyshacl" + :type engine: str, optional :return: An object containing useful properties/methods to deal with the validation results :rtype: ValidationContext @@ -176,16 +187,12 @@ def validate( shapeg = rewrite_shape_graph(shapeg) # TODO: do we want to preserve the materialized triples added to data_graph via reasoning? data_graph = copy_graph(self.graph) - valid, report_g, report_str = pyshacl.validate( - data_graph, - shacl_graph=shapeg, - ont_graph=shapeg, - advanced=True, - js=True, - allow_warnings=True, - # inplace=True, - ) - assert isinstance(report_g, rdflib.Graph) + + # perform inference on the data graph + shacl_inference(data_graph, shapeg) + + # validate the data graph + valid, report_g, report_str = shacl_validate(data_graph, shapeg, engine) return ValidationContext( shape_collections, valid, diff --git a/buildingmotif/dataclasses/validation.py b/buildingmotif/dataclasses/validation.py index dff441dd0..34872f3be 100644 --- a/buildingmotif/dataclasses/validation.py +++ b/buildingmotif/dataclasses/validation.py @@ -3,7 +3,7 @@ from functools import cached_property from itertools import chain from secrets import token_hex -from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple +from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple, Union import rdflib from rdflib import Graph, URIRef @@ -277,6 +277,43 @@ def as_templates(self) -> List["Template"]: """ return diffset_to_templates(self.diffset) + def get_reasons_with_severity( + self, severity: Union[URIRef | str] + ) -> Dict[Optional[URIRef], Set[GraphDiff]]: + """ + Like diffset, but only includes ValidationResults with the given severity. + Permitted values are: + - SH.Violation or "Violation" for violations + - SH.Warning or "Warning" for warnings + - SH.Info or "Info" for info + + :param severity: the severity to filter by + :type severity: Union[URIRef|str] + :return: a dictionary of focus nodes to the reasons with the given severity + :rtype: Dict[Optional[URIRef], Set[GraphDiff]] + """ + + if isinstance(severity, str): + severity = SH[severity] + + # check if the severity is a valid SHACL severity + if severity not in {SH.Violation, SH.Warning, SH.Info}: + raise ValueError( + f"Invalid severity: {severity}. Must be one of SH.Violation, SH.Warning, or SH.Info" + ) + + # for each value in the diffset, filter out the diffs that don't have the given severity + # in the diffset.graph + return { + focus: { + diff + for diff in diffs + if diff.validation_result.value(diff._result_uri, SH.resultSeverity) + == severity + } + for focus, diffs in self.diffset.items() + } + def _report_to_diffset(self) -> Dict[Optional[URIRef], Set[GraphDiff]]: """Interpret a SHACL validation report and say what is missing. diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 950d3ec02..702f1c390 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -7,6 +7,7 @@ from pathlib import Path from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple +import pyshacl from rdflib import BNode, Graph, Literal, URIRef from rdflib.paths import ZeroOrOne from rdflib.term import Node @@ -532,3 +533,76 @@ def skip_uri(uri: URIRef) -> bool: if uri.startswith(ns): return True return False + + +def shacl_validate( + data_graph: Graph, shape_graph: Optional[Graph] = None, engine="topquadrant" +) -> Tuple[bool, Graph, str]: + """ + Validate the data graph against the shape graph. + Uses the fastest validation method available. Use the 'topquadrant' feature + to use TopQuadrant's SHACL engine. Defaults to using PySHACL. + + :param data_graph: the graph to validate + :type data_graph: Graph + :param shape_graph: the shape graph to validate against + :type shape_graph: Graph, optional + """ + + if engine == "topquadrant": + try: + from brick_tq_shacl.topquadrant_shacl import validate as tq_validate + + return tq_validate(data_graph, shape_graph or Graph()) # type: ignore + except ImportError: + logging.info( + "TopQuadrant SHACL engine not available. Using PySHACL instead." + ) + pass + + return pyshacl.validate( + data_graph, + shacl_graph=shape_graph, + ont_graph=shape_graph, + advanced=True, + js=True, + allow_warnings=True, + ) # type: ignore + + +def shacl_inference( + data_graph: Graph, shape_graph: Optional[Graph], engine="topquadrant" +): + """ + Infer new triples in the data graph using the shape graph. + Edits the data graph in place. Uses the fastest inference method available. + Use the 'topquadrant' feature to use TopQuadrant's SHACL engine. Defaults to + using PySHACL. + + :param data_graph: the graph to infer new triples in + :type data_graph: Graph + :param shape_graph: the shape graph to use for inference + :type shape_graph: Optional[Graph] + :param engine: the SHACL engine to use, defaults to "topquadrant" + :type engine: str, optional + """ + if engine == "topquadrant": + try: + from brick_tq_shacl.topquadrant_shacl import infer as tq_infer + + return tq_infer(data_graph, shape_graph or Graph()) + except ImportError: + logging.info( + "TopQuadrant SHACL engine not available. Using PySHACL instead." + ) + pass + + pyshacl.validate( + data_graph=data_graph, + shacl_graph=shape_graph, + ont_graph=shape_graph, + advanced=True, + inplace=True, + js=True, + allow_warnings=True, + ) diff --git a/poetry.lock b/poetry.lock index 3e35e6912..0e7757de9 100644 --- a/poetry.lock +++ b/poetry.lock @@ -1,10 +1,9 @@ -# This file is automatically @generated by Poetry and should not be changed by hand. +# This file is automatically @generated by Poetry 1.8.2 and should not be changed by hand. [[package]] name = "accessible-pygments" version = "0.0.4" description = "A collection of accessible pygments styles" -category = "dev" optional = false python-versions = "*" files = [ @@ -17,77 +16,71 @@ pygments = ">=1.5" [[package]] name = "alabaster" -version = "0.7.13" -description = "A configurable sidebar-enabled Sphinx theme" -category = "dev" +version = "0.7.16" +description = "A light, configurable Sphinx theme" optional = false -python-versions = ">=3.6" +python-versions = ">=3.9" files = [ - {file = "alabaster-0.7.13-py3-none-any.whl", hash = "sha256:1ee19aca801bbabb5ba3f5f258e4422dfa86f82f3e9cefb0859b283cdd7f62a3"}, - {file = "alabaster-0.7.13.tar.gz", hash = "sha256:a27a4a084d5e690e16e01e03ad2b2e552c61a65469419b907243193de1a84ae2"}, + {file = "alabaster-0.7.16-py3-none-any.whl", hash = "sha256:b46733c07dce03ae4e150330b975c75737fa60f0a7c591b6c8bf4928a28e2c92"}, + {file = "alabaster-0.7.16.tar.gz", hash = "sha256:75a8b99c28a5dad50dd7f8ccdd447a121ddb3892da9e53d1ca5cca3106d58d65"}, ] [[package]] name = "alembic" -version = "1.12.1" +version = "1.13.1" description = "A database migration tool for SQLAlchemy." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "alembic-1.12.1-py3-none-any.whl", hash = "sha256:47d52e3dfb03666ed945becb723d6482e52190917fdb47071440cfdba05d92cb"}, - {file = "alembic-1.12.1.tar.gz", hash = "sha256:bca5877e9678b454706347bc10b97cb7d67f300320fa5c3a94423e8266e2823f"}, + {file = "alembic-1.13.1-py3-none-any.whl", hash = "sha256:2edcc97bed0bd3272611ce3a98d98279e9c209e7186e43e75bbb1b2bdfdbcc43"}, + {file = "alembic-1.13.1.tar.gz", hash = "sha256:4932c8558bf68f2ee92b9bbcb8218671c627064d5b08939437af6d77dc05e595"}, ] [package.dependencies] -importlib-metadata = {version = "*", markers = "python_version < \"3.9\""} -importlib-resources = {version = "*", markers = "python_version < \"3.9\""} Mako = "*" SQLAlchemy = ">=1.3.0" typing-extensions = ">=4" [package.extras] -tz = ["python-dateutil"] +tz = ["backports.zoneinfo"] [[package]] name = "anyio" -version = "4.0.0" +version = "4.3.0" description = "High level compatibility layer for multiple asynchronous event loop implementations" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "anyio-4.0.0-py3-none-any.whl", hash = "sha256:cfdb2b588b9fc25ede96d8db56ed50848b0b649dca3dd1df0b11f683bb9e0b5f"}, - {file = "anyio-4.0.0.tar.gz", hash = "sha256:f7ed51751b2c2add651e5747c891b47e26d2a21be5d32d9311dfe9692f3e5d7a"}, + {file = "anyio-4.3.0-py3-none-any.whl", hash = "sha256:048e05d0f6caeed70d731f3db756d35dcc1f35747c8c403364a8332c630441b8"}, + {file = "anyio-4.3.0.tar.gz", hash = "sha256:f75253795a87df48568485fd18cdd2a3fa5c4f7c5be8e5e36637733fce06fed6"}, ] [package.dependencies] exceptiongroup = {version = ">=1.0.2", markers = "python_version < \"3.11\""} idna = ">=2.8" sniffio = ">=1.1" +typing-extensions = {version = ">=4.1", markers = "python_version < \"3.11\""} [package.extras] -doc = ["Sphinx (>=7)", "packaging", "sphinx-autodoc-typehints (>=1.2.0)"] -test = ["anyio[trio]", "coverage[toml] (>=7)", "hypothesis (>=4.0)", "psutil (>=5.9)", "pytest (>=7.0)", "pytest-mock (>=3.6.1)", "trustme", "uvloop (>=0.17)"] -trio = ["trio (>=0.22)"] +doc = ["Sphinx (>=7)", "packaging", "sphinx-autodoc-typehints (>=1.2.0)", "sphinx-rtd-theme"] +test = ["anyio[trio]", "coverage[toml] (>=7)", "exceptiongroup (>=1.2.0)", "hypothesis (>=4.0)", "psutil (>=5.9)", "pytest (>=7.0)", "pytest-mock (>=3.6.1)", "trustme", "uvloop (>=0.17)"] +trio = ["trio (>=0.23)"] [[package]] name = "appnope" -version = "0.1.3" +version = "0.1.4" description = "Disable App Nap on macOS >= 10.9" -category = "main" optional = false -python-versions = "*" +python-versions = ">=3.6" files = [ - {file = "appnope-0.1.3-py2.py3-none-any.whl", hash = "sha256:265a455292d0bd8a72453494fa24df5a11eb18373a60c7c0430889f22548605e"}, - {file = "appnope-0.1.3.tar.gz", hash = "sha256:02bd91c4de869fbb1e1c50aafc4098827a7a54ab2f39d9dcba6c9547ed920e24"}, + {file = "appnope-0.1.4-py2.py3-none-any.whl", hash = "sha256:502575ee11cd7a28c0205f379b525beefebab9d161b7c964670864014ed7213c"}, + {file = "appnope-0.1.4.tar.gz", hash = "sha256:1de3860566df9caf38f01f86f65e0e13e379af54f9e4bee1e66b48f2efffd1ee"}, ] [[package]] name = "argon2-cffi" version = "23.1.0" description = "Argon2 for Python" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -108,7 +101,6 @@ typing = ["mypy"] name = "argon2-cffi-bindings" version = "21.2.0" description = "Low-level CFFI bindings for Argon2" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -146,7 +138,6 @@ tests = ["pytest"] name = "arrow" version = "1.3.0" description = "Better dates & times for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -160,13 +151,12 @@ types-python-dateutil = ">=2.8.10" [package.extras] doc = ["doc8", "sphinx (>=7.0.0)", "sphinx-autobuild", "sphinx-autodoc-typehints", "sphinx_rtd_theme (>=1.3.0)"] -test = ["dateparser (>=1.0.0,<2.0.0)", "pre-commit", "pytest", "pytest-cov", "pytest-mock", "pytz (==2021.1)", "simplejson (>=3.0.0,<4.0.0)"] +test = ["dateparser (==1.*)", "pre-commit", "pytest", "pytest-cov", "pytest-mock", "pytz (==2021.1)", "simplejson (==3.*)"] [[package]] name = "asttokens" version = "2.4.1" description = "Annotate AST trees with source code positions" -category = "main" optional = false python-versions = "*" files = [ @@ -185,7 +175,6 @@ test = ["astroid (>=1,<2)", "astroid (>=2,<4)", "pytest"] name = "async-lru" version = "2.0.4" description = "Simple LRU cache for asyncio" -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -198,38 +187,34 @@ typing-extensions = {version = ">=4.0.0", markers = "python_version < \"3.11\""} [[package]] name = "attrs" -version = "23.1.0" +version = "23.2.0" description = "Classes Without Boilerplate" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "attrs-23.1.0-py3-none-any.whl", hash = "sha256:1f28b4522cdc2fb4256ac1a020c78acf9cba2c6b461ccd2c126f3aa8e8335d04"}, - {file = "attrs-23.1.0.tar.gz", hash = "sha256:6279836d581513a26f1bf235f9acd333bc9115683f14f7e8fae46c98fc50e015"}, + {file = "attrs-23.2.0-py3-none-any.whl", hash = "sha256:99b87a485a5820b23b879f04c2305b44b951b502fd64be915879d77a7e8fc6f1"}, + {file = "attrs-23.2.0.tar.gz", hash = "sha256:935dc3b529c262f6cf76e50877d35a4bd3c1de194fd41f47a2b7ae8f19971f30"}, ] [package.extras] cov = ["attrs[tests]", "coverage[toml] (>=5.3)"] -dev = ["attrs[docs,tests]", "pre-commit"] +dev = ["attrs[tests]", "pre-commit"] docs = ["furo", "myst-parser", "sphinx", "sphinx-notfound-page", "sphinxcontrib-towncrier", "towncrier", "zope-interface"] tests = ["attrs[tests-no-zope]", "zope-interface"] -tests-no-zope = ["cloudpickle", "hypothesis", "mypy (>=1.1.1)", "pympler", "pytest (>=4.3.0)", "pytest-mypy-plugins", "pytest-xdist[psutil]"] +tests-mypy = ["mypy (>=1.6)", "pytest-mypy-plugins"] +tests-no-zope = ["attrs[tests-mypy]", "cloudpickle", "hypothesis", "pympler", "pytest (>=4.3.0)", "pytest-xdist[psutil]"] [[package]] name = "babel" -version = "2.13.1" +version = "2.14.0" description = "Internationalization utilities" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "Babel-2.13.1-py3-none-any.whl", hash = "sha256:7077a4984b02b6727ac10f1f7294484f737443d7e2e66c5e4380e41a3ae0b4ed"}, - {file = "Babel-2.13.1.tar.gz", hash = "sha256:33e0952d7dd6374af8dbf6768cc4ddf3ccfefc244f9986d4074704f2fbd18900"}, + {file = "Babel-2.14.0-py3-none-any.whl", hash = "sha256:efb1a25b7118e67ce3a259bed20545c29cb68be8ad2c784c83689981b7a57287"}, + {file = "Babel-2.14.0.tar.gz", hash = "sha256:6919867db036398ba21eb5c7a0f6b28ab8cbc3ae7a73a44ebe34ae74a4e7d363"}, ] -[package.dependencies] -pytz = {version = ">=2015.7", markers = "python_version < \"3.9\""} - [package.extras] dev = ["freezegun (>=1.0,<2.0)", "pytest (>=6.0)", "pytest-cov"] @@ -237,7 +222,6 @@ dev = ["freezegun (>=1.0,<2.0)", "pytest (>=6.0)", "pytest-cov"] name = "bac0" version = "22.9.21" description = "BACnet Scripting Framework for testing DDC Controls" -category = "dev" optional = false python-versions = "*" files = [ @@ -249,23 +233,10 @@ files = [ bacpypes = "*" colorama = "*" -[[package]] -name = "backcall" -version = "0.2.0" -description = "Specifications for callback functions passed in to an API" -category = "main" -optional = false -python-versions = "*" -files = [ - {file = "backcall-0.2.0-py2.py3-none-any.whl", hash = "sha256:fbbce6a29f263178a1f7915c1940bde0ec2b2a967566fe1c65c1dfb7422bd255"}, - {file = "backcall-0.2.0.tar.gz", hash = "sha256:5cbdbf27be5e7cfadb448baf0aa95508f91f2bbc6c6437cd9cd06e2a4c215e1e"}, -] - [[package]] name = "bacpypes" version = "0.18.7" description = "BACnet Communications Library" -category = "dev" optional = false python-versions = "*" files = [ @@ -275,20 +246,22 @@ files = [ [[package]] name = "beautifulsoup4" -version = "4.12.2" +version = "4.12.3" description = "Screen-scraping library" -category = "dev" optional = false python-versions = ">=3.6.0" files = [ - {file = "beautifulsoup4-4.12.2-py3-none-any.whl", hash = "sha256:bd2520ca0d9d7d12694a53d44ac482d181b4ec1888909b035a3dbf40d0f57d4a"}, - {file = "beautifulsoup4-4.12.2.tar.gz", hash = "sha256:492bbc69dca35d12daac71c4db1bfff0c876c00ef4a2ffacce226d4638eb72da"}, + {file = "beautifulsoup4-4.12.3-py3-none-any.whl", hash = "sha256:b80878c9f40111313e55da8ba20bdba06d8fa3969fc68304167741bbf9e082ed"}, + {file = "beautifulsoup4-4.12.3.tar.gz", hash = "sha256:74e3d1928edc070d21748185c46e3fb33490f22f52a3addee9aee0f4f7781051"}, ] [package.dependencies] soupsieve = ">1.2" [package.extras] +cchardet = ["cchardet"] +chardet = ["chardet"] +charset-normalizer = ["charset-normalizer"] html5lib = ["html5lib"] lxml = ["lxml"] @@ -296,7 +269,6 @@ lxml = ["lxml"] name = "black" version = "22.12.0" description = "The uncompromising code formatter." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -332,7 +304,6 @@ uvloop = ["uvloop (>=0.15.2)"] name = "bleach" version = "6.1.0" description = "An easy safelist-based HTML-sanitizing tool." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -349,33 +320,44 @@ css = ["tinycss2 (>=1.1.0,<1.3)"] [[package]] name = "blinker" -version = "1.6.3" +version = "1.7.0" description = "Fast, simple object-to-object and broadcast signaling" -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" +files = [ + {file = "blinker-1.7.0-py3-none-any.whl", hash = "sha256:c3f865d4d54db7abc53758a01601cf343fe55b84c1de4e3fa910e420b438d5b9"}, + {file = "blinker-1.7.0.tar.gz", hash = "sha256:e6820ff6fa4e4d1d8e2747c2283749c3f547e4fee112b98555cdcdae32996182"}, +] + +[[package]] +name = "brick-tq-shacl" +version = "0.2.0" +description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" +optional = true +python-versions = ">=3.9,<4.0" files = [ - {file = "blinker-1.6.3-py3-none-any.whl", hash = "sha256:296320d6c28b006eb5e32d4712202dbcdcbf5dc482da298c2f44881c43884aaa"}, - {file = "blinker-1.6.3.tar.gz", hash = "sha256:152090d27c1c5c722ee7e48504b02d76502811ce02e1523553b4cf8c8b3d3a8d"}, + {file = "brick_tq_shacl-0.2.0-py3-none-any.whl", hash = "sha256:81c793853603d6ea1ff0f5caf6f0d4ce45104cb31915c6f038ab355fd78a8e9b"}, + {file = "brick_tq_shacl-0.2.0.tar.gz", hash = "sha256:37857780309d8b8ceba2930fc85ce344efefd67fc06eb8b4b68dc3a3ede500fd"}, ] +[package.dependencies] +rdflib = ">=7.0,<8.0" + [[package]] name = "certifi" -version = "2023.7.22" +version = "2024.2.2" description = "Python package for providing Mozilla's CA Bundle." -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "certifi-2023.7.22-py3-none-any.whl", hash = "sha256:92d6037539857d8206b8f6ae472e8b77db8058fec5937a1ef3f54304089edbb9"}, - {file = "certifi-2023.7.22.tar.gz", hash = "sha256:539cc1d13202e33ca466e88b2807e29f4c13049d6d87031a3c110744495cb082"}, + {file = "certifi-2024.2.2-py3-none-any.whl", hash = "sha256:dc383c07b76109f368f6106eee2b593b04a011ea4d55f652c6ca24a754d1cdd1"}, + {file = "certifi-2024.2.2.tar.gz", hash = "sha256:0569859f95fc761b18b45ef421b1290a0f65f147e92a1e5eb3e635f9a5e4e66f"}, ] [[package]] name = "cffi" version = "1.16.0" description = "Foreign Function Interface for Python calling C code." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -440,7 +422,6 @@ pycparser = "*" name = "cfgv" version = "3.4.0" description = "Validate configuration and produce human readable error messages." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -450,109 +431,107 @@ files = [ [[package]] name = "charset-normalizer" -version = "3.3.1" +version = "3.3.2" description = "The Real First Universal Charset Detector. Open, modern and actively maintained alternative to Chardet." -category = "dev" optional = false python-versions = ">=3.7.0" files = [ - {file = "charset-normalizer-3.3.1.tar.gz", hash = "sha256:d9137a876020661972ca6eec0766d81aef8a5627df628b664b234b73396e727e"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:8aee051c89e13565c6bd366813c386939f8e928af93c29fda4af86d25b73d8f8"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:352a88c3df0d1fa886562384b86f9a9e27563d4704ee0e9d56ec6fcd270ea690"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:223b4d54561c01048f657fa6ce41461d5ad8ff128b9678cfe8b2ecd951e3f8a2"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4f861d94c2a450b974b86093c6c027888627b8082f1299dfd5a4bae8e2292821"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1171ef1fc5ab4693c5d151ae0fdad7f7349920eabbaca6271f95969fa0756c2d"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:28f512b9a33235545fbbdac6a330a510b63be278a50071a336afc1b78781b147"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c0e842112fe3f1a4ffcf64b06dc4c61a88441c2f02f373367f7b4c1aa9be2ad5"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3f9bc2ce123637a60ebe819f9fccc614da1bcc05798bbbaf2dd4ec91f3e08846"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:f194cce575e59ffe442c10a360182a986535fd90b57f7debfaa5c845c409ecc3"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:9a74041ba0bfa9bc9b9bb2cd3238a6ab3b7618e759b41bd15b5f6ad958d17605"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:b578cbe580e3b41ad17b1c428f382c814b32a6ce90f2d8e39e2e635d49e498d1"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:6db3cfb9b4fcecb4390db154e75b49578c87a3b9979b40cdf90d7e4b945656e1"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:debb633f3f7856f95ad957d9b9c781f8e2c6303ef21724ec94bea2ce2fcbd056"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-win32.whl", hash = "sha256:87071618d3d8ec8b186d53cb6e66955ef2a0e4fa63ccd3709c0c90ac5a43520f"}, - {file = "charset_normalizer-3.3.1-cp310-cp310-win_amd64.whl", hash = "sha256:e372d7dfd154009142631de2d316adad3cc1c36c32a38b16a4751ba78da2a397"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ae4070f741f8d809075ef697877fd350ecf0b7c5837ed68738607ee0a2c572cf"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:58e875eb7016fd014c0eea46c6fa92b87b62c0cb31b9feae25cbbe62c919f54d"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:dbd95e300367aa0827496fe75a1766d198d34385a58f97683fe6e07f89ca3e3c"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:de0b4caa1c8a21394e8ce971997614a17648f94e1cd0640fbd6b4d14cab13a72"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:985c7965f62f6f32bf432e2681173db41336a9c2611693247069288bcb0c7f8b"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a15c1fe6d26e83fd2e5972425a772cca158eae58b05d4a25a4e474c221053e2d"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ae55d592b02c4349525b6ed8f74c692509e5adffa842e582c0f861751701a673"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:be4d9c2770044a59715eb57c1144dedea7c5d5ae80c68fb9959515037cde2008"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:851cf693fb3aaef71031237cd68699dded198657ec1e76a76eb8be58c03a5d1f"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:31bbaba7218904d2eabecf4feec0d07469284e952a27400f23b6628439439fa7"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:871d045d6ccc181fd863a3cd66ee8e395523ebfbc57f85f91f035f50cee8e3d4"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:501adc5eb6cd5f40a6f77fbd90e5ab915c8fd6e8c614af2db5561e16c600d6f3"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:f5fb672c396d826ca16a022ac04c9dce74e00a1c344f6ad1a0fdc1ba1f332213"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-win32.whl", hash = "sha256:bb06098d019766ca16fc915ecaa455c1f1cd594204e7f840cd6258237b5079a8"}, - {file = "charset_normalizer-3.3.1-cp311-cp311-win_amd64.whl", hash = "sha256:8af5a8917b8af42295e86b64903156b4f110a30dca5f3b5aedea123fbd638bff"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:7ae8e5142dcc7a49168f4055255dbcced01dc1714a90a21f87448dc8d90617d1"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:5b70bab78accbc672f50e878a5b73ca692f45f5b5e25c8066d748c09405e6a55"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:5ceca5876032362ae73b83347be8b5dbd2d1faf3358deb38c9c88776779b2e2f"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:34d95638ff3613849f473afc33f65c401a89f3b9528d0d213c7037c398a51296"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:9edbe6a5bf8b56a4a84533ba2b2f489d0046e755c29616ef8830f9e7d9cf5728"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:f6a02a3c7950cafaadcd46a226ad9e12fc9744652cc69f9e5534f98b47f3bbcf"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:10b8dd31e10f32410751b3430996f9807fc4d1587ca69772e2aa940a82ab571a"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:edc0202099ea1d82844316604e17d2b175044f9bcb6b398aab781eba957224bd"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:b891a2f68e09c5ef989007fac11476ed33c5c9994449a4e2c3386529d703dc8b"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:71ef3b9be10070360f289aea4838c784f8b851be3ba58cf796262b57775c2f14"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:55602981b2dbf8184c098bc10287e8c245e351cd4fdcad050bd7199d5a8bf514"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:46fb9970aa5eeca547d7aa0de5d4b124a288b42eaefac677bde805013c95725c"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:520b7a142d2524f999447b3a0cf95115df81c4f33003c51a6ab637cbda9d0bf4"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-win32.whl", hash = "sha256:8ec8ef42c6cd5856a7613dcd1eaf21e5573b2185263d87d27c8edcae33b62a61"}, - {file = "charset_normalizer-3.3.1-cp312-cp312-win_amd64.whl", hash = "sha256:baec8148d6b8bd5cee1ae138ba658c71f5b03e0d69d5907703e3e1df96db5e41"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:63a6f59e2d01310f754c270e4a257426fe5a591dc487f1983b3bbe793cf6bac6"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1d6bfc32a68bc0933819cfdfe45f9abc3cae3877e1d90aac7259d57e6e0f85b1"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4f3100d86dcd03c03f7e9c3fdb23d92e32abbca07e7c13ebd7ddfbcb06f5991f"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:39b70a6f88eebe239fa775190796d55a33cfb6d36b9ffdd37843f7c4c1b5dc67"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4e12f8ee80aa35e746230a2af83e81bd6b52daa92a8afaef4fea4a2ce9b9f4fa"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7b6cefa579e1237ce198619b76eaa148b71894fb0d6bcf9024460f9bf30fd228"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:61f1e3fb621f5420523abb71f5771a204b33c21d31e7d9d86881b2cffe92c47c"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:4f6e2a839f83a6a76854d12dbebde50e4b1afa63e27761549d006fa53e9aa80e"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:1ec937546cad86d0dce5396748bf392bb7b62a9eeb8c66efac60e947697f0e58"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:82ca51ff0fc5b641a2d4e1cc8c5ff108699b7a56d7f3ad6f6da9dbb6f0145b48"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:633968254f8d421e70f91c6ebe71ed0ab140220469cf87a9857e21c16687c034"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-win32.whl", hash = "sha256:c0c72d34e7de5604df0fde3644cc079feee5e55464967d10b24b1de268deceb9"}, - {file = "charset_normalizer-3.3.1-cp37-cp37m-win_amd64.whl", hash = "sha256:63accd11149c0f9a99e3bc095bbdb5a464862d77a7e309ad5938fbc8721235ae"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:5a3580a4fdc4ac05f9e53c57f965e3594b2f99796231380adb2baaab96e22761"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:2465aa50c9299d615d757c1c888bc6fef384b7c4aec81c05a0172b4400f98557"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:cb7cd68814308aade9d0c93c5bd2ade9f9441666f8ba5aa9c2d4b389cb5e2a45"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:91e43805ccafa0a91831f9cd5443aa34528c0c3f2cc48c4cb3d9a7721053874b"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:854cc74367180beb327ab9d00f964f6d91da06450b0855cbbb09187bcdb02de5"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c15070ebf11b8b7fd1bfff7217e9324963c82dbdf6182ff7050519e350e7ad9f"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2c4c99f98fc3a1835af8179dcc9013f93594d0670e2fa80c83aa36346ee763d2"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3fb765362688821404ad6cf86772fc54993ec11577cd5a92ac44b4c2ba52155b"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:dced27917823df984fe0c80a5c4ad75cf58df0fbfae890bc08004cd3888922a2"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:a66bcdf19c1a523e41b8e9d53d0cedbfbac2e93c649a2e9502cb26c014d0980c"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:ecd26be9f112c4f96718290c10f4caea6cc798459a3a76636b817a0ed7874e42"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:3f70fd716855cd3b855316b226a1ac8bdb3caf4f7ea96edcccc6f484217c9597"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:17a866d61259c7de1bdadef418a37755050ddb4b922df8b356503234fff7932c"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-win32.whl", hash = "sha256:548eefad783ed787b38cb6f9a574bd8664468cc76d1538215d510a3cd41406cb"}, - {file = "charset_normalizer-3.3.1-cp38-cp38-win_amd64.whl", hash = "sha256:45f053a0ece92c734d874861ffe6e3cc92150e32136dd59ab1fb070575189c97"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:bc791ec3fd0c4309a753f95bb6c749ef0d8ea3aea91f07ee1cf06b7b02118f2f"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:0c8c61fb505c7dad1d251c284e712d4e0372cef3b067f7ddf82a7fa82e1e9a93"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:2c092be3885a1b7899cd85ce24acedc1034199d6fca1483fa2c3a35c86e43041"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c2000c54c395d9e5e44c99dc7c20a64dc371f777faf8bae4919ad3e99ce5253e"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4cb50a0335382aac15c31b61d8531bc9bb657cfd848b1d7158009472189f3d62"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c30187840d36d0ba2893bc3271a36a517a717f9fd383a98e2697ee890a37c273"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fe81b35c33772e56f4b6cf62cf4aedc1762ef7162a31e6ac7fe5e40d0149eb67"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d0bf89afcbcf4d1bb2652f6580e5e55a840fdf87384f6063c4a4f0c95e378656"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:06cf46bdff72f58645434d467bf5228080801298fbba19fe268a01b4534467f5"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:3c66df3f41abee950d6638adc7eac4730a306b022570f71dd0bd6ba53503ab57"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:cd805513198304026bd379d1d516afbf6c3c13f4382134a2c526b8b854da1c2e"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:9505dc359edb6a330efcd2be825fdb73ee3e628d9010597aa1aee5aa63442e97"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:31445f38053476a0c4e6d12b047b08ced81e2c7c712e5a1ad97bc913256f91b2"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-win32.whl", hash = "sha256:bd28b31730f0e982ace8663d108e01199098432a30a4c410d06fe08fdb9e93f4"}, - {file = "charset_normalizer-3.3.1-cp39-cp39-win_amd64.whl", hash = "sha256:555fe186da0068d3354cdf4bbcbc609b0ecae4d04c921cc13e209eece7720727"}, - {file = "charset_normalizer-3.3.1-py3-none-any.whl", hash = "sha256:800561453acdecedaac137bf09cd719c7a440b6800ec182f077bb8e7025fb708"}, + {file = "charset-normalizer-3.3.2.tar.gz", hash = "sha256:f30c3cb33b24454a82faecaf01b19c18562b1e89558fb6c56de4d9118a032fd5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:25baf083bf6f6b341f4121c2f3c548875ee6f5339300e08be3f2b2ba1721cdd3"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:06435b539f889b1f6f4ac1758871aae42dc3a8c0e24ac9e60c2384973ad73027"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:9063e24fdb1e498ab71cb7419e24622516c4a04476b17a2dab57e8baa30d6e03"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6897af51655e3691ff853668779c7bad41579facacf5fd7253b0133308cf000d"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1d3193f4a680c64b4b6a9115943538edb896edc190f0b222e73761716519268e"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cd70574b12bb8a4d2aaa0094515df2463cb429d8536cfb6c7ce983246983e5a6"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8465322196c8b4d7ab6d1e049e4c5cb460d0394da4a27d23cc242fbf0034b6b5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a9a8e9031d613fd2009c182b69c7b2c1ef8239a0efb1df3f7c8da66d5dd3d537"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:beb58fe5cdb101e3a055192ac291b7a21e3b7ef4f67fa1d74e331a7f2124341c"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:e06ed3eb3218bc64786f7db41917d4e686cc4856944f53d5bdf83a6884432e12"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:2e81c7b9c8979ce92ed306c249d46894776a909505d8f5a4ba55b14206e3222f"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:572c3763a264ba47b3cf708a44ce965d98555f618ca42c926a9c1616d8f34269"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd1abc0d89e30cc4e02e4064dc67fcc51bd941eb395c502aac3ec19fab46b519"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win32.whl", hash = "sha256:3d47fa203a7bd9c5b6cee4736ee84ca03b8ef23193c0d1ca99b5089f72645c73"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win_amd64.whl", hash = "sha256:10955842570876604d404661fbccbc9c7e684caf432c09c715ec38fbae45ae09"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:802fe99cca7457642125a8a88a084cef28ff0cf9407060f7b93dca5aa25480db"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:573f6eac48f4769d667c4442081b1794f52919e7edada77495aaed9236d13a96"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:549a3a73da901d5bc3ce8d24e0600d1fa85524c10287f6004fbab87672bf3e1e"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f27273b60488abe721a075bcca6d7f3964f9f6f067c8c4c605743023d7d3944f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1ceae2f17a9c33cb48e3263960dc5fc8005351ee19db217e9b1bb15d28c02574"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:65f6f63034100ead094b8744b3b97965785388f308a64cf8d7c34f2f2e5be0c4"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:753f10e867343b4511128c6ed8c82f7bec3bd026875576dfd88483c5c73b2fd8"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a78b2b446bd7c934f5dcedc588903fb2f5eec172f3d29e52a9096a43722adfc"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e537484df0d8f426ce2afb2d0f8e1c3d0b114b83f8850e5f2fbea0e797bd82ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:eb6904c354526e758fda7167b33005998fb68c46fbc10e013ca97f21ca5c8887"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:deb6be0ac38ece9ba87dea880e438f25ca3eddfac8b002a2ec3d9183a454e8ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:4ab2fe47fae9e0f9dee8c04187ce5d09f48eabe611be8259444906793ab7cbce"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:80402cd6ee291dcb72644d6eac93785fe2c8b9cb30893c1af5b8fdd753b9d40f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win32.whl", hash = "sha256:7cd13a2e3ddeed6913a65e66e94b51d80a041145a026c27e6bb76c31a853c6ab"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win_amd64.whl", hash = "sha256:663946639d296df6a2bb2aa51b60a2454ca1cb29835324c640dafb5ff2131a77"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:0b2b64d2bb6d3fb9112bafa732def486049e63de9618b5843bcdd081d8144cd8"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:ddbb2551d7e0102e7252db79ba445cdab71b26640817ab1e3e3648dad515003b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:55086ee1064215781fff39a1af09518bc9255b50d6333f2e4c74ca09fac6a8f6"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8f4a014bc36d3c57402e2977dada34f9c12300af536839dc38c0beab8878f38a"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a10af20b82360ab00827f916a6058451b723b4e65030c5a18577c8b2de5b3389"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8d756e44e94489e49571086ef83b2bb8ce311e730092d2c34ca8f7d925cb20aa"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:90d558489962fd4918143277a773316e56c72da56ec7aa3dc3dbbe20fdfed15b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6ac7ffc7ad6d040517be39eb591cac5ff87416c2537df6ba3cba3bae290c0fed"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7ed9e526742851e8d5cc9e6cf41427dfc6068d4f5a3bb03659444b4cabf6bc26"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8bdb58ff7ba23002a4c5808d608e4e6c687175724f54a5dade5fa8c67b604e4d"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:6b3251890fff30ee142c44144871185dbe13b11bab478a88887a639655be1068"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:b4a23f61ce87adf89be746c8a8974fe1c823c891d8f86eb218bb957c924bb143"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:efcb3f6676480691518c177e3b465bcddf57cea040302f9f4e6e191af91174d4"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win32.whl", hash = "sha256:d965bba47ddeec8cd560687584e88cf699fd28f192ceb452d1d7ee807c5597b7"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win_amd64.whl", hash = "sha256:96b02a3dc4381e5494fad39be677abcb5e6634bf7b4fa83a6dd3112607547001"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:95f2a5796329323b8f0512e09dbb7a1860c46a39da62ecb2324f116fa8fdc85c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c002b4ffc0be611f0d9da932eb0f704fe2602a9a949d1f738e4c34c75b0863d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a981a536974bbc7a512cf44ed14938cf01030a99e9b3a06dd59578882f06f985"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3287761bc4ee9e33561a7e058c72ac0938c4f57fe49a09eae428fd88aafe7bb6"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:42cb296636fcc8b0644486d15c12376cb9fa75443e00fb25de0b8602e64c1714"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0a55554a2fa0d408816b3b5cedf0045f4b8e1a6065aec45849de2d6f3f8e9786"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:c083af607d2515612056a31f0a8d9e0fcb5876b7bfc0abad3ecd275bc4ebc2d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:87d1351268731db79e0f8e745d92493ee2841c974128ef629dc518b937d9194c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:bd8f7df7d12c2db9fab40bdd87a7c09b1530128315d047a086fa3ae3435cb3a8"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:c180f51afb394e165eafe4ac2936a14bee3eb10debc9d9e4db8958fe36afe711"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:8c622a5fe39a48f78944a87d4fb8a53ee07344641b0562c540d840748571b811"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win32.whl", hash = "sha256:db364eca23f876da6f9e16c9da0df51aa4f104a972735574842618b8c6d999d4"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win_amd64.whl", hash = "sha256:86216b5cee4b06df986d214f664305142d9c76df9b6512be2738aa72a2048f99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:6463effa3186ea09411d50efc7d85360b38d5f09b870c48e4600f63af490e56a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:6c4caeef8fa63d06bd437cd4bdcf3ffefe6738fb1b25951440d80dc7df8c03ac"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:37e55c8e51c236f95b033f6fb391d7d7970ba5fe7ff453dad675e88cf303377a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fb69256e180cb6c8a894fee62b3afebae785babc1ee98b81cdf68bbca1987f33"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ae5f4161f18c61806f411a13b0310bea87f987c7d2ecdbdaad0e94eb2e404238"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b2b0a0c0517616b6869869f8c581d4eb2dd83a4d79e0ebcb7d373ef9956aeb0a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:45485e01ff4d3630ec0d9617310448a8702f70e9c01906b0d0118bdf9d124cf2"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:eb00ed941194665c332bf8e078baf037d6c35d7c4f3102ea2d4f16ca94a26dc8"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:2127566c664442652f024c837091890cb1942c30937add288223dc895793f898"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:a50aebfa173e157099939b17f18600f72f84eed3049e743b68ad15bd69b6bf99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:4d0d1650369165a14e14e1e47b372cfcb31d6ab44e6e33cb2d4e57265290044d"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:923c0c831b7cfcb071580d3f46c4baf50f174be571576556269530f4bbd79d04"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:06a81e93cd441c56a9b65d8e1d043daeb97a3d0856d177d5c90ba85acb3db087"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win32.whl", hash = "sha256:6ef1d82a3af9d3eecdba2321dc1b3c238245d890843e040e41e470ffa64c3e25"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win_amd64.whl", hash = "sha256:eb8821e09e916165e160797a6c17edda0679379a4be5c716c260e836e122f54b"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:c235ebd9baae02f1b77bcea61bce332cb4331dc3617d254df3323aa01ab47bd4"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:5b4c145409bef602a690e7cfad0a15a55c13320ff7a3ad7ca59c13bb8ba4d45d"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:68d1f8a9e9e37c1223b656399be5d6b448dea850bed7d0f87a8311f1ff3dabb0"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:22afcb9f253dac0696b5a4be4a1c0f8762f8239e21b99680099abd9b2b1b2269"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e27ad930a842b4c5eb8ac0016b0a54f5aebbe679340c26101df33424142c143c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:1f79682fbe303db92bc2b1136016a38a42e835d932bab5b3b1bfcfbf0640e519"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b261ccdec7821281dade748d088bb6e9b69e6d15b30652b74cbbac25e280b796"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:122c7fa62b130ed55f8f285bfd56d5f4b4a5b503609d181f9ad85e55c89f4185"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:d0eccceffcb53201b5bfebb52600a5fb483a20b61da9dbc885f8b103cbe7598c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:9f96df6923e21816da7e0ad3fd47dd8f94b2a5ce594e00677c0013018b813458"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:7f04c839ed0b6b98b1a7501a002144b76c18fb1c1850c8b98d458ac269e26ed2"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:34d1c8da1e78d2e001f363791c98a272bb734000fcef47a491c1e3b0505657a8"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:ff8fa367d09b717b2a17a052544193ad76cd49979c805768879cb63d9ca50561"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win32.whl", hash = "sha256:aed38f6e4fb3f5d6bf81bfa990a07806be9d83cf7bacef998ab1a9bd660a581f"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win_amd64.whl", hash = "sha256:b01b88d45a6fcb69667cd6d2f7a9aeb4bf53760d7fc536bf679ec94fe9f3ff3d"}, + {file = "charset_normalizer-3.3.2-py3-none-any.whl", hash = "sha256:3e4d1f6587322d2788836a99c69062fbb091331ec940e02d12d179c1d53e25fc"}, ] [[package]] name = "click" version = "8.1.7" description = "Composable command line interface toolkit" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -567,7 +546,6 @@ colorama = {version = "*", markers = "platform_system == \"Windows\""} name = "colorama" version = "0.4.6" description = "Cross-platform colored terminal text." -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*,>=2.7" files = [ @@ -577,84 +555,80 @@ files = [ [[package]] name = "comm" -version = "0.1.4" +version = "0.2.1" description = "Jupyter Python Comm implementation, for usage in ipykernel, xeus-python etc." -category = "main" optional = false -python-versions = ">=3.6" +python-versions = ">=3.8" files = [ - {file = "comm-0.1.4-py3-none-any.whl", hash = "sha256:6d52794cba11b36ed9860999cd10fd02d6b2eac177068fdd585e1e2f8a96e67a"}, - {file = "comm-0.1.4.tar.gz", hash = "sha256:354e40a59c9dd6db50c5cc6b4acc887d82e9603787f83b68c01a80a923984d15"}, + {file = "comm-0.2.1-py3-none-any.whl", hash = "sha256:87928485c0dfc0e7976fd89fc1e187023cf587e7c353e4a9b417555b44adf021"}, + {file = "comm-0.2.1.tar.gz", hash = "sha256:0bc91edae1344d39d3661dcbc36937181fdaddb304790458f8b044dbc064b89a"}, ] [package.dependencies] traitlets = ">=4" [package.extras] -lint = ["black (>=22.6.0)", "mdformat (>0.7)", "mdformat-gfm (>=0.3.5)", "ruff (>=0.0.156)"] test = ["pytest"] -typing = ["mypy (>=0.990)"] [[package]] name = "coverage" -version = "7.3.2" +version = "7.4.3" description = "Code coverage measurement for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.3.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:d872145f3a3231a5f20fd48500274d7df222e291d90baa2026cc5152b7ce86bf"}, - {file = "coverage-7.3.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:310b3bb9c91ea66d59c53fa4989f57d2436e08f18fb2f421a1b0b6b8cc7fffda"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f47d39359e2c3779c5331fc740cf4bce6d9d680a7b4b4ead97056a0ae07cb49a"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:aa72dbaf2c2068404b9870d93436e6d23addd8bbe9295f49cbca83f6e278179c"}, - {file = "coverage-7.3.2-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:beaa5c1b4777f03fc63dfd2a6bd820f73f036bfb10e925fce067b00a340d0f3f"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:dbc1b46b92186cc8074fee9d9fbb97a9dd06c6cbbef391c2f59d80eabdf0faa6"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:315a989e861031334d7bee1f9113c8770472db2ac484e5b8c3173428360a9148"}, - {file = "coverage-7.3.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:d1bc430677773397f64a5c88cb522ea43175ff16f8bfcc89d467d974cb2274f9"}, - {file = "coverage-7.3.2-cp310-cp310-win32.whl", hash = "sha256:a889ae02f43aa45032afe364c8ae84ad3c54828c2faa44f3bfcafecb5c96b02f"}, - {file = "coverage-7.3.2-cp310-cp310-win_amd64.whl", hash = "sha256:c0ba320de3fb8c6ec16e0be17ee1d3d69adcda99406c43c0409cb5c41788a611"}, - {file = "coverage-7.3.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:ac8c802fa29843a72d32ec56d0ca792ad15a302b28ca6203389afe21f8fa062c"}, - {file = "coverage-7.3.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:89a937174104339e3a3ffcf9f446c00e3a806c28b1841c63edb2b369310fd074"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e267e9e2b574a176ddb983399dec325a80dbe161f1a32715c780b5d14b5f583a"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2443cbda35df0d35dcfb9bf8f3c02c57c1d6111169e3c85fc1fcc05e0c9f39a3"}, - {file = "coverage-7.3.2-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4175e10cc8dda0265653e8714b3174430b07c1dca8957f4966cbd6c2b1b8065a"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:0cbf38419fb1a347aaf63481c00f0bdc86889d9fbf3f25109cf96c26b403fda1"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:5c913b556a116b8d5f6ef834038ba983834d887d82187c8f73dec21049abd65c"}, - {file = "coverage-7.3.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:1981f785239e4e39e6444c63a98da3a1db8e971cb9ceb50a945ba6296b43f312"}, - {file = "coverage-7.3.2-cp311-cp311-win32.whl", hash = "sha256:43668cabd5ca8258f5954f27a3aaf78757e6acf13c17604d89648ecc0cc66640"}, - {file = "coverage-7.3.2-cp311-cp311-win_amd64.whl", hash = "sha256:e10c39c0452bf6e694511c901426d6b5ac005acc0f78ff265dbe36bf81f808a2"}, - {file = "coverage-7.3.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:4cbae1051ab791debecc4a5dcc4a1ff45fc27b91b9aee165c8a27514dd160836"}, - {file = "coverage-7.3.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:12d15ab5833a997716d76f2ac1e4b4d536814fc213c85ca72756c19e5a6b3d63"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3c7bba973ebee5e56fe9251300c00f1579652587a9f4a5ed8404b15a0471f216"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fe494faa90ce6381770746077243231e0b83ff3f17069d748f645617cefe19d4"}, - {file = "coverage-7.3.2-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f6e9589bd04d0461a417562649522575d8752904d35c12907d8c9dfeba588faf"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:d51ac2a26f71da1b57f2dc81d0e108b6ab177e7d30e774db90675467c847bbdf"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:99b89d9f76070237975b315b3d5f4d6956ae354a4c92ac2388a5695516e47c84"}, - {file = "coverage-7.3.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:fa28e909776dc69efb6ed975a63691bc8172b64ff357e663a1bb06ff3c9b589a"}, - {file = "coverage-7.3.2-cp312-cp312-win32.whl", hash = "sha256:289fe43bf45a575e3ab10b26d7b6f2ddb9ee2dba447499f5401cfb5ecb8196bb"}, - {file = "coverage-7.3.2-cp312-cp312-win_amd64.whl", hash = "sha256:7dbc3ed60e8659bc59b6b304b43ff9c3ed858da2839c78b804973f613d3e92ed"}, - {file = "coverage-7.3.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:f94b734214ea6a36fe16e96a70d941af80ff3bfd716c141300d95ebc85339738"}, - {file = "coverage-7.3.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:af3d828d2c1cbae52d34bdbb22fcd94d1ce715d95f1a012354a75e5913f1bda2"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:630b13e3036e13c7adc480ca42fa7afc2a5d938081d28e20903cf7fd687872e2"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c9eacf273e885b02a0273bb3a2170f30e2d53a6d53b72dbe02d6701b5296101c"}, - {file = "coverage-7.3.2-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d8f17966e861ff97305e0801134e69db33b143bbfb36436efb9cfff6ec7b2fd9"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:b4275802d16882cf9c8b3d057a0839acb07ee9379fa2749eca54efbce1535b82"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:72c0cfa5250f483181e677ebc97133ea1ab3eb68645e494775deb6a7f6f83901"}, - {file = "coverage-7.3.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:cb536f0dcd14149425996821a168f6e269d7dcd2c273a8bff8201e79f5104e76"}, - {file = "coverage-7.3.2-cp38-cp38-win32.whl", hash = "sha256:307adb8bd3abe389a471e649038a71b4eb13bfd6b7dd9a129fa856f5c695cf92"}, - {file = "coverage-7.3.2-cp38-cp38-win_amd64.whl", hash = "sha256:88ed2c30a49ea81ea3b7f172e0269c182a44c236eb394718f976239892c0a27a"}, - {file = "coverage-7.3.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:b631c92dfe601adf8f5ebc7fc13ced6bb6e9609b19d9a8cd59fa47c4186ad1ce"}, - {file = "coverage-7.3.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:d3d9df4051c4a7d13036524b66ecf7a7537d14c18a384043f30a303b146164e9"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5f7363d3b6a1119ef05015959ca24a9afc0ea8a02c687fe7e2d557705375c01f"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2f11cc3c967a09d3695d2a6f03fb3e6236622b93be7a4b5dc09166a861be6d25"}, - {file = "coverage-7.3.2-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:149de1d2401ae4655c436a3dced6dd153f4c3309f599c3d4bd97ab172eaf02d9"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:3a4006916aa6fee7cd38db3bfc95aa9c54ebb4ffbfc47c677c8bba949ceba0a6"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:9028a3871280110d6e1aa2df1afd5ef003bab5fb1ef421d6dc748ae1c8ef2ebc"}, - {file = "coverage-7.3.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:9f805d62aec8eb92bab5b61c0f07329275b6f41c97d80e847b03eb894f38d083"}, - {file = "coverage-7.3.2-cp39-cp39-win32.whl", hash = "sha256:d1c88ec1a7ff4ebca0219f5b1ef863451d828cccf889c173e1253aa84b1e07ce"}, - {file = "coverage-7.3.2-cp39-cp39-win_amd64.whl", hash = "sha256:b4767da59464bb593c07afceaddea61b154136300881844768037fd5e859353f"}, - {file = "coverage-7.3.2-pp38.pp39.pp310-none-any.whl", hash = "sha256:ae97af89f0fbf373400970c0a21eef5aa941ffeed90aee43650b81f7d7f47637"}, - {file = "coverage-7.3.2.tar.gz", hash = "sha256:be32ad29341b0170e795ca590e1c07e81fc061cb5b10c74ce7203491484404ef"}, + {file = "coverage-7.4.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8580b827d4746d47294c0e0b92854c85a92c2227927433998f0d3320ae8a71b6"}, + {file = "coverage-7.4.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:718187eeb9849fc6cc23e0d9b092bc2348821c5e1a901c9f8975df0bc785bfd4"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:767b35c3a246bcb55b8044fd3a43b8cd553dd1f9f2c1eeb87a302b1f8daa0524"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ae7f19afe0cce50039e2c782bff379c7e347cba335429678450b8fe81c4ef96d"}, + {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba3a8aaed13770e970b3df46980cb068d1c24af1a1968b7818b69af8c4347efb"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:ee866acc0861caebb4f2ab79f0b94dbfbdbfadc19f82e6e9c93930f74e11d7a0"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:506edb1dd49e13a2d4cac6a5173317b82a23c9d6e8df63efb4f0380de0fbccbc"}, + {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd6545d97c98a192c5ac995d21c894b581f1fd14cf389be90724d21808b657e2"}, + {file = "coverage-7.4.3-cp310-cp310-win32.whl", hash = "sha256:f6a09b360d67e589236a44f0c39218a8efba2593b6abdccc300a8862cffc2f94"}, + {file = "coverage-7.4.3-cp310-cp310-win_amd64.whl", hash = "sha256:18d90523ce7553dd0b7e23cbb28865db23cddfd683a38fb224115f7826de78d0"}, + {file = "coverage-7.4.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:cbbe5e739d45a52f3200a771c6d2c7acf89eb2524890a4a3aa1a7fa0695d2a47"}, + {file = "coverage-7.4.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:489763b2d037b164846ebac0cbd368b8a4ca56385c4090807ff9fad817de4113"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:451f433ad901b3bb00184d83fd83d135fb682d780b38af7944c9faeecb1e0bfe"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fcc66e222cf4c719fe7722a403888b1f5e1682d1679bd780e2b26c18bb648cdc"}, + {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b3ec74cfef2d985e145baae90d9b1b32f85e1741b04cd967aaf9cfa84c1334f3"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:abbbd8093c5229c72d4c2926afaee0e6e3140de69d5dcd918b2921f2f0c8baba"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:35eb581efdacf7b7422af677b92170da4ef34500467381e805944a3201df2079"}, + {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:8249b1c7334be8f8c3abcaaa996e1e4927b0e5a23b65f5bf6cfe3180d8ca7840"}, + {file = "coverage-7.4.3-cp311-cp311-win32.whl", hash = "sha256:cf30900aa1ba595312ae41978b95e256e419d8a823af79ce670835409fc02ad3"}, + {file = "coverage-7.4.3-cp311-cp311-win_amd64.whl", hash = "sha256:18c7320695c949de11a351742ee001849912fd57e62a706d83dfc1581897fa2e"}, + {file = "coverage-7.4.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b51bfc348925e92a9bd9b2e48dad13431b57011fd1038f08316e6bf1df107d10"}, + {file = "coverage-7.4.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:d6cdecaedea1ea9e033d8adf6a0ab11107b49571bbb9737175444cea6eb72328"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3b2eccb883368f9e972e216c7b4c7c06cabda925b5f06dde0650281cb7666a30"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6c00cdc8fa4e50e1cc1f941a7f2e3e0f26cb2a1233c9696f26963ff58445bac7"}, + {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b9a4a8dd3dcf4cbd3165737358e4d7dfbd9d59902ad11e3b15eebb6393b0446e"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:062b0a75d9261e2f9c6d071753f7eef0fc9caf3a2c82d36d76667ba7b6470003"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:ebe7c9e67a2d15fa97b77ea6571ce5e1e1f6b0db71d1d5e96f8d2bf134303c1d"}, + {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:c0a120238dd71c68484f02562f6d446d736adcc6ca0993712289b102705a9a3a"}, + {file = "coverage-7.4.3-cp312-cp312-win32.whl", hash = "sha256:37389611ba54fd6d278fde86eb2c013c8e50232e38f5c68235d09d0a3f8aa352"}, + {file = "coverage-7.4.3-cp312-cp312-win_amd64.whl", hash = "sha256:d25b937a5d9ffa857d41be042b4238dd61db888533b53bc76dc082cb5a15e914"}, + {file = "coverage-7.4.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:28ca2098939eabab044ad68850aac8f8db6bf0b29bc7f2887d05889b17346454"}, + {file = "coverage-7.4.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:280459f0a03cecbe8800786cdc23067a8fc64c0bd51dc614008d9c36e1659d7e"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6c0cdedd3500e0511eac1517bf560149764b7d8e65cb800d8bf1c63ebf39edd2"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9a9babb9466fe1da12417a4aed923e90124a534736de6201794a3aea9d98484e"}, + {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dec9de46a33cf2dd87a5254af095a409ea3bf952d85ad339751e7de6d962cde6"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:16bae383a9cc5abab9bb05c10a3e5a52e0a788325dc9ba8499e821885928968c"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2c854ce44e1ee31bda4e318af1dbcfc929026d12c5ed030095ad98197eeeaed0"}, + {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:ce8c50520f57ec57aa21a63ea4f325c7b657386b3f02ccaedeccf9ebe27686e1"}, + {file = "coverage-7.4.3-cp38-cp38-win32.whl", hash = "sha256:708a3369dcf055c00ddeeaa2b20f0dd1ce664eeabde6623e516c5228b753654f"}, + {file = "coverage-7.4.3-cp38-cp38-win_amd64.whl", hash = "sha256:1bf25fbca0c8d121a3e92a2a0555c7e5bc981aee5c3fdaf4bb7809f410f696b9"}, + {file = "coverage-7.4.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:3b253094dbe1b431d3a4ac2f053b6d7ede2664ac559705a704f621742e034f1f"}, + {file = "coverage-7.4.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77fbfc5720cceac9c200054b9fab50cb2a7d79660609200ab83f5db96162d20c"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6679060424faa9c11808598504c3ab472de4531c571ab2befa32f4971835788e"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4af154d617c875b52651dd8dd17a31270c495082f3d55f6128e7629658d63765"}, + {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8640f1fde5e1b8e3439fe482cdc2b0bb6c329f4bb161927c28d2e8879c6029ee"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:69b9f6f66c0af29642e73a520b6fed25ff9fd69a25975ebe6acb297234eda501"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:0842571634f39016a6c03e9d4aba502be652a6e4455fadb73cd3a3a49173e38f"}, + {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:a78ed23b08e8ab524551f52953a8a05d61c3a760781762aac49f8de6eede8c45"}, + {file = "coverage-7.4.3-cp39-cp39-win32.whl", hash = "sha256:c0524de3ff096e15fcbfe8f056fdb4ea0bf497d584454f344d59fce069d3e6e9"}, + {file = "coverage-7.4.3-cp39-cp39-win_amd64.whl", hash = "sha256:0209a6369ccce576b43bb227dc8322d8ef9e323d089c6f3f26a597b09cb4d2aa"}, + {file = "coverage-7.4.3-pp38.pp39.pp310-none-any.whl", hash = "sha256:7cbde573904625509a3f37b6fecea974e363460b556a627c60dc2f47e2fffa51"}, + {file = "coverage-7.4.3.tar.gz", hash = "sha256:276f6077a5c61447a48d133ed13e759c09e62aff0dc84274a68dc18660104d52"}, ] [package.dependencies] @@ -665,37 +639,39 @@ toml = ["tomli"] [[package]] name = "debugpy" -version = "1.8.0" +version = "1.8.1" description = "An implementation of the Debug Adapter Protocol for Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "debugpy-1.8.0-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:7fb95ca78f7ac43393cd0e0f2b6deda438ec7c5e47fa5d38553340897d2fbdfb"}, - {file = "debugpy-1.8.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ef9ab7df0b9a42ed9c878afd3eaaff471fce3fa73df96022e1f5c9f8f8c87ada"}, - {file = "debugpy-1.8.0-cp310-cp310-win32.whl", hash = "sha256:a8b7a2fd27cd9f3553ac112f356ad4ca93338feadd8910277aff71ab24d8775f"}, - {file = "debugpy-1.8.0-cp310-cp310-win_amd64.whl", hash = "sha256:5d9de202f5d42e62f932507ee8b21e30d49aae7e46d5b1dd5c908db1d7068637"}, - {file = "debugpy-1.8.0-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:ef54404365fae8d45cf450d0544ee40cefbcb9cb85ea7afe89a963c27028261e"}, - {file = "debugpy-1.8.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:60009b132c91951354f54363f8ebdf7457aeb150e84abba5ae251b8e9f29a8a6"}, - {file = "debugpy-1.8.0-cp311-cp311-win32.whl", hash = "sha256:8cd0197141eb9e8a4566794550cfdcdb8b3db0818bdf8c49a8e8f8053e56e38b"}, - {file = "debugpy-1.8.0-cp311-cp311-win_amd64.whl", hash = "sha256:a64093656c4c64dc6a438e11d59369875d200bd5abb8f9b26c1f5f723622e153"}, - {file = "debugpy-1.8.0-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:b05a6b503ed520ad58c8dc682749113d2fd9f41ffd45daec16e558ca884008cd"}, - {file = "debugpy-1.8.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3c6fb41c98ec51dd010d7ed650accfd07a87fe5e93eca9d5f584d0578f28f35f"}, - {file = "debugpy-1.8.0-cp38-cp38-win32.whl", hash = "sha256:46ab6780159eeabb43c1495d9c84cf85d62975e48b6ec21ee10c95767c0590aa"}, - {file = "debugpy-1.8.0-cp38-cp38-win_amd64.whl", hash = "sha256:bdc5ef99d14b9c0fcb35351b4fbfc06ac0ee576aeab6b2511702e5a648a2e595"}, - {file = "debugpy-1.8.0-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:61eab4a4c8b6125d41a34bad4e5fe3d2cc145caecd63c3fe953be4cc53e65bf8"}, - {file = "debugpy-1.8.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:125b9a637e013f9faac0a3d6a82bd17c8b5d2c875fb6b7e2772c5aba6d082332"}, - {file = "debugpy-1.8.0-cp39-cp39-win32.whl", hash = "sha256:57161629133113c97b387382045649a2b985a348f0c9366e22217c87b68b73c6"}, - {file = "debugpy-1.8.0-cp39-cp39-win_amd64.whl", hash = "sha256:e3412f9faa9ade82aa64a50b602544efcba848c91384e9f93497a458767e6926"}, - {file = "debugpy-1.8.0-py2.py3-none-any.whl", hash = "sha256:9c9b0ac1ce2a42888199df1a1906e45e6f3c9555497643a85e0bf2406e3ffbc4"}, - {file = "debugpy-1.8.0.zip", hash = "sha256:12af2c55b419521e33d5fb21bd022df0b5eb267c3e178f1d374a63a2a6bdccd0"}, + {file = "debugpy-1.8.1-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:3bda0f1e943d386cc7a0e71bfa59f4137909e2ed947fb3946c506e113000f741"}, + {file = "debugpy-1.8.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dda73bf69ea479c8577a0448f8c707691152e6c4de7f0c4dec5a4bc11dee516e"}, + {file = "debugpy-1.8.1-cp310-cp310-win32.whl", hash = "sha256:3a79c6f62adef994b2dbe9fc2cc9cc3864a23575b6e387339ab739873bea53d0"}, + {file = "debugpy-1.8.1-cp310-cp310-win_amd64.whl", hash = "sha256:7eb7bd2b56ea3bedb009616d9e2f64aab8fc7000d481faec3cd26c98a964bcdd"}, + {file = "debugpy-1.8.1-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:016a9fcfc2c6b57f939673c874310d8581d51a0fe0858e7fac4e240c5eb743cb"}, + {file = "debugpy-1.8.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fd97ed11a4c7f6d042d320ce03d83b20c3fb40da892f994bc041bbc415d7a099"}, + {file = "debugpy-1.8.1-cp311-cp311-win32.whl", hash = "sha256:0de56aba8249c28a300bdb0672a9b94785074eb82eb672db66c8144fff673146"}, + {file = "debugpy-1.8.1-cp311-cp311-win_amd64.whl", hash = "sha256:1a9fe0829c2b854757b4fd0a338d93bc17249a3bf69ecf765c61d4c522bb92a8"}, + {file = "debugpy-1.8.1-cp312-cp312-macosx_11_0_universal2.whl", hash = "sha256:3ebb70ba1a6524d19fa7bb122f44b74170c447d5746a503e36adc244a20ac539"}, + {file = "debugpy-1.8.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a2e658a9630f27534e63922ebf655a6ab60c370f4d2fc5c02a5b19baf4410ace"}, + {file = "debugpy-1.8.1-cp312-cp312-win32.whl", hash = "sha256:caad2846e21188797a1f17fc09c31b84c7c3c23baf2516fed5b40b378515bbf0"}, + {file = "debugpy-1.8.1-cp312-cp312-win_amd64.whl", hash = "sha256:edcc9f58ec0fd121a25bc950d4578df47428d72e1a0d66c07403b04eb93bcf98"}, + {file = "debugpy-1.8.1-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:7a3afa222f6fd3d9dfecd52729bc2e12c93e22a7491405a0ecbf9e1d32d45b39"}, + {file = "debugpy-1.8.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d915a18f0597ef685e88bb35e5d7ab968964b7befefe1aaea1eb5b2640b586c7"}, + {file = "debugpy-1.8.1-cp38-cp38-win32.whl", hash = "sha256:92116039b5500633cc8d44ecc187abe2dfa9b90f7a82bbf81d079fcdd506bae9"}, + {file = "debugpy-1.8.1-cp38-cp38-win_amd64.whl", hash = "sha256:e38beb7992b5afd9d5244e96ad5fa9135e94993b0c551ceebf3fe1a5d9beb234"}, + {file = "debugpy-1.8.1-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:bfb20cb57486c8e4793d41996652e5a6a885b4d9175dd369045dad59eaacea42"}, + {file = "debugpy-1.8.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:efd3fdd3f67a7e576dd869c184c5dd71d9aaa36ded271939da352880c012e703"}, + {file = "debugpy-1.8.1-cp39-cp39-win32.whl", hash = "sha256:58911e8521ca0c785ac7a0539f1e77e0ce2df753f786188f382229278b4cdf23"}, + {file = "debugpy-1.8.1-cp39-cp39-win_amd64.whl", hash = "sha256:6df9aa9599eb05ca179fb0b810282255202a66835c6efb1d112d21ecb830ddd3"}, + {file = "debugpy-1.8.1-py2.py3-none-any.whl", hash = "sha256:28acbe2241222b87e255260c76741e1fbf04fdc3b6d094fcf57b6c6f75ce1242"}, + {file = "debugpy-1.8.1.zip", hash = "sha256:f696d6be15be87aef621917585f9bb94b1dc9e8aced570db1b8a6fc14e8f9b42"}, ] [[package]] name = "decorator" version = "5.1.1" description = "Decorators for Humans" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -707,7 +683,6 @@ files = [ name = "defusedxml" version = "0.7.1" description = "XML bomb protection for Python stdlib modules" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -717,21 +692,19 @@ files = [ [[package]] name = "distlib" -version = "0.3.7" +version = "0.3.8" description = "Distribution utilities" -category = "dev" optional = false python-versions = "*" files = [ - {file = "distlib-0.3.7-py2.py3-none-any.whl", hash = "sha256:2e24928bc811348f0feb63014e97aaae3037f2cf48712d51ae61df7fd6075057"}, - {file = "distlib-0.3.7.tar.gz", hash = "sha256:9dafe54b34a028eafd95039d5e5d4851a13734540f1331060d31c9916e7147a8"}, + {file = "distlib-0.3.8-py2.py3-none-any.whl", hash = "sha256:034db59a0b96f8ca18035f36290806a9a6e6bd9d1ff91e45a7f172eb17e51784"}, + {file = "distlib-0.3.8.tar.gz", hash = "sha256:1530ea13e350031b6312d8580ddb6b27a104275a31106523b8f123787f494f64"}, ] [[package]] name = "docutils" version = "0.18.1" description = "Docutils -- Python Documentation Utilities" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -743,7 +716,6 @@ files = [ name = "et-xmlfile" version = "1.1.0" description = "An implementation of lxml.xmlfile for the standard library" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -753,14 +725,13 @@ files = [ [[package]] name = "exceptiongroup" -version = "1.1.3" +version = "1.2.0" description = "Backport of PEP 654 (exception groups)" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "exceptiongroup-1.1.3-py3-none-any.whl", hash = "sha256:343280667a4585d195ca1cf9cef84a4e178c4b6cf2274caef9859782b567d5e3"}, - {file = "exceptiongroup-1.1.3.tar.gz", hash = "sha256:097acd85d473d75af5bb98e41b61ff7fe35efe6675e4f9370ec6ec5126d160e9"}, + {file = "exceptiongroup-1.2.0-py3-none-any.whl", hash = "sha256:4bfd3996ac73b41e9b9628b04e079f193850720ea5945fc96a08633c66912f14"}, + {file = "exceptiongroup-1.2.0.tar.gz", hash = "sha256:91f5c769735f051a4290d52edd0858999b57e5876e9f85937691bd4c9fa3ed68"}, ] [package.extras] @@ -770,7 +741,6 @@ test = ["pytest (>=6)"] name = "executing" version = "2.0.1" description = "Get the currently executing AST node of a frame, and other information" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -783,14 +753,13 @@ tests = ["asttokens (>=2.1.0)", "coverage", "coverage-enable-subprocess", "ipyth [[package]] name = "fastjsonschema" -version = "2.18.1" +version = "2.19.1" description = "Fastest Python implementation of JSON schema" -category = "main" optional = false python-versions = "*" files = [ - {file = "fastjsonschema-2.18.1-py3-none-any.whl", hash = "sha256:aec6a19e9f66e9810ab371cc913ad5f4e9e479b63a7072a2cd060a9369e329a8"}, - {file = "fastjsonschema-2.18.1.tar.gz", hash = "sha256:06dc8680d937628e993fa0cd278f196d20449a1adc087640710846b324d422ea"}, + {file = "fastjsonschema-2.19.1-py3-none-any.whl", hash = "sha256:3672b47bc94178c9f23dbb654bf47440155d4db9df5f7bc47643315f9c405cd0"}, + {file = "fastjsonschema-2.19.1.tar.gz", hash = "sha256:e3126a94bdc4623d3de4485f8d468a12f02a67921315ddc87836d6e456dc789d"}, ] [package.extras] @@ -800,7 +769,6 @@ devel = ["colorama", "json-spec", "jsonschema", "pylint", "pytest", "pytest-benc name = "filelock" version = "3.13.1" description = "A platform independent file lock." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -817,7 +785,6 @@ typing = ["typing-extensions (>=4.8)"] name = "flake8" version = "5.0.4" description = "the modular source code checker: pep8 pyflakes and co" -category = "dev" optional = false python-versions = ">=3.6.1" files = [ @@ -834,7 +801,6 @@ pyflakes = ">=2.5.0,<2.6.0" name = "flask" version = "2.3.3" description = "A simple framework for building complex web applications." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -858,7 +824,6 @@ dotenv = ["python-dotenv"] name = "flask-api" version = "3.1" description = "Browsable web APIs for Flask." -category = "main" optional = false python-versions = "*" files = [ @@ -873,7 +838,6 @@ Flask = ">=2.0.0" name = "fqdn" version = "1.5.1" description = "Validates fully-qualified domain names against RFC 1123, so that they are acceptable to modern bowsers" -category = "dev" optional = false python-versions = ">=2.7, !=3.0, !=3.1, !=3.2, !=3.3, !=3.4, <4" files = [ @@ -883,80 +847,90 @@ files = [ [[package]] name = "greenlet" -version = "3.0.1" +version = "3.0.3" description = "Lightweight in-process concurrent programming" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "greenlet-3.0.1-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:f89e21afe925fcfa655965ca8ea10f24773a1791400989ff32f467badfe4a064"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:28e89e232c7593d33cac35425b58950789962011cc274aa43ef8865f2e11f46d"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b8ba29306c5de7717b5761b9ea74f9c72b9e2b834e24aa984da99cbfc70157fd"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19bbdf1cce0346ef7341705d71e2ecf6f41a35c311137f29b8a2dc2341374565"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:599daf06ea59bfedbec564b1692b0166a0045f32b6f0933b0dd4df59a854caf2"}, - {file = "greenlet-3.0.1-cp310-cp310-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:b641161c302efbb860ae6b081f406839a8b7d5573f20a455539823802c655f63"}, - {file = "greenlet-3.0.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:d57e20ba591727da0c230ab2c3f200ac9d6d333860d85348816e1dca4cc4792e"}, - {file = "greenlet-3.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:5805e71e5b570d490938d55552f5a9e10f477c19400c38bf1d5190d760691846"}, - {file = "greenlet-3.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:52e93b28db27ae7d208748f45d2db8a7b6a380e0d703f099c949d0f0d80b70e9"}, - {file = "greenlet-3.0.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:f7bfb769f7efa0eefcd039dd19d843a4fbfbac52f1878b1da2ed5793ec9b1a65"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:91e6c7db42638dc45cf2e13c73be16bf83179f7859b07cfc139518941320be96"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1757936efea16e3f03db20efd0cd50a1c86b06734f9f7338a90c4ba85ec2ad5a"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19075157a10055759066854a973b3d1325d964d498a805bb68a1f9af4aaef8ec"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e9d21aaa84557d64209af04ff48e0ad5e28c5cca67ce43444e939579d085da72"}, - {file = "greenlet-3.0.1-cp311-cp311-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:2847e5d7beedb8d614186962c3d774d40d3374d580d2cbdab7f184580a39d234"}, - {file = "greenlet-3.0.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:97e7ac860d64e2dcba5c5944cfc8fa9ea185cd84061c623536154d5a89237884"}, - {file = "greenlet-3.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:b2c02d2ad98116e914d4f3155ffc905fd0c025d901ead3f6ed07385e19122c94"}, - {file = "greenlet-3.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:22f79120a24aeeae2b4471c711dcf4f8c736a2bb2fabad2a67ac9a55ea72523c"}, - {file = "greenlet-3.0.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:100f78a29707ca1525ea47388cec8a049405147719f47ebf3895e7509c6446aa"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:60d5772e8195f4e9ebf74046a9121bbb90090f6550f81d8956a05387ba139353"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:daa7197b43c707462f06d2c693ffdbb5991cbb8b80b5b984007de431493a319c"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ea6b8aa9e08eea388c5f7a276fabb1d4b6b9d6e4ceb12cc477c3d352001768a9"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8d11ebbd679e927593978aa44c10fc2092bc454b7d13fdc958d3e9d508aba7d0"}, - {file = "greenlet-3.0.1-cp312-cp312-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:dbd4c177afb8a8d9ba348d925b0b67246147af806f0b104af4d24f144d461cd5"}, - {file = "greenlet-3.0.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:20107edf7c2c3644c67c12205dc60b1bb11d26b2610b276f97d666110d1b511d"}, - {file = "greenlet-3.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8bef097455dea90ffe855286926ae02d8faa335ed8e4067326257cb571fc1445"}, - {file = "greenlet-3.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:b2d3337dcfaa99698aa2377c81c9ca72fcd89c07e7eb62ece3f23a3fe89b2ce4"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:80ac992f25d10aaebe1ee15df45ca0d7571d0f70b645c08ec68733fb7a020206"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:337322096d92808f76ad26061a8f5fccb22b0809bea39212cd6c406f6a7060d2"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b9934adbd0f6e476f0ecff3c94626529f344f57b38c9a541f87098710b18af0a"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dc4d815b794fd8868c4d67602692c21bf5293a75e4b607bb92a11e821e2b859a"}, - {file = "greenlet-3.0.1-cp37-cp37m-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:41bdeeb552d814bcd7fb52172b304898a35818107cc8778b5101423c9017b3de"}, - {file = "greenlet-3.0.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:6e6061bf1e9565c29002e3c601cf68569c450be7fc3f7336671af7ddb4657166"}, - {file = "greenlet-3.0.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:fa24255ae3c0ab67e613556375a4341af04a084bd58764731972bcbc8baeba36"}, - {file = "greenlet-3.0.1-cp37-cp37m-win32.whl", hash = "sha256:b489c36d1327868d207002391f662a1d163bdc8daf10ab2e5f6e41b9b96de3b1"}, - {file = "greenlet-3.0.1-cp37-cp37m-win_amd64.whl", hash = "sha256:f33f3258aae89da191c6ebaa3bc517c6c4cbc9b9f689e5d8452f7aedbb913fa8"}, - {file = "greenlet-3.0.1-cp38-cp38-macosx_11_0_universal2.whl", hash = "sha256:d2905ce1df400360463c772b55d8e2518d0e488a87cdea13dd2c71dcb2a1fa16"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0a02d259510b3630f330c86557331a3b0e0c79dac3d166e449a39363beaae174"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:55d62807f1c5a1682075c62436702aaba941daa316e9161e4b6ccebbbf38bda3"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3fcc780ae8edbb1d050d920ab44790201f027d59fdbd21362340a85c79066a74"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4eddd98afc726f8aee1948858aed9e6feeb1758889dfd869072d4465973f6bfd"}, - {file = "greenlet-3.0.1-cp38-cp38-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:eabe7090db68c981fca689299c2d116400b553f4b713266b130cfc9e2aa9c5a9"}, - {file = "greenlet-3.0.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:f2f6d303f3dee132b322a14cd8765287b8f86cdc10d2cb6a6fae234ea488888e"}, - {file = "greenlet-3.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:d923ff276f1c1f9680d32832f8d6c040fe9306cbfb5d161b0911e9634be9ef0a"}, - {file = "greenlet-3.0.1-cp38-cp38-win32.whl", hash = "sha256:0b6f9f8ca7093fd4433472fd99b5650f8a26dcd8ba410e14094c1e44cd3ceddd"}, - {file = "greenlet-3.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:990066bff27c4fcf3b69382b86f4c99b3652bab2a7e685d968cd4d0cfc6f67c6"}, - {file = "greenlet-3.0.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:ce85c43ae54845272f6f9cd8320d034d7a946e9773c693b27d620edec825e376"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:89ee2e967bd7ff85d84a2de09df10e021c9b38c7d91dead95b406ed6350c6997"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:87c8ceb0cf8a5a51b8008b643844b7f4a8264a2c13fcbcd8a8316161725383fe"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d6a8c9d4f8692917a3dc7eb25a6fb337bff86909febe2f793ec1928cd97bedfc"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9fbc5b8f3dfe24784cee8ce0be3da2d8a79e46a276593db6868382d9c50d97b1"}, - {file = "greenlet-3.0.1-cp39-cp39-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:85d2b77e7c9382f004b41d9c72c85537fac834fb141b0296942d52bf03fe4a3d"}, - {file = "greenlet-3.0.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:696d8e7d82398e810f2b3622b24e87906763b6ebfd90e361e88eb85b0e554dc8"}, - {file = "greenlet-3.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:329c5a2e5a0ee942f2992c5e3ff40be03e75f745f48847f118a3cfece7a28546"}, - {file = "greenlet-3.0.1-cp39-cp39-win32.whl", hash = "sha256:cf868e08690cb89360eebc73ba4be7fb461cfbc6168dd88e2fbbe6f31812cd57"}, - {file = "greenlet-3.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:ac4a39d1abae48184d420aa8e5e63efd1b75c8444dd95daa3e03f6c6310e9619"}, - {file = "greenlet-3.0.1.tar.gz", hash = "sha256:816bd9488a94cba78d93e1abb58000e8266fa9cc2aa9ccdd6eb0696acb24005b"}, + {file = "greenlet-3.0.3-cp310-cp310-macosx_11_0_universal2.whl", hash = "sha256:9da2bd29ed9e4f15955dd1595ad7bc9320308a3b766ef7f837e23ad4b4aac31a"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d353cadd6083fdb056bb46ed07e4340b0869c305c8ca54ef9da3421acbdf6881"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dca1e2f3ca00b84a396bc1bce13dd21f680f035314d2379c4160c98153b2059b"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3ed7fb269f15dc662787f4119ec300ad0702fa1b19d2135a37c2c4de6fadfd4a"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dd4f49ae60e10adbc94b45c0b5e6a179acc1736cf7a90160b404076ee283cf83"}, + {file = "greenlet-3.0.3-cp310-cp310-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:73a411ef564e0e097dbe7e866bb2dda0f027e072b04da387282b02c308807405"}, + {file = "greenlet-3.0.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:7f362975f2d179f9e26928c5b517524e89dd48530a0202570d55ad6ca5d8a56f"}, + {file = "greenlet-3.0.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:649dde7de1a5eceb258f9cb00bdf50e978c9db1b996964cd80703614c86495eb"}, + {file = "greenlet-3.0.3-cp310-cp310-win_amd64.whl", hash = "sha256:68834da854554926fbedd38c76e60c4a2e3198c6fbed520b106a8986445caaf9"}, + {file = "greenlet-3.0.3-cp311-cp311-macosx_11_0_universal2.whl", hash = "sha256:b1b5667cced97081bf57b8fa1d6bfca67814b0afd38208d52538316e9422fc61"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:52f59dd9c96ad2fc0d5724107444f76eb20aaccb675bf825df6435acb7703559"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:afaff6cf5200befd5cec055b07d1c0a5a06c040fe5ad148abcd11ba6ab9b114e"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:fe754d231288e1e64323cfad462fcee8f0288654c10bdf4f603a39ed923bef33"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2797aa5aedac23af156bbb5a6aa2cd3427ada2972c828244eb7d1b9255846379"}, + {file = "greenlet-3.0.3-cp311-cp311-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:b7f009caad047246ed379e1c4dbcb8b020f0a390667ea74d2387be2998f58a22"}, + {file = "greenlet-3.0.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:c5e1536de2aad7bf62e27baf79225d0d64360d4168cf2e6becb91baf1ed074f3"}, + {file = "greenlet-3.0.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:894393ce10ceac937e56ec00bb71c4c2f8209ad516e96033e4b3b1de270e200d"}, + {file = "greenlet-3.0.3-cp311-cp311-win_amd64.whl", hash = "sha256:1ea188d4f49089fc6fb283845ab18a2518d279c7cd9da1065d7a84e991748728"}, + {file = "greenlet-3.0.3-cp312-cp312-macosx_11_0_universal2.whl", hash = "sha256:70fb482fdf2c707765ab5f0b6655e9cfcf3780d8d87355a063547b41177599be"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d4d1ac74f5c0c0524e4a24335350edad7e5f03b9532da7ea4d3c54d527784f2e"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:149e94a2dd82d19838fe4b2259f1b6b9957d5ba1b25640d2380bea9c5df37676"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:15d79dd26056573940fcb8c7413d84118086f2ec1a8acdfa854631084393efcc"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:881b7db1ebff4ba09aaaeae6aa491daeb226c8150fc20e836ad00041bcb11230"}, + {file = "greenlet-3.0.3-cp312-cp312-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:fcd2469d6a2cf298f198f0487e0a5b1a47a42ca0fa4dfd1b6862c999f018ebbf"}, + {file = "greenlet-3.0.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:1f672519db1796ca0d8753f9e78ec02355e862d0998193038c7073045899f305"}, + {file = "greenlet-3.0.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:2516a9957eed41dd8f1ec0c604f1cdc86758b587d964668b5b196a9db5bfcde6"}, + {file = "greenlet-3.0.3-cp312-cp312-win_amd64.whl", hash = "sha256:bba5387a6975598857d86de9eac14210a49d554a77eb8261cc68b7d082f78ce2"}, + {file = "greenlet-3.0.3-cp37-cp37m-macosx_11_0_universal2.whl", hash = "sha256:5b51e85cb5ceda94e79d019ed36b35386e8c37d22f07d6a751cb659b180d5274"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:daf3cb43b7cf2ba96d614252ce1684c1bccee6b2183a01328c98d36fcd7d5cb0"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:99bf650dc5d69546e076f413a87481ee1d2d09aaaaaca058c9251b6d8c14783f"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2dd6e660effd852586b6a8478a1d244b8dc90ab5b1321751d2ea15deb49ed414"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e3391d1e16e2a5a1507d83e4a8b100f4ee626e8eca43cf2cadb543de69827c4c"}, + {file = "greenlet-3.0.3-cp37-cp37m-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:e1f145462f1fa6e4a4ae3c0f782e580ce44d57c8f2c7aae1b6fa88c0b2efdb41"}, + {file = "greenlet-3.0.3-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:1a7191e42732df52cb5f39d3527217e7ab73cae2cb3694d241e18f53d84ea9a7"}, + {file = "greenlet-3.0.3-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:0448abc479fab28b00cb472d278828b3ccca164531daab4e970a0458786055d6"}, + {file = "greenlet-3.0.3-cp37-cp37m-win32.whl", hash = "sha256:b542be2440edc2d48547b5923c408cbe0fc94afb9f18741faa6ae970dbcb9b6d"}, + {file = "greenlet-3.0.3-cp37-cp37m-win_amd64.whl", hash = "sha256:01bc7ea167cf943b4c802068e178bbf70ae2e8c080467070d01bfa02f337ee67"}, + {file = "greenlet-3.0.3-cp38-cp38-macosx_11_0_universal2.whl", hash = "sha256:1996cb9306c8595335bb157d133daf5cf9f693ef413e7673cb07e3e5871379ca"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3ddc0f794e6ad661e321caa8d2f0a55ce01213c74722587256fb6566049a8b04"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c9db1c18f0eaad2f804728c67d6c610778456e3e1cc4ab4bbd5eeb8e6053c6fc"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7170375bcc99f1a2fbd9c306f5be8764eaf3ac6b5cb968862cad4c7057756506"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6b66c9c1e7ccabad3a7d037b2bcb740122a7b17a53734b7d72a344ce39882a1b"}, + {file = "greenlet-3.0.3-cp38-cp38-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:098d86f528c855ead3479afe84b49242e174ed262456c342d70fc7f972bc13c4"}, + {file = "greenlet-3.0.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:81bb9c6d52e8321f09c3d165b2a78c680506d9af285bfccbad9fb7ad5a5da3e5"}, + {file = "greenlet-3.0.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:fd096eb7ffef17c456cfa587523c5f92321ae02427ff955bebe9e3c63bc9f0da"}, + {file = "greenlet-3.0.3-cp38-cp38-win32.whl", hash = "sha256:d46677c85c5ba00a9cb6f7a00b2bfa6f812192d2c9f7d9c4f6a55b60216712f3"}, + {file = "greenlet-3.0.3-cp38-cp38-win_amd64.whl", hash = "sha256:419b386f84949bf0e7c73e6032e3457b82a787c1ab4a0e43732898a761cc9dbf"}, + {file = "greenlet-3.0.3-cp39-cp39-macosx_11_0_universal2.whl", hash = "sha256:da70d4d51c8b306bb7a031d5cff6cc25ad253affe89b70352af5f1cb68e74b53"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:086152f8fbc5955df88382e8a75984e2bb1c892ad2e3c80a2508954e52295257"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d73a9fe764d77f87f8ec26a0c85144d6a951a6c438dfe50487df5595c6373eac"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b7dcbe92cc99f08c8dd11f930de4d99ef756c3591a5377d1d9cd7dd5e896da71"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1551a8195c0d4a68fac7a4325efac0d541b48def35feb49d803674ac32582f61"}, + {file = "greenlet-3.0.3-cp39-cp39-manylinux_2_24_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:64d7675ad83578e3fc149b617a444fab8efdafc9385471f868eb5ff83e446b8b"}, + {file = "greenlet-3.0.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:b37eef18ea55f2ffd8f00ff8fe7c8d3818abd3e25fb73fae2ca3b672e333a7a6"}, + {file = "greenlet-3.0.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:77457465d89b8263bca14759d7c1684df840b6811b2499838cc5b040a8b5b113"}, + {file = "greenlet-3.0.3-cp39-cp39-win32.whl", hash = "sha256:57e8974f23e47dac22b83436bdcf23080ade568ce77df33159e019d161ce1d1e"}, + {file = "greenlet-3.0.3-cp39-cp39-win_amd64.whl", hash = "sha256:c5ee858cfe08f34712f548c3c363e807e7186f03ad7a5039ebadb29e8c6be067"}, + {file = "greenlet-3.0.3.tar.gz", hash = "sha256:43374442353259554ce33599da8b692d5aa96f8976d567d4badf263371fbe491"}, ] [package.extras] -docs = ["Sphinx"] +docs = ["Sphinx", "furo"] test = ["objgraph", "psutil"] +[[package]] +name = "h11" +version = "0.14.0" +description = "A pure-Python, bring-your-own-I/O implementation of HTTP/1.1" +optional = false +python-versions = ">=3.7" +files = [ + {file = "h11-0.14.0-py3-none-any.whl", hash = "sha256:e3fe4ac4b851c468cc8363d500db52c2ead036020723024a109d37346efaa761"}, + {file = "h11-0.14.0.tar.gz", hash = "sha256:8f19fbbe99e72420ff35c00b27a34cb9937e902a8b810e2c88300c6f0a3b699d"}, +] + [[package]] name = "html5lib" version = "1.1" description = "HTML parser based on the WHATWG HTML specification" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -974,16 +948,60 @@ chardet = ["chardet (>=2.2)"] genshi = ["genshi"] lxml = ["lxml"] +[[package]] +name = "httpcore" +version = "1.0.4" +description = "A minimal low-level HTTP client." +optional = false +python-versions = ">=3.8" +files = [ + {file = "httpcore-1.0.4-py3-none-any.whl", hash = "sha256:ac418c1db41bade2ad53ae2f3834a3a0f5ae76b56cf5aa497d2d033384fc7d73"}, + {file = "httpcore-1.0.4.tar.gz", hash = "sha256:cb2839ccfcba0d2d3c1131d3c3e26dfc327326fbe7a5dc0dbfe9f6c9151bb022"}, +] + +[package.dependencies] +certifi = "*" +h11 = ">=0.13,<0.15" + +[package.extras] +asyncio = ["anyio (>=4.0,<5.0)"] +http2 = ["h2 (>=3,<5)"] +socks = ["socksio (==1.*)"] +trio = ["trio (>=0.22.0,<0.25.0)"] + +[[package]] +name = "httpx" +version = "0.27.0" +description = "The next generation HTTP client." +optional = false +python-versions = ">=3.8" +files = [ + {file = "httpx-0.27.0-py3-none-any.whl", hash = "sha256:71d5465162c13681bff01ad59b2cc68dd838ea1f10e51574bac27103f00c91a5"}, + {file = "httpx-0.27.0.tar.gz", hash = "sha256:a0cb88a46f32dc874e04ee956e4c2764aba2aa228f650b06788ba6bda2962ab5"}, +] + +[package.dependencies] +anyio = "*" +certifi = "*" +httpcore = "==1.*" +idna = "*" +sniffio = "*" + +[package.extras] +brotli = ["brotli", "brotlicffi"] +cli = ["click (==8.*)", "pygments (==2.*)", "rich (>=10,<14)"] +http2 = ["h2 (>=3,<5)"] +socks = ["socksio (==1.*)"] + [[package]] name = "identify" -version = "2.5.31" +version = "2.5.35" description = "File identification library for Python" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "identify-2.5.31-py2.py3-none-any.whl", hash = "sha256:90199cb9e7bd3c5407a9b7e81b4abec4bb9d249991c79439ec8af740afc6293d"}, - {file = "identify-2.5.31.tar.gz", hash = "sha256:7736b3c7a28233637e3c36550646fc6389bedd74ae84cb788200cc8e2dd60b75"}, + {file = "identify-2.5.35-py2.py3-none-any.whl", hash = "sha256:c4de0081837b211594f8e877a6b4fad7ca32bbfc1a9307fdd61c28bfe923f13e"}, + {file = "identify-2.5.35.tar.gz", hash = "sha256:10a7ca245cfcd756a554a7288159f72ff105ad233c7c4b9c6f0f4d108f5f6791"}, ] [package.extras] @@ -991,21 +1009,19 @@ license = ["ukkonen"] [[package]] name = "idna" -version = "3.4" +version = "3.6" description = "Internationalized Domain Names in Applications (IDNA)" -category = "dev" optional = false python-versions = ">=3.5" files = [ - {file = "idna-3.4-py3-none-any.whl", hash = "sha256:90b77e79eaa3eba6de819a0c442c0b4ceefc341a7a2ab77d7562bf49f425c5c2"}, - {file = "idna-3.4.tar.gz", hash = "sha256:814f528e8dead7d329833b91c5faa87d60bf71824cd12a7530b5526063d02cb4"}, + {file = "idna-3.6-py3-none-any.whl", hash = "sha256:c05567e9c24a6b9faaa835c4821bad0590fbb9d5779e7caa6e1cc4978e7eb24f"}, + {file = "idna-3.6.tar.gz", hash = "sha256:9ecdbbd083b06798ae1e86adcbfe8ab1479cf864e4ee30fe4e46a003d12491ca"}, ] [[package]] name = "imagesize" version = "1.4.1" description = "Getting image size from png/jpeg/jpeg2000/gif file" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ @@ -1015,48 +1031,27 @@ files = [ [[package]] name = "importlib-metadata" -version = "6.8.0" +version = "7.0.2" description = "Read metadata from Python packages" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "importlib_metadata-6.8.0-py3-none-any.whl", hash = "sha256:3ebb78df84a805d7698245025b975d9d67053cd94c79245ba4b3eb694abe68bb"}, - {file = "importlib_metadata-6.8.0.tar.gz", hash = "sha256:dbace7892d8c0c4ac1ad096662232f831d4e64f4c4545bd53016a3e9d4654743"}, + {file = "importlib_metadata-7.0.2-py3-none-any.whl", hash = "sha256:f4bc4c0c070c490abf4ce96d715f68e95923320370efb66143df00199bb6c100"}, + {file = "importlib_metadata-7.0.2.tar.gz", hash = "sha256:198f568f3230878cb1b44fbd7975f87906c22336dba2e4a7f05278c281fbd792"}, ] [package.dependencies] zipp = ">=0.5" [package.extras] -docs = ["furo", "jaraco.packaging (>=9)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-lint"] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-lint"] perf = ["ipython"] -testing = ["flufl.flake8", "importlib-resources (>=1.3)", "packaging", "pyfakefs", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy (>=0.9.1)", "pytest-perf (>=0.9.2)", "pytest-ruff"] - -[[package]] -name = "importlib-resources" -version = "6.1.0" -description = "Read resources from Python packages" -category = "main" -optional = false -python-versions = ">=3.8" -files = [ - {file = "importlib_resources-6.1.0-py3-none-any.whl", hash = "sha256:aa50258bbfa56d4e33fbd8aa3ef48ded10d1735f11532b8df95388cc6bdb7e83"}, - {file = "importlib_resources-6.1.0.tar.gz", hash = "sha256:9d48dcccc213325e810fd723e7fbb45ccb39f6cf5c31f00cf2b965f5f10f3cb9"}, -] - -[package.dependencies] -zipp = {version = ">=3.1.0", markers = "python_version < \"3.10\""} - -[package.extras] -docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] -testing = ["pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy (>=0.9.1)", "pytest-ruff", "zipp (>=3.17)"] +testing = ["flufl.flake8", "importlib-resources (>=1.3)", "packaging", "pyfakefs", "pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy", "pytest-perf (>=0.9.2)", "pytest-ruff (>=0.2.1)"] [[package]] name = "iniconfig" version = "2.0.0" description = "brain-dead simple config-ini parsing" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -1066,14 +1061,13 @@ files = [ [[package]] name = "ipykernel" -version = "6.26.0" +version = "6.29.3" description = "IPython Kernel for Jupyter" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "ipykernel-6.26.0-py3-none-any.whl", hash = "sha256:3ba3dc97424b87b31bb46586b5167b3161b32d7820b9201a9e698c71e271602c"}, - {file = "ipykernel-6.26.0.tar.gz", hash = "sha256:553856658eb8430bbe9653ea041a41bff63e9606fc4628873fc92a6cf3abd404"}, + {file = "ipykernel-6.29.3-py3-none-any.whl", hash = "sha256:5aa086a4175b0229d4eca211e181fb473ea78ffd9869af36ba7694c947302a21"}, + {file = "ipykernel-6.29.3.tar.gz", hash = "sha256:e14c250d1f9ea3989490225cc1a542781b095a18a19447fcf2b5eaf7d0ac5bd2"}, ] [package.dependencies] @@ -1082,12 +1076,12 @@ comm = ">=0.1.1" debugpy = ">=1.6.5" ipython = ">=7.23.1" jupyter-client = ">=6.1.12" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" matplotlib-inline = ">=0.1" nest-asyncio = "*" packaging = "*" psutil = "*" -pyzmq = ">=20" +pyzmq = ">=24" tornado = ">=6.1" traitlets = ">=5.4.0" @@ -1096,78 +1090,62 @@ cov = ["coverage[toml]", "curio", "matplotlib", "pytest-cov", "trio"] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx", "sphinx-autodoc-typehints", "sphinxcontrib-github-alt", "sphinxcontrib-spelling", "trio"] pyqt5 = ["pyqt5"] pyside6 = ["pyside6"] -test = ["flaky", "ipyparallel", "pre-commit", "pytest (>=7.0)", "pytest-asyncio", "pytest-cov", "pytest-timeout"] +test = ["flaky", "ipyparallel", "pre-commit", "pytest (>=7.0)", "pytest-asyncio (>=0.23.5)", "pytest-cov", "pytest-timeout"] [[package]] name = "ipython" -version = "8.12.3" +version = "8.18.1" description = "IPython: Productive Interactive Computing" -category = "main" optional = false -python-versions = ">=3.8" +python-versions = ">=3.9" files = [ - {file = "ipython-8.12.3-py3-none-any.whl", hash = "sha256:b0340d46a933d27c657b211a329d0be23793c36595acf9e6ef4164bc01a1804c"}, - {file = "ipython-8.12.3.tar.gz", hash = "sha256:3910c4b54543c2ad73d06579aa771041b7d5707b033bd488669b4cf544e3b363"}, + {file = "ipython-8.18.1-py3-none-any.whl", hash = "sha256:e8267419d72d81955ec1177f8a29aaa90ac80ad647499201119e2f05e99aa397"}, + {file = "ipython-8.18.1.tar.gz", hash = "sha256:ca6f079bb33457c66e233e4580ebfc4128855b4cf6370dddd73842a9563e8a27"}, ] [package.dependencies] -appnope = {version = "*", markers = "sys_platform == \"darwin\""} -backcall = "*" colorama = {version = "*", markers = "sys_platform == \"win32\""} decorator = "*" +exceptiongroup = {version = "*", markers = "python_version < \"3.11\""} jedi = ">=0.16" matplotlib-inline = "*" pexpect = {version = ">4.3", markers = "sys_platform != \"win32\""} -pickleshare = "*" -prompt-toolkit = ">=3.0.30,<3.0.37 || >3.0.37,<3.1.0" +prompt-toolkit = ">=3.0.41,<3.1.0" pygments = ">=2.4.0" stack-data = "*" traitlets = ">=5" typing-extensions = {version = "*", markers = "python_version < \"3.10\""} [package.extras] -all = ["black", "curio", "docrepr", "ipykernel", "ipyparallel", "ipywidgets", "matplotlib", "matplotlib (!=3.2.0)", "nbconvert", "nbformat", "notebook", "numpy (>=1.21)", "pandas", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio", "qtconsole", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "trio", "typing-extensions"] +all = ["black", "curio", "docrepr", "exceptiongroup", "ipykernel", "ipyparallel", "ipywidgets", "matplotlib", "matplotlib (!=3.2.0)", "nbconvert", "nbformat", "notebook", "numpy (>=1.22)", "pandas", "pickleshare", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio (<0.22)", "qtconsole", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "trio", "typing-extensions"] black = ["black"] -doc = ["docrepr", "ipykernel", "matplotlib", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "typing-extensions"] +doc = ["docrepr", "exceptiongroup", "ipykernel", "matplotlib", "pickleshare", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio (<0.22)", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "typing-extensions"] kernel = ["ipykernel"] nbconvert = ["nbconvert"] nbformat = ["nbformat"] notebook = ["ipywidgets", "notebook"] parallel = ["ipyparallel"] qtconsole = ["qtconsole"] -test = ["pytest (<7.1)", "pytest-asyncio", "testpath"] -test-extra = ["curio", "matplotlib (!=3.2.0)", "nbformat", "numpy (>=1.21)", "pandas", "pytest (<7.1)", "pytest-asyncio", "testpath", "trio"] - -[[package]] -name = "ipython-genutils" -version = "0.2.0" -description = "Vestigial utilities from IPython" -category = "dev" -optional = false -python-versions = "*" -files = [ - {file = "ipython_genutils-0.2.0-py2.py3-none-any.whl", hash = "sha256:72dd37233799e619666c9f639a9da83c34013a73e8bbc79a7a6348d93c61fab8"}, - {file = "ipython_genutils-0.2.0.tar.gz", hash = "sha256:eb2e116e75ecef9d4d228fdc66af54269afa26ab4463042e33785b887c628ba8"}, -] +test = ["pickleshare", "pytest (<7.1)", "pytest-asyncio (<0.22)", "testpath"] +test-extra = ["curio", "matplotlib (!=3.2.0)", "nbformat", "numpy (>=1.22)", "pandas", "pickleshare", "pytest (<7.1)", "pytest-asyncio (<0.22)", "testpath", "trio"] [[package]] name = "ipywidgets" -version = "8.1.1" +version = "8.1.2" description = "Jupyter interactive widgets" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "ipywidgets-8.1.1-py3-none-any.whl", hash = "sha256:2b88d728656aea3bbfd05d32c747cfd0078f9d7e159cf982433b58ad717eed7f"}, - {file = "ipywidgets-8.1.1.tar.gz", hash = "sha256:40211efb556adec6fa450ccc2a77d59ca44a060f4f9f136833df59c9f538e6e8"}, + {file = "ipywidgets-8.1.2-py3-none-any.whl", hash = "sha256:bbe43850d79fb5e906b14801d6c01402857996864d1e5b6fa62dd2ee35559f60"}, + {file = "ipywidgets-8.1.2.tar.gz", hash = "sha256:d0b9b41e49bae926a866e613a39b0f0097745d2b9f1f3dd406641b4a57ec42c9"}, ] [package.dependencies] comm = ">=0.1.3" ipython = ">=6.1.0" -jupyterlab-widgets = ">=3.0.9,<3.1.0" +jupyterlab-widgets = ">=3.0.10,<3.1.0" traitlets = ">=4.3.1" -widgetsnbextension = ">=4.0.9,<4.1.0" +widgetsnbextension = ">=4.0.10,<4.1.0" [package.extras] test = ["ipykernel", "jsonschema", "pytest (>=3.6.0)", "pytest-cov", "pytz"] @@ -1176,7 +1154,6 @@ test = ["ipykernel", "jsonschema", "pytest (>=3.6.0)", "pytest-cov", "pytz"] name = "isodate" version = "0.6.1" description = "An ISO 8601 date/time/duration parser and formatter" -category = "main" optional = false python-versions = "*" files = [ @@ -1191,7 +1168,6 @@ six = "*" name = "isoduration" version = "20.11.0" description = "Operations with ISO 8601 durations" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1204,27 +1180,22 @@ arrow = ">=0.15.0" [[package]] name = "isort" -version = "5.12.0" +version = "5.13.2" description = "A Python utility / library to sort Python imports." -category = "dev" optional = false python-versions = ">=3.8.0" files = [ - {file = "isort-5.12.0-py3-none-any.whl", hash = "sha256:f84c2818376e66cf843d497486ea8fed8700b340f308f076c6fb1229dff318b6"}, - {file = "isort-5.12.0.tar.gz", hash = "sha256:8bef7dde241278824a6d83f44a544709b065191b95b6e50894bdc722fcba0504"}, + {file = "isort-5.13.2-py3-none-any.whl", hash = "sha256:8ca5e72a8d85860d5a3fa69b8745237f2939afe12dbf656afbcb47fe72d947a6"}, + {file = "isort-5.13.2.tar.gz", hash = "sha256:48fdfcb9face5d58a4f6dde2e72a1fb8dcaf8ab26f95ab49fab84c2ddefb0109"}, ] [package.extras] -colors = ["colorama (>=0.4.3)"] -pipfile-deprecated-finder = ["pip-shims (>=0.5.2)", "pipreqs", "requirementslib"] -plugins = ["setuptools"] -requirements-deprecated-finder = ["pip-api", "pipreqs"] +colors = ["colorama (>=0.4.6)"] [[package]] name = "itsdangerous" version = "2.1.2" description = "Safely pass data to untrusted environments and back." -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -1236,7 +1207,6 @@ files = [ name = "jedi" version = "0.19.1" description = "An autocompletion tool for Python that can be used for text editors." -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -1254,14 +1224,13 @@ testing = ["Django", "attrs", "colorama", "docopt", "pytest (<7.0.0)"] [[package]] name = "jinja2" -version = "3.1.2" +version = "3.1.3" description = "A very fast and expressive template engine." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "Jinja2-3.1.2-py3-none-any.whl", hash = "sha256:6088930bfe239f0e6710546ab9c19c9ef35e29792895fed6e6e31a023a182a61"}, - {file = "Jinja2-3.1.2.tar.gz", hash = "sha256:31351a702a408a9e7595a8fc6150fc3f43bb6bf7e319770cbc0db9df9437e852"}, + {file = "Jinja2-3.1.3-py3-none-any.whl", hash = "sha256:7d6d50dd97d52cbc355597bd845fabfbac3f551e1f99619e39a35ce8c370b5fa"}, + {file = "Jinja2-3.1.3.tar.gz", hash = "sha256:ac8bd6544d4bb2c9792bf3a159e80bba8fda7f07e81bc3aed565432d5925ba90"}, ] [package.dependencies] @@ -1272,14 +1241,13 @@ i18n = ["Babel (>=2.7)"] [[package]] name = "json5" -version = "0.9.14" +version = "0.9.22" description = "A Python implementation of the JSON5 data format." -category = "dev" optional = false -python-versions = "*" +python-versions = ">=3.8" files = [ - {file = "json5-0.9.14-py2.py3-none-any.whl", hash = "sha256:740c7f1b9e584a468dbb2939d8d458db3427f2c93ae2139d05f47e453eae964f"}, - {file = "json5-0.9.14.tar.gz", hash = "sha256:9ed66c3a6ca3510a976a9ef9b8c0787de24802724ab1860bc0153c7fdd589b02"}, + {file = "json5-0.9.22-py3-none-any.whl", hash = "sha256:6621007c70897652f8b5d03885f732771c48d1925591ad989aa80c7e0e5ad32f"}, + {file = "json5-0.9.22.tar.gz", hash = "sha256:b729bde7650b2196a35903a597d2b704b8fdf8648bfb67368cfb79f1174a17bd"}, ] [package.extras] @@ -1289,7 +1257,6 @@ dev = ["hypothesis"] name = "jsonpointer" version = "2.4" description = "Identify specific nodes in a JSON document (RFC 6901)" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*, !=3.6.*" files = [ @@ -1299,25 +1266,22 @@ files = [ [[package]] name = "jsonschema" -version = "4.19.2" +version = "4.21.1" description = "An implementation of JSON Schema validation for Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jsonschema-4.19.2-py3-none-any.whl", hash = "sha256:eee9e502c788e89cb166d4d37f43084e3b64ab405c795c03d343a4dbc2c810fc"}, - {file = "jsonschema-4.19.2.tar.gz", hash = "sha256:c9ff4d7447eed9592c23a12ccee508baf0dd0d59650615e847feb6cdca74f392"}, + {file = "jsonschema-4.21.1-py3-none-any.whl", hash = "sha256:7996507afae316306f9e2290407761157c6f78002dcf7419acb99822143d1c6f"}, + {file = "jsonschema-4.21.1.tar.gz", hash = "sha256:85727c00279f5fa6bedbe6238d2aa6403bedd8b4864ab11207d07df3cc1b2ee5"}, ] [package.dependencies] attrs = ">=22.2.0" fqdn = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} idna = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} -importlib-resources = {version = ">=1.4.0", markers = "python_version < \"3.9\""} isoduration = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} jsonpointer = {version = ">1.13", optional = true, markers = "extra == \"format-nongpl\""} jsonschema-specifications = ">=2023.03.6" -pkgutil-resolve-name = {version = ">=1.3.10", markers = "python_version < \"3.9\""} referencing = ">=0.28.4" rfc3339-validator = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} rfc3986-validator = {version = ">0.1.0", optional = true, markers = "extra == \"format-nongpl\""} @@ -1331,25 +1295,22 @@ format-nongpl = ["fqdn", "idna", "isoduration", "jsonpointer (>1.13)", "rfc3339- [[package]] name = "jsonschema-specifications" -version = "2023.7.1" +version = "2023.12.1" description = "The JSON Schema meta-schemas and vocabularies, exposed as a Registry" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jsonschema_specifications-2023.7.1-py3-none-any.whl", hash = "sha256:05adf340b659828a004220a9613be00fa3f223f2b82002e273dee62fd50524b1"}, - {file = "jsonschema_specifications-2023.7.1.tar.gz", hash = "sha256:c91a50404e88a1f6ba40636778e2ee08f6e24c5613fe4c53ac24578a5a7f72bb"}, + {file = "jsonschema_specifications-2023.12.1-py3-none-any.whl", hash = "sha256:87e4fdf3a94858b8a2ba2778d9ba57d8a9cafca7c7489c46ba0d30a8bc6a9c3c"}, + {file = "jsonschema_specifications-2023.12.1.tar.gz", hash = "sha256:48a76787b3e70f5ed53f1160d2b81f586e4ca6d1548c5de7085d1682674764cc"}, ] [package.dependencies] -importlib-resources = {version = ">=1.4.0", markers = "python_version < \"3.9\""} -referencing = ">=0.28.0" +referencing = ">=0.31.0" [[package]] name = "jupyter" version = "1.0.0" description = "Jupyter metapackage. Install all the Jupyter components in one go." -category = "dev" optional = false python-versions = "*" files = [ @@ -1370,7 +1331,6 @@ qtconsole = "*" name = "jupyter-book" version = "0.15.1" description = "Build a book with Jupyter Notebooks and Sphinx." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1408,7 +1368,6 @@ testing = ["altair", "beautifulsoup4", "beautifulsoup4", "cookiecutter", "covera name = "jupyter-cache" version = "0.6.1" description = "A defined interface for working with a cache of jupyter notebooks." -category = "dev" optional = false python-versions = "~=3.8" files = [ @@ -1434,19 +1393,18 @@ testing = ["coverage", "ipykernel", "jupytext", "matplotlib", "nbdime", "nbforma [[package]] name = "jupyter-client" -version = "8.5.0" +version = "8.6.0" description = "Jupyter protocol implementation and client libraries" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_client-8.5.0-py3-none-any.whl", hash = "sha256:c3877aac7257ec68d79b5c622ce986bd2a992ca42f6ddc9b4dd1da50e89f7028"}, - {file = "jupyter_client-8.5.0.tar.gz", hash = "sha256:e8754066510ce456358df363f97eae64b50860f30dc1fe8c6771440db3be9a63"}, + {file = "jupyter_client-8.6.0-py3-none-any.whl", hash = "sha256:909c474dbe62582ae62b758bca86d6518c85234bdee2d908c778db6d72f39d99"}, + {file = "jupyter_client-8.6.0.tar.gz", hash = "sha256:0642244bb83b4764ae60d07e010e15f0e2d275ec4e918a8f7b80fbbef3ca60c7"}, ] [package.dependencies] importlib-metadata = {version = ">=4.8.3", markers = "python_version < \"3.10\""} -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" python-dateutil = ">=2.8.2" pyzmq = ">=23.0" tornado = ">=6.2" @@ -1460,7 +1418,6 @@ test = ["coverage", "ipykernel (>=6.14)", "mypy", "paramiko", "pre-commit", "pyt name = "jupyter-console" version = "6.6.3" description = "Jupyter terminal console" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1472,7 +1429,7 @@ files = [ ipykernel = ">=6.14" ipython = "*" jupyter-client = ">=7.0.0" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" prompt-toolkit = ">=3.0.30" pygments = "*" pyzmq = ">=17" @@ -1483,14 +1440,13 @@ test = ["flaky", "pexpect", "pytest"] [[package]] name = "jupyter-core" -version = "5.5.0" +version = "5.7.1" description = "Jupyter core package. A base package on which Jupyter projects rely." -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_core-5.5.0-py3-none-any.whl", hash = "sha256:e11e02cd8ae0a9de5c6c44abf5727df9f2581055afe00b22183f621ba3585805"}, - {file = "jupyter_core-5.5.0.tar.gz", hash = "sha256:880b86053bf298a8724994f95e99b99130659022a4f7f45f563084b6223861d3"}, + {file = "jupyter_core-5.7.1-py3-none-any.whl", hash = "sha256:c65c82126453a723a2804aa52409930434598fd9d35091d63dfb919d2b765bb7"}, + {file = "jupyter_core-5.7.1.tar.gz", hash = "sha256:de61a9d7fc71240f688b2fb5ab659fbb56979458dc66a71decd098e03c79e218"}, ] [package.dependencies] @@ -1504,14 +1460,13 @@ test = ["ipykernel", "pre-commit", "pytest", "pytest-cov", "pytest-timeout"] [[package]] name = "jupyter-events" -version = "0.8.0" +version = "0.9.0" description = "Jupyter Event System library" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_events-0.8.0-py3-none-any.whl", hash = "sha256:81f07375c7673ff298bfb9302b4a981864ec64edaed75ca0fe6f850b9b045525"}, - {file = "jupyter_events-0.8.0.tar.gz", hash = "sha256:fda08f0defce5e16930542ce60634ba48e010830d50073c3dfd235759cee77bf"}, + {file = "jupyter_events-0.9.0-py3-none-any.whl", hash = "sha256:d853b3c10273ff9bc8bb8b30076d65e2c9685579db736873de6c2232dde148bf"}, + {file = "jupyter_events-0.9.0.tar.gz", hash = "sha256:81ad2e4bc710881ec274d31c6c50669d71bbaa5dd9d01e600b56faa85700d399"}, ] [package.dependencies] @@ -1530,14 +1485,13 @@ test = ["click", "pre-commit", "pytest (>=7.0)", "pytest-asyncio (>=0.19.0)", "p [[package]] name = "jupyter-lsp" -version = "2.2.0" +version = "2.2.4" description = "Multi-Language Server WebSocket proxy for Jupyter Notebook/Lab server" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter-lsp-2.2.0.tar.gz", hash = "sha256:8ebbcb533adb41e5d635eb8fe82956b0aafbf0fd443b6c4bfa906edeeb8635a1"}, - {file = "jupyter_lsp-2.2.0-py3-none-any.whl", hash = "sha256:9e06b8b4f7dd50300b70dd1a78c0c3b0c3d8fa68e0f2d8a5d1fbab62072aca3f"}, + {file = "jupyter-lsp-2.2.4.tar.gz", hash = "sha256:5e50033149344065348e688608f3c6d654ef06d9856b67655bd7b6bac9ee2d59"}, + {file = "jupyter_lsp-2.2.4-py3-none-any.whl", hash = "sha256:da61cb63a16b6dff5eac55c2699cc36eac975645adee02c41bdfc03bf4802e77"}, ] [package.dependencies] @@ -1546,14 +1500,13 @@ jupyter-server = ">=1.1.2" [[package]] name = "jupyter-server" -version = "2.9.1" +version = "2.13.0" description = "The backend—i.e. core services, APIs, and REST endpoints—to Jupyter web applications." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_server-2.9.1-py3-none-any.whl", hash = "sha256:21ad1a3d455d5a79ce4bef5201925cd17510c17898cf9d54e3ccfb6b12734948"}, - {file = "jupyter_server-2.9.1.tar.gz", hash = "sha256:9ba71be4b9c16e479e4c50c929f8ac4b1015baf90237a08681397a98c76c7e5e"}, + {file = "jupyter_server-2.13.0-py3-none-any.whl", hash = "sha256:77b2b49c3831fbbfbdb5048cef4350d12946191f833a24e5f83e5f8f4803e97b"}, + {file = "jupyter_server-2.13.0.tar.gz", hash = "sha256:c80bfb049ea20053c3d9641c2add4848b38073bf79f1729cea1faed32fc1c78e"}, ] [package.dependencies] @@ -1561,8 +1514,8 @@ anyio = ">=3.1.0" argon2-cffi = "*" jinja2 = "*" jupyter-client = ">=7.4.4" -jupyter-core = ">=4.12,<5.0.0 || >=5.1.0" -jupyter-events = ">=0.6.0" +jupyter-core = ">=4.12,<5.0.dev0 || >=5.1.dev0" +jupyter-events = ">=0.9.0" jupyter-server-terminals = "*" nbconvert = ">=6.4.4" nbformat = ">=5.3.0" @@ -1579,18 +1532,17 @@ websocket-client = "*" [package.extras] docs = ["ipykernel", "jinja2", "jupyter-client", "jupyter-server", "myst-parser", "nbformat", "prometheus-client", "pydata-sphinx-theme", "send2trash", "sphinx-autodoc-typehints", "sphinxcontrib-github-alt", "sphinxcontrib-openapi (>=0.8.0)", "sphinxcontrib-spelling", "sphinxemoji", "tornado", "typing-extensions"] -test = ["flaky", "ipykernel", "pre-commit", "pytest (>=7.0)", "pytest-console-scripts", "pytest-jupyter[server] (>=0.4)", "pytest-timeout", "requests"] +test = ["flaky", "ipykernel", "pre-commit", "pytest (>=7.0)", "pytest-console-scripts", "pytest-jupyter[server] (>=0.7)", "pytest-timeout", "requests"] [[package]] name = "jupyter-server-terminals" -version = "0.4.4" +version = "0.5.2" description = "A Jupyter Server Extension Providing Terminals." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_server_terminals-0.4.4-py3-none-any.whl", hash = "sha256:75779164661cec02a8758a5311e18bb8eb70c4e86c6b699403100f1585a12a36"}, - {file = "jupyter_server_terminals-0.4.4.tar.gz", hash = "sha256:57ab779797c25a7ba68e97bcfb5d7740f2b5e8a83b5e8102b10438041a7eac5d"}, + {file = "jupyter_server_terminals-0.5.2-py3-none-any.whl", hash = "sha256:1b80c12765da979513c42c90215481bbc39bd8ae7c0350b4f85bc3eb58d0fa80"}, + {file = "jupyter_server_terminals-0.5.2.tar.gz", hash = "sha256:396b5ccc0881e550bf0ee7012c6ef1b53edbde69e67cab1d56e89711b46052e8"}, ] [package.dependencies] @@ -1598,25 +1550,24 @@ pywinpty = {version = ">=2.0.3", markers = "os_name == \"nt\""} terminado = ">=0.8.3" [package.extras] -docs = ["jinja2", "jupyter-server", "mistune (<3.0)", "myst-parser", "nbformat", "packaging", "pydata-sphinx-theme", "sphinxcontrib-github-alt", "sphinxcontrib-openapi", "sphinxcontrib-spelling", "sphinxemoji", "tornado"] -test = ["coverage", "jupyter-server (>=2.0.0)", "pytest (>=7.0)", "pytest-cov", "pytest-jupyter[server] (>=0.5.3)", "pytest-timeout"] +docs = ["jinja2", "jupyter-server", "mistune (<4.0)", "myst-parser", "nbformat", "packaging", "pydata-sphinx-theme", "sphinxcontrib-github-alt", "sphinxcontrib-openapi", "sphinxcontrib-spelling", "sphinxemoji", "tornado"] +test = ["jupyter-server (>=2.0.0)", "pytest (>=7.0)", "pytest-jupyter[server] (>=0.5.3)", "pytest-timeout"] [[package]] name = "jupyterlab" -version = "4.0.7" +version = "4.1.4" description = "JupyterLab computational environment" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyterlab-4.0.7-py3-none-any.whl", hash = "sha256:08683045117cc495531fdb39c22ababb9aaac6977a45e67cfad20046564c9c7c"}, - {file = "jupyterlab-4.0.7.tar.gz", hash = "sha256:48792efd9f962b2bcda1f87d72168ff122c288b1d97d32109e4a11b33dc862be"}, + {file = "jupyterlab-4.1.4-py3-none-any.whl", hash = "sha256:f92c3f2b12b88efcf767205f49be9b2f86b85544f9c4f342bb5e9904a16cf931"}, + {file = "jupyterlab-4.1.4.tar.gz", hash = "sha256:e03c82c124ad8a0892e498b9dde79c50868b2c267819aca3f55ce47c57ebeb1d"}, ] [package.dependencies] async-lru = ">=1.0.0" +httpx = ">=0.25.0" importlib-metadata = {version = ">=4.8.3", markers = "python_version < \"3.10\""} -importlib-resources = {version = ">=1.4", markers = "python_version < \"3.9\""} ipykernel = "*" jinja2 = ">=3.0.3" jupyter-core = "*" @@ -1630,33 +1581,31 @@ tornado = ">=6.2.0" traitlets = "*" [package.extras] -dev = ["black[jupyter] (==23.7.0)", "build", "bump2version", "coverage", "hatch", "pre-commit", "pytest-cov", "ruff (==0.0.286)"] -docs = ["jsx-lexer", "myst-parser", "pydata-sphinx-theme (>=0.13.0)", "pytest", "pytest-check-links", "pytest-tornasync", "sphinx (>=1.8,<7.2.0)", "sphinx-copybutton"] -docs-screenshots = ["altair (==5.0.1)", "ipython (==8.14.0)", "ipywidgets (==8.0.6)", "jupyterlab-geojson (==3.4.0)", "jupyterlab-language-pack-zh-cn (==4.0.post0)", "matplotlib (==3.7.1)", "nbconvert (>=7.0.0)", "pandas (==2.0.2)", "scipy (==1.10.1)", "vega-datasets (==0.9.0)"] +dev = ["build", "bump2version", "coverage", "hatch", "pre-commit", "pytest-cov", "ruff (==0.2.0)"] +docs = ["jsx-lexer", "myst-parser", "pydata-sphinx-theme (>=0.13.0)", "pytest", "pytest-check-links", "pytest-jupyter", "sphinx (>=1.8,<7.3.0)", "sphinx-copybutton"] +docs-screenshots = ["altair (==5.2.0)", "ipython (==8.16.1)", "ipywidgets (==8.1.1)", "jupyterlab-geojson (==3.4.0)", "jupyterlab-language-pack-zh-cn (==4.0.post6)", "matplotlib (==3.8.2)", "nbconvert (>=7.0.0)", "pandas (==2.2.0)", "scipy (==1.12.0)", "vega-datasets (==0.9.0)"] test = ["coverage", "pytest (>=7.0)", "pytest-check-links (>=0.7)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter (>=0.5.3)", "pytest-timeout", "pytest-tornasync", "requests", "requests-cache", "virtualenv"] [[package]] name = "jupyterlab-pygments" -version = "0.2.2" +version = "0.3.0" description = "Pygments theme using JupyterLab CSS variables" -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "jupyterlab_pygments-0.2.2-py2.py3-none-any.whl", hash = "sha256:2405800db07c9f770863bcf8049a529c3dd4d3e28536638bd7c1c01d2748309f"}, - {file = "jupyterlab_pygments-0.2.2.tar.gz", hash = "sha256:7405d7fde60819d905a9fa8ce89e4cd830e318cdad22a0030f7a901da705585d"}, + {file = "jupyterlab_pygments-0.3.0-py3-none-any.whl", hash = "sha256:841a89020971da1d8693f1a99997aefc5dc424bb1b251fd6322462a1b8842780"}, + {file = "jupyterlab_pygments-0.3.0.tar.gz", hash = "sha256:721aca4d9029252b11cfa9d185e5b5af4d54772bb8072f9b7036f4170054d35d"}, ] [[package]] name = "jupyterlab-server" -version = "2.25.0" +version = "2.25.4" description = "A set of server components for JupyterLab and JupyterLab like applications." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "jupyterlab_server-2.25.0-py3-none-any.whl", hash = "sha256:c9f67a98b295c5dee87f41551b0558374e45d449f3edca153dd722140630dcb2"}, - {file = "jupyterlab_server-2.25.0.tar.gz", hash = "sha256:77c2f1f282d610f95e496e20d5bf1d2a7706826dfb7b18f3378ae2870d272fb7"}, + {file = "jupyterlab_server-2.25.4-py3-none-any.whl", hash = "sha256:eb645ecc8f9b24bac5decc7803b6d5363250e16ec5af814e516bc2c54dd88081"}, + {file = "jupyterlab_server-2.25.4.tar.gz", hash = "sha256:2098198e1e82e0db982440f9b5136175d73bea2cd42a6480aa6fd502cb23c4f9"}, ] [package.dependencies] @@ -1672,68 +1621,68 @@ requests = ">=2.31" [package.extras] docs = ["autodoc-traits", "jinja2 (<3.2.0)", "mistune (<4)", "myst-parser", "pydata-sphinx-theme", "sphinx", "sphinx-copybutton", "sphinxcontrib-openapi (>0.8)"] openapi = ["openapi-core (>=0.18.0,<0.19.0)", "ruamel-yaml"] -test = ["hatch", "ipykernel", "openapi-core (>=0.18.0,<0.19.0)", "openapi-spec-validator (>=0.6.0,<0.7.0)", "pytest (>=7.0)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter[server] (>=0.6.2)", "pytest-timeout", "requests-mock", "ruamel-yaml", "sphinxcontrib-spelling", "strict-rfc3339", "werkzeug"] +test = ["hatch", "ipykernel", "openapi-core (>=0.18.0,<0.19.0)", "openapi-spec-validator (>=0.6.0,<0.8.0)", "pytest (>=7.0,<8)", "pytest-console-scripts", "pytest-cov", "pytest-jupyter[server] (>=0.6.2)", "pytest-timeout", "requests-mock", "ruamel-yaml", "sphinxcontrib-spelling", "strict-rfc3339", "werkzeug"] [[package]] name = "jupyterlab-widgets" -version = "3.0.9" +version = "3.0.10" description = "Jupyter interactive widgets for JupyterLab" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "jupyterlab_widgets-3.0.9-py3-none-any.whl", hash = "sha256:3cf5bdf5b897bf3bccf1c11873aa4afd776d7430200f765e0686bd352487b58d"}, - {file = "jupyterlab_widgets-3.0.9.tar.gz", hash = "sha256:6005a4e974c7beee84060fdfba341a3218495046de8ae3ec64888e5fe19fdb4c"}, + {file = "jupyterlab_widgets-3.0.10-py3-none-any.whl", hash = "sha256:dd61f3ae7a5a7f80299e14585ce6cf3d6925a96c9103c978eda293197730cb64"}, + {file = "jupyterlab_widgets-3.0.10.tar.gz", hash = "sha256:04f2ac04976727e4f9d0fa91cdc2f1ab860f965e504c29dbd6a65c882c9d04c0"}, ] [[package]] name = "jupytext" -version = "1.15.2" +version = "1.16.1" description = "Jupyter notebooks as Markdown documents, Julia, Python or R scripts" -category = "dev" optional = false -python-versions = "~=3.6" +python-versions = ">=3.8" files = [ - {file = "jupytext-1.15.2-py3-none-any.whl", hash = "sha256:ef2a1a3eb8f63d84a3b3772014bdfbe238e4e12a30c4309b8c89e0a54adeb7d1"}, - {file = "jupytext-1.15.2.tar.gz", hash = "sha256:c9976e24d834e991906c1de55af4b6d512d764f6372aabae45fc1ea72b589173"}, + {file = "jupytext-1.16.1-py3-none-any.whl", hash = "sha256:796ec4f68ada663569e5d38d4ef03738a01284bfe21c943c485bc36433898bd0"}, + {file = "jupytext-1.16.1.tar.gz", hash = "sha256:68c7b68685e870e80e60fda8286fbd6269e9c74dc1df4316df6fe46eabc94c99"}, ] [package.dependencies] -markdown-it-py = ">=1.0.0" +markdown-it-py = ">=1.0" mdit-py-plugins = "*" nbformat = "*" +packaging = "*" pyyaml = "*" toml = "*" [package.extras] -rst2md = ["sphinx-gallery (>=0.7.0,<0.8.0)"] -toml = ["toml"] +dev = ["jupytext[test-cov,test-external]"] +docs = ["myst-parser", "sphinx", "sphinx-copybutton", "sphinx-rtd-theme"] +test = ["pytest", "pytest-randomly", "pytest-xdist"] +test-cov = ["jupytext[test-integration]", "pytest-cov (>=2.6.1)"] +test-external = ["autopep8", "black", "flake8", "gitpython", "isort", "jupyter-fs (<0.4.0)", "jupytext[test-integration]", "pre-commit", "sphinx-gallery (<0.8)"] +test-functional = ["jupytext[test]"] +test-integration = ["ipykernel", "jupyter-server (!=2.11)", "jupytext[test-functional]", "nbconvert"] +test-ui = ["calysto-bash"] [[package]] name = "latexcodec" -version = "2.0.1" +version = "3.0.0" description = "A lexer and codec to work with LaTeX code in Python." -category = "dev" optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" +python-versions = ">=3.7" files = [ - {file = "latexcodec-2.0.1-py2.py3-none-any.whl", hash = "sha256:c277a193638dc7683c4c30f6684e3db728a06efb0dc9cf346db8bd0aa6c5d271"}, - {file = "latexcodec-2.0.1.tar.gz", hash = "sha256:2aa2551c373261cefe2ad3a8953a6d6533e68238d180eb4bb91d7964adb3fe9a"}, + {file = "latexcodec-3.0.0-py3-none-any.whl", hash = "sha256:6f3477ad5e61a0a99bd31a6a370c34e88733a6bad9c921a3ffcfacada12f41a7"}, + {file = "latexcodec-3.0.0.tar.gz", hash = "sha256:917dc5fe242762cc19d963e6548b42d63a118028cdd3361d62397e3b638b6bc5"}, ] -[package.dependencies] -six = ">=1.4.1" - [[package]] name = "linkify-it-py" -version = "2.0.2" +version = "2.0.3" description = "Links recognition library with FULL unicode support." -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "linkify-it-py-2.0.2.tar.gz", hash = "sha256:19f3060727842c254c808e99d465c80c49d2c7306788140987a1a7a29b0d6ad2"}, - {file = "linkify_it_py-2.0.2-py3-none-any.whl", hash = "sha256:a3a24428f6c96f27370d7fe61d2ac0be09017be5190d68d8658233171f1b6541"}, + {file = "linkify-it-py-2.0.3.tar.gz", hash = "sha256:68cda27e162e9215c17d786649d1da0021a451bdc436ef9e0fa0ba5234b9b048"}, + {file = "linkify_it_py-2.0.3-py3-none-any.whl", hash = "sha256:6bcbc417b0ac14323382aef5c5192c0075bf8a9d6b41820a2b66371eac6b6d79"}, ] [package.dependencies] @@ -1747,14 +1696,13 @@ test = ["coverage", "pytest", "pytest-cov"] [[package]] name = "mako" -version = "1.2.4" +version = "1.3.2" description = "A super-fast templating language that borrows the best ideas from the existing templating languages." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "Mako-1.2.4-py3-none-any.whl", hash = "sha256:c97c79c018b9165ac9922ae4f32da095ffd3c4e6872b45eded42926deea46818"}, - {file = "Mako-1.2.4.tar.gz", hash = "sha256:d60a3903dc3bb01a18ad6a89cdbe2e4eadc69c0bc8ef1e3773ba53d44c3f7a34"}, + {file = "Mako-1.3.2-py3-none-any.whl", hash = "sha256:32a99d70754dfce237019d17ffe4a282d2d3351b9c476e90d8a60e63f133b80c"}, + {file = "Mako-1.3.2.tar.gz", hash = "sha256:2a0c8ad7f6274271b3bb7467dd37cf9cc6dab4bc19cb69a4ef10669402de698e"}, ] [package.dependencies] @@ -1769,7 +1717,6 @@ testing = ["pytest"] name = "markdown-it-py" version = "2.2.0" description = "Python port of markdown-it. Markdown parsing, done right!" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1792,69 +1739,77 @@ testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] [[package]] name = "markupsafe" -version = "2.1.3" +version = "2.1.5" description = "Safely add untrusted strings to HTML/XML markup." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:cd0f502fe016460680cd20aaa5a76d241d6f35a1c3350c474bac1273803893fa"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:e09031c87a1e51556fdcb46e5bd4f59dfb743061cf93c4d6831bf894f125eb57"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:68e78619a61ecf91e76aa3e6e8e33fc4894a2bebe93410754bd28fce0a8a4f9f"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:65c1a9bcdadc6c28eecee2c119465aebff8f7a584dd719facdd9e825ec61ab52"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:525808b8019e36eb524b8c68acdd63a37e75714eac50e988180b169d64480a00"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:962f82a3086483f5e5f64dbad880d31038b698494799b097bc59c2edf392fce6"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:aa7bd130efab1c280bed0f45501b7c8795f9fdbeb02e965371bbef3523627779"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:c9c804664ebe8f83a211cace637506669e7890fec1b4195b505c214e50dd4eb7"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-win32.whl", hash = "sha256:10bbfe99883db80bdbaff2dcf681dfc6533a614f700da1287707e8a5d78a8431"}, - {file = "MarkupSafe-2.1.3-cp310-cp310-win_amd64.whl", hash = "sha256:1577735524cdad32f9f694208aa75e422adba74f1baee7551620e43a3141f559"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ad9e82fb8f09ade1c3e1b996a6337afac2b8b9e365f926f5a61aacc71adc5b3c"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:3c0fae6c3be832a0a0473ac912810b2877c8cb9d76ca48de1ed31e1c68386575"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b076b6226fb84157e3f7c971a47ff3a679d837cf338547532ab866c57930dbee"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bfce63a9e7834b12b87c64d6b155fdd9b3b96191b6bd334bf37db7ff1fe457f2"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:338ae27d6b8745585f87218a3f23f1512dbf52c26c28e322dbe54bcede54ccb9"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e4dd52d80b8c83fdce44e12478ad2e85c64ea965e75d66dbeafb0a3e77308fcc"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:df0be2b576a7abbf737b1575f048c23fb1d769f267ec4358296f31c2479db8f9"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:5bbe06f8eeafd38e5d0a4894ffec89378b6c6a625ff57e3028921f8ff59318ac"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-win32.whl", hash = "sha256:dd15ff04ffd7e05ffcb7fe79f1b98041b8ea30ae9234aed2a9168b5797c3effb"}, - {file = "MarkupSafe-2.1.3-cp311-cp311-win_amd64.whl", hash = "sha256:134da1eca9ec0ae528110ccc9e48041e0828d79f24121a1a146161103c76e686"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:8e254ae696c88d98da6555f5ace2279cf7cd5b3f52be2b5cf97feafe883b58d2"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cb0932dc158471523c9637e807d9bfb93e06a95cbf010f1a38b98623b929ef2b"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9402b03f1a1b4dc4c19845e5c749e3ab82d5078d16a2a4c2cd2df62d57bb0707"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ca379055a47383d02a5400cb0d110cef0a776fc644cda797db0c5696cfd7e18e"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:b7ff0f54cb4ff66dd38bebd335a38e2c22c41a8ee45aa608efc890ac3e3931bc"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:c011a4149cfbcf9f03994ec2edffcb8b1dc2d2aede7ca243746df97a5d41ce48"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:56d9f2ecac662ca1611d183feb03a3fa4406469dafe241673d521dd5ae92a155"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-win32.whl", hash = "sha256:8758846a7e80910096950b67071243da3e5a20ed2546e6392603c096778d48e0"}, - {file = "MarkupSafe-2.1.3-cp37-cp37m-win_amd64.whl", hash = "sha256:787003c0ddb00500e49a10f2844fac87aa6ce977b90b0feaaf9de23c22508b24"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:2ef12179d3a291be237280175b542c07a36e7f60718296278d8593d21ca937d4"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:2c1b19b3aaacc6e57b7e25710ff571c24d6c3613a45e905b1fde04d691b98ee0"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8afafd99945ead6e075b973fefa56379c5b5c53fd8937dad92c662da5d8fd5ee"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8c41976a29d078bb235fea9b2ecd3da465df42a562910f9022f1a03107bd02be"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d080e0a5eb2529460b30190fcfcc4199bd7f827663f858a226a81bc27beaa97e"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:69c0f17e9f5a7afdf2cc9fb2d1ce6aabdb3bafb7f38017c0b77862bcec2bbad8"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:504b320cd4b7eff6f968eddf81127112db685e81f7e36e75f9f84f0df46041c3"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:42de32b22b6b804f42c5d98be4f7e5e977ecdd9ee9b660fda1a3edf03b11792d"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-win32.whl", hash = "sha256:ceb01949af7121f9fc39f7d27f91be8546f3fb112c608bc4029aef0bab86a2a5"}, - {file = "MarkupSafe-2.1.3-cp38-cp38-win_amd64.whl", hash = "sha256:1b40069d487e7edb2676d3fbdb2b0829ffa2cd63a2ec26c4938b2d34391b4ecc"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:8023faf4e01efadfa183e863fefde0046de576c6f14659e8782065bcece22198"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6b2b56950d93e41f33b4223ead100ea0fe11f8e6ee5f641eb753ce4b77a7042b"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9dcdfd0eaf283af041973bff14a2e143b8bd64e069f4c383416ecd79a81aab58"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:05fb21170423db021895e1ea1e1f3ab3adb85d1c2333cbc2310f2a26bc77272e"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:282c2cb35b5b673bbcadb33a585408104df04f14b2d9b01d4c345a3b92861c2c"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:ab4a0df41e7c16a1392727727e7998a467472d0ad65f3ad5e6e765015df08636"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:7ef3cb2ebbf91e330e3bb937efada0edd9003683db6b57bb108c4001f37a02ea"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:0a4e4a1aff6c7ac4cd55792abf96c915634c2b97e3cc1c7129578aa68ebd754e"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-win32.whl", hash = "sha256:fec21693218efe39aa7f8599346e90c705afa52c5b31ae019b2e57e8f6542bb2"}, - {file = "MarkupSafe-2.1.3-cp39-cp39-win_amd64.whl", hash = "sha256:3fd4abcb888d15a94f32b75d8fd18ee162ca0c064f35b11134be77050296d6ba"}, - {file = "MarkupSafe-2.1.3.tar.gz", hash = "sha256:af598ed32d6ae86f1b747b82783958b1a4ab8f617b06fe68795c7f026abbdcad"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:a17a92de5231666cfbe003f0e4b9b3a7ae3afb1ec2845aadc2bacc93ff85febc"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:72b6be590cc35924b02c78ef34b467da4ba07e4e0f0454a2c5907f473fc50ce5"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e61659ba32cf2cf1481e575d0462554625196a1f2fc06a1c777d3f48e8865d46"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2174c595a0d73a3080ca3257b40096db99799265e1c27cc5a610743acd86d62f"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ae2ad8ae6ebee9d2d94b17fb62763125f3f374c25618198f40cbb8b525411900"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:075202fa5b72c86ad32dc7d0b56024ebdbcf2048c0ba09f1cde31bfdd57bcfff"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:598e3276b64aff0e7b3451b72e94fa3c238d452e7ddcd893c3ab324717456bad"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fce659a462a1be54d2ffcacea5e3ba2d74daa74f30f5f143fe0c58636e355fdd"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-win32.whl", hash = "sha256:d9fad5155d72433c921b782e58892377c44bd6252b5af2f67f16b194987338a4"}, + {file = "MarkupSafe-2.1.5-cp310-cp310-win_amd64.whl", hash = "sha256:bf50cd79a75d181c9181df03572cdce0fbb75cc353bc350712073108cba98de5"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:629ddd2ca402ae6dbedfceeba9c46d5f7b2a61d9749597d4307f943ef198fc1f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:5b7b716f97b52c5a14bffdf688f971b2d5ef4029127f1ad7a513973cfd818df2"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6ec585f69cec0aa07d945b20805be741395e28ac1627333b1c5b0105962ffced"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b91c037585eba9095565a3556f611e3cbfaa42ca1e865f7b8015fe5c7336d5a5"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7502934a33b54030eaf1194c21c692a534196063db72176b0c4028e140f8f32c"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:0e397ac966fdf721b2c528cf028494e86172b4feba51d65f81ffd65c63798f3f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:c061bb86a71b42465156a3ee7bd58c8c2ceacdbeb95d05a99893e08b8467359a"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:3a57fdd7ce31c7ff06cdfbf31dafa96cc533c21e443d57f5b1ecc6cdc668ec7f"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-win32.whl", hash = "sha256:397081c1a0bfb5124355710fe79478cdbeb39626492b15d399526ae53422b906"}, + {file = "MarkupSafe-2.1.5-cp311-cp311-win_amd64.whl", hash = "sha256:2b7c57a4dfc4f16f7142221afe5ba4e093e09e728ca65c51f5620c9aaeb9a617"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8dec4936e9c3100156f8a2dc89c4b88d5c435175ff03413b443469c7c8c5f4d1"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:3c6b973f22eb18a789b1460b4b91bf04ae3f0c4234a0a6aa6b0a92f6f7b951d4"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ac07bad82163452a6884fe8fa0963fb98c2346ba78d779ec06bd7a6262132aee"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f5dfb42c4604dddc8e4305050aa6deb084540643ed5804d7455b5df8fe16f5e5"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ea3d8a3d18833cf4304cd2fc9cbb1efe188ca9b5efef2bdac7adc20594a0e46b"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:d050b3361367a06d752db6ead6e7edeb0009be66bc3bae0ee9d97fb326badc2a"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:bec0a414d016ac1a18862a519e54b2fd0fc8bbfd6890376898a6c0891dd82e9f"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:58c98fee265677f63a4385256a6d7683ab1832f3ddd1e66fe948d5880c21a169"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-win32.whl", hash = "sha256:8590b4ae07a35970728874632fed7bd57b26b0102df2d2b233b6d9d82f6c62ad"}, + {file = "MarkupSafe-2.1.5-cp312-cp312-win_amd64.whl", hash = "sha256:823b65d8706e32ad2df51ed89496147a42a2a6e01c13cfb6ffb8b1e92bc910bb"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:c8b29db45f8fe46ad280a7294f5c3ec36dbac9491f2d1c17345be8e69cc5928f"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ec6a563cff360b50eed26f13adc43e61bc0c04d94b8be985e6fb24b81f6dcfdf"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a549b9c31bec33820e885335b451286e2969a2d9e24879f83fe904a5ce59d70a"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4f11aa001c540f62c6166c7726f71f7573b52c68c31f014c25cc7901deea0b52"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:7b2e5a267c855eea6b4283940daa6e88a285f5f2a67f2220203786dfa59b37e9"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:2d2d793e36e230fd32babe143b04cec8a8b3eb8a3122d2aceb4a371e6b09b8df"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:ce409136744f6521e39fd8e2a24c53fa18ad67aa5bc7c2cf83645cce5b5c4e50"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-win32.whl", hash = "sha256:4096e9de5c6fdf43fb4f04c26fb114f61ef0bf2e5604b6ee3019d51b69e8c371"}, + {file = "MarkupSafe-2.1.5-cp37-cp37m-win_amd64.whl", hash = "sha256:4275d846e41ecefa46e2015117a9f491e57a71ddd59bbead77e904dc02b1bed2"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:656f7526c69fac7f600bd1f400991cc282b417d17539a1b228617081106feb4a"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:97cafb1f3cbcd3fd2b6fbfb99ae11cdb14deea0736fc2b0952ee177f2b813a46"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1f3fbcb7ef1f16e48246f704ab79d79da8a46891e2da03f8783a5b6fa41a9532"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fa9db3f79de01457b03d4f01b34cf91bc0048eb2c3846ff26f66687c2f6d16ab"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ffee1f21e5ef0d712f9033568f8344d5da8cc2869dbd08d87c84656e6a2d2f68"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:5dedb4db619ba5a2787a94d877bc8ffc0566f92a01c0ef214865e54ecc9ee5e0"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:30b600cf0a7ac9234b2638fbc0fb6158ba5bdcdf46aeb631ead21248b9affbc4"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:8dd717634f5a044f860435c1d8c16a270ddf0ef8588d4887037c5028b859b0c3"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-win32.whl", hash = "sha256:daa4ee5a243f0f20d528d939d06670a298dd39b1ad5f8a72a4275124a7819eff"}, + {file = "MarkupSafe-2.1.5-cp38-cp38-win_amd64.whl", hash = "sha256:619bc166c4f2de5caa5a633b8b7326fbe98e0ccbfacabd87268a2b15ff73a029"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:7a68b554d356a91cce1236aa7682dc01df0edba8d043fd1ce607c49dd3c1edcf"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:db0b55e0f3cc0be60c1f19efdde9a637c32740486004f20d1cff53c3c0ece4d2"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3e53af139f8579a6d5f7b76549125f0d94d7e630761a2111bc431fd820e163b8"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:17b950fccb810b3293638215058e432159d2b71005c74371d784862b7e4683f3"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4c31f53cdae6ecfa91a77820e8b151dba54ab528ba65dfd235c80b086d68a465"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:bff1b4290a66b490a2f4719358c0cdcd9bafb6b8f061e45c7a2460866bf50c2e"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:bc1667f8b83f48511b94671e0e441401371dfd0f0a795c7daa4a3cd1dde55bea"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:5049256f536511ee3f7e1b3f87d1d1209d327e818e6ae1365e8653d7e3abb6a6"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-win32.whl", hash = "sha256:00e046b6dd71aa03a41079792f8473dc494d564611a8f89bbbd7cb93295ebdcf"}, + {file = "MarkupSafe-2.1.5-cp39-cp39-win_amd64.whl", hash = "sha256:fa173ec60341d6bb97a89f5ea19c85c5643c1e7dedebc22f5181eb73573142c5"}, + {file = "MarkupSafe-2.1.5.tar.gz", hash = "sha256:d283d37a890ba4c1ae73ffadf8046435c76e7bc2247bbb63c00bd1a709c6544b"}, ] [[package]] name = "matplotlib-inline" version = "0.1.6" description = "Inline Matplotlib backend for Jupyter" -category = "main" optional = false python-versions = ">=3.5" files = [ @@ -1869,7 +1824,6 @@ traitlets = "*" name = "mccabe" version = "0.7.0" description = "McCabe checker, plugin for flake8" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -1881,7 +1835,6 @@ files = [ name = "mdit-py-plugins" version = "0.3.5" description = "Collection of plugins for markdown-it-py" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1901,7 +1854,6 @@ testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] name = "mdurl" version = "0.1.2" description = "Markdown URL utilities" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1913,7 +1865,6 @@ files = [ name = "mistune" version = "3.0.2" description = "A sane and fast Markdown parser with useful plugins and renderers" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -1925,7 +1876,6 @@ files = [ name = "mypy" version = "0.931" description = "Optional static typing for Python" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -1964,7 +1914,6 @@ python2 = ["typed-ast (>=1.4.0,<2)"] name = "mypy-extensions" version = "1.0.0" description = "Type system extensions for programs checked with the mypy type checker." -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -1976,7 +1925,6 @@ files = [ name = "myst-nb" version = "0.17.2" description = "A Jupyter Notebook Sphinx reader built on top of the MyST markdown parser." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2005,7 +1953,6 @@ testing = ["beautifulsoup4", "coverage (>=6.4,<8.0)", "ipykernel (>=5.5,<6.0)", name = "myst-parser" version = "0.18.1" description = "An extended commonmark compliant parser, with bridges to docutils & sphinx." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2032,7 +1979,6 @@ testing = ["beautifulsoup4", "coverage[toml]", "pytest (>=6,<7)", "pytest-cov", name = "nbclient" version = "0.6.8" description = "A client library for executing notebooks. Formerly nbconvert's ExecutePreprocessor." -category = "main" optional = false python-versions = ">=3.7.0" files = [ @@ -2052,14 +1998,13 @@ test = ["black", "check-manifest", "flake8", "ipykernel", "ipython", "ipywidgets [[package]] name = "nbconvert" -version = "7.10.0" -description = "Converting Jupyter Notebooks" -category = "dev" +version = "7.16.2" +description = "Converting Jupyter Notebooks (.ipynb files) to other formats. Output formats include asciidoc, html, latex, markdown, pdf, py, rst, script. nbconvert can be used both as a Python library (`import nbconvert`) or as a command line tool (invoked as `jupyter nbconvert ...`)." optional = false python-versions = ">=3.8" files = [ - {file = "nbconvert-7.10.0-py3-none-any.whl", hash = "sha256:8cf1d95e569730f136feb85e4bba25bdcf3a63fefb122d854ddff6771c0ac933"}, - {file = "nbconvert-7.10.0.tar.gz", hash = "sha256:4bedff08848626be544de193b7594d98a048073f392178008ff4f171f5e21d26"}, + {file = "nbconvert-7.16.2-py3-none-any.whl", hash = "sha256:0c01c23981a8de0220255706822c40b751438e32467d6a686e26be08ba784382"}, + {file = "nbconvert-7.16.2.tar.gz", hash = "sha256:8310edd41e1c43947e4ecf16614c61469ebc024898eb808cce0999860fc9fb16"}, ] [package.dependencies] @@ -2086,14 +2031,13 @@ docs = ["ipykernel", "ipython", "myst-parser", "nbsphinx (>=0.2.12)", "pydata-sp qtpdf = ["nbconvert[qtpng]"] qtpng = ["pyqtwebengine (>=5.15)"] serve = ["tornado (>=6.1)"] -test = ["flaky", "ipykernel", "ipywidgets (>=7)", "pytest", "pytest-dependency"] +test = ["flaky", "ipykernel", "ipywidgets (>=7.5)", "pytest"] webpdf = ["playwright"] [[package]] name = "nbformat" version = "5.9.2" description = "The Jupyter Notebook format" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2113,14 +2057,13 @@ test = ["pep440", "pre-commit", "pytest", "testpath"] [[package]] name = "nbmake" -version = "1.4.6" +version = "1.5.3" description = "Pytest plugin for testing notebooks" -category = "main" optional = false -python-versions = ">=3.7.0,<4.0.0" +python-versions = ">=3.8.0,<4.0.0" files = [ - {file = "nbmake-1.4.6-py3-none-any.whl", hash = "sha256:233603c9186c659cb42524de36b556197c352ede1f9daeaa1b1141dfad226218"}, - {file = "nbmake-1.4.6.tar.gz", hash = "sha256:874c5b9d99922f88bf0c92a3b869e75bff154edba2538efef0a1d7ad2263f5fb"}, + {file = "nbmake-1.5.3-py3-none-any.whl", hash = "sha256:6cfa2b926d335e9c6dce7e8543d01b2398b0a56c03131c5c0bce2b1722116212"}, + {file = "nbmake-1.5.3.tar.gz", hash = "sha256:0b76b829e8b128eb1895539bacf515a1ee85e5b7b492cdfe76e3a12f804e069e"}, ] [package.dependencies] @@ -2132,21 +2075,19 @@ pytest = ">=6.1.0" [[package]] name = "nest-asyncio" -version = "1.5.8" +version = "1.6.0" description = "Patch asyncio to allow nested event loops" -category = "main" optional = false python-versions = ">=3.5" files = [ - {file = "nest_asyncio-1.5.8-py3-none-any.whl", hash = "sha256:accda7a339a70599cb08f9dd09a67e0c2ef8d8d6f4c07f96ab203f2ae254e48d"}, - {file = "nest_asyncio-1.5.8.tar.gz", hash = "sha256:25aa2ca0d2a5b5531956b9e273b45cf664cae2b145101d73b86b199978d48fdb"}, + {file = "nest_asyncio-1.6.0-py3-none-any.whl", hash = "sha256:87af6efd6b5e897c81050477ef65c62e2b2f35d51703cae01aff2905b1852e1c"}, + {file = "nest_asyncio-1.6.0.tar.gz", hash = "sha256:6f172d5449aca15afd6c646851f4e31e02c598d553a667e38cafa997cfec55fe"}, ] [[package]] name = "netifaces" version = "0.11.0" description = "Portable network interface information." -category = "dev" optional = false python-versions = "*" files = [ @@ -2186,7 +2127,6 @@ files = [ name = "networkx" version = "2.8.8" description = "Python package for creating and manipulating graphs and networks" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2205,7 +2145,6 @@ test = ["codecov (>=2.1)", "pytest (>=7.2)", "pytest-cov (>=4.0)"] name = "nodeenv" version = "1.8.0" description = "Node.js virtual environment builder" -category = "dev" optional = false python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*" files = [ @@ -2218,19 +2157,18 @@ setuptools = "*" [[package]] name = "notebook" -version = "7.0.6" +version = "7.1.1" description = "Jupyter Notebook - A web-based notebook environment for interactive computing" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "notebook-7.0.6-py3-none-any.whl", hash = "sha256:0fe8f67102fea3744fedf652e4c15339390902ca70c5a31c4f547fa23da697cc"}, - {file = "notebook-7.0.6.tar.gz", hash = "sha256:ec6113b06529019f7f287819af06c97a2baf7a95ac21a8f6e32192898e9f9a58"}, + {file = "notebook-7.1.1-py3-none-any.whl", hash = "sha256:197d8e0595acabf4005851c8716e952a81b405f7aefb648067a761fbde267ce7"}, + {file = "notebook-7.1.1.tar.gz", hash = "sha256:818e7420fa21f402e726afb9f02df7f3c10f294c02e383ed19852866c316108b"}, ] [package.dependencies] jupyter-server = ">=2.4.0,<3" -jupyterlab = ">=4.0.2,<5" +jupyterlab = ">=4.1.1,<4.2" jupyterlab-server = ">=2.22.1,<3" notebook-shim = ">=0.2,<0.3" tornado = ">=6.2.0" @@ -2242,14 +2180,13 @@ test = ["importlib-resources (>=5.0)", "ipykernel", "jupyter-server[test] (>=2.4 [[package]] name = "notebook-shim" -version = "0.2.3" +version = "0.2.4" description = "A shim layer for notebook traits and config" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "notebook_shim-0.2.3-py3-none-any.whl", hash = "sha256:a83496a43341c1674b093bfcebf0fe8e74cbe7eda5fd2bbc56f8e39e1486c0c7"}, - {file = "notebook_shim-0.2.3.tar.gz", hash = "sha256:f69388ac283ae008cd506dda10d0288b09a017d822d5e8c7129a152cbd3ce7e9"}, + {file = "notebook_shim-0.2.4-py3-none-any.whl", hash = "sha256:411a5be4e9dc882a074ccbcae671eda64cceb068767e9a3419096986560e1cef"}, + {file = "notebook_shim-0.2.4.tar.gz", hash = "sha256:b4b2cfa1b65d98307ca24361f5b30fe785b53c3fd07b7a47e89acb5e6ac638cb"}, ] [package.dependencies] @@ -2262,7 +2199,6 @@ test = ["pytest", "pytest-console-scripts", "pytest-jupyter", "pytest-tornasync" name = "openpyxl" version = "3.1.2" description = "A Python library to read/write Excel 2010 xlsx/xlsm files" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2275,21 +2211,19 @@ et-xmlfile = "*" [[package]] name = "overrides" -version = "7.4.0" +version = "7.7.0" description = "A decorator to automatically detect mismatch when overriding a method." -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "overrides-7.4.0-py3-none-any.whl", hash = "sha256:3ad24583f86d6d7a49049695efe9933e67ba62f0c7625d53c59fa832ce4b8b7d"}, - {file = "overrides-7.4.0.tar.gz", hash = "sha256:9502a3cca51f4fac40b5feca985b6703a5c1f6ad815588a7ca9e285b9dca6757"}, + {file = "overrides-7.7.0-py3-none-any.whl", hash = "sha256:c7ed9d062f78b8e4c1a7b70bd8796b35ead4d9f510227ef9c5dc7626c60d7e49"}, + {file = "overrides-7.7.0.tar.gz", hash = "sha256:55158fa3d93b98cc75299b1e67078ad9003ca27945c76162c1c0766d6f91820a"}, ] [[package]] name = "owlrl" version = "6.0.2" description = "OWL-RL and RDFS based RDF Closure inferencing for Python" -category = "main" optional = false python-versions = "*" files = [ @@ -2302,33 +2236,30 @@ rdflib = ">=6.0.2" [[package]] name = "packaging" -version = "23.2" +version = "24.0" description = "Core utilities for Python packages" -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "packaging-23.2-py3-none-any.whl", hash = "sha256:8c491190033a9af7e1d931d0b5dacc2ef47509b34dd0de67ed209b5203fc88c7"}, - {file = "packaging-23.2.tar.gz", hash = "sha256:048fb0e9405036518eaaf48a55953c750c11e1a1b68e0dd1a9d62ed0c092cfc5"}, + {file = "packaging-24.0-py3-none-any.whl", hash = "sha256:2ddfb553fdf02fb784c234c7ba6ccc288296ceabec964ad2eae3777778130bc5"}, + {file = "packaging-24.0.tar.gz", hash = "sha256:eb82c5e3e56209074766e6885bb04b8c38a0c015d0a30036ebe7ece34c9989e9"}, ] [[package]] name = "pandocfilters" -version = "1.5.0" +version = "1.5.1" description = "Utilities for writing pandoc filters in python" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ - {file = "pandocfilters-1.5.0-py2.py3-none-any.whl", hash = "sha256:33aae3f25fd1a026079f5d27bdd52496f0e0803b3469282162bafdcbdf6ef14f"}, - {file = "pandocfilters-1.5.0.tar.gz", hash = "sha256:0b679503337d233b4339a817bfc8c50064e2eff681314376a47cb582305a7a38"}, + {file = "pandocfilters-1.5.1-py2.py3-none-any.whl", hash = "sha256:93be382804a9cdb0a7267585f157e5d1731bbe5545a85b268d6f5fe6232de2bc"}, + {file = "pandocfilters-1.5.1.tar.gz", hash = "sha256:002b4a555ee4ebc03f8b66307e287fa492e4a77b4ea14d3f934328297bb4939e"}, ] [[package]] name = "parso" version = "0.8.3" description = "A Python Parser" -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -2342,81 +2273,53 @@ testing = ["docopt", "pytest (<6.0.0)"] [[package]] name = "pathspec" -version = "0.11.2" +version = "0.12.1" description = "Utility library for gitignore style pattern matching of file paths." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "pathspec-0.11.2-py3-none-any.whl", hash = "sha256:1d6ed233af05e679efb96b1851550ea95bbb64b7c490b0f5aa52996c11e92a20"}, - {file = "pathspec-0.11.2.tar.gz", hash = "sha256:e0d8d0ac2f12da61956eb2306b69f9469b42f4deb0f3cb6ed47b9cce9996ced3"}, + {file = "pathspec-0.12.1-py3-none-any.whl", hash = "sha256:a0d503e138a4c123b27490a4f7beda6a01c6f288df0e4a8b79c7eb0dc7b4cc08"}, + {file = "pathspec-0.12.1.tar.gz", hash = "sha256:a482d51503a1ab33b1c67a6c3813a26953dbdc71c31dacaef9a838c4e29f5712"}, ] [[package]] name = "pexpect" -version = "4.8.0" +version = "4.9.0" description = "Pexpect allows easy control of interactive console applications." -category = "main" optional = false python-versions = "*" files = [ - {file = "pexpect-4.8.0-py2.py3-none-any.whl", hash = "sha256:0b48a55dcb3c05f3329815901ea4fc1537514d6ba867a152b581d69ae3710937"}, - {file = "pexpect-4.8.0.tar.gz", hash = "sha256:fc65a43959d153d0114afe13997d439c22823a27cefceb5ff35c2178c6784c0c"}, + {file = "pexpect-4.9.0-py2.py3-none-any.whl", hash = "sha256:7236d1e080e4936be2dc3e326cec0af72acf9212a7e1d060210e70a47e253523"}, + {file = "pexpect-4.9.0.tar.gz", hash = "sha256:ee7d41123f3c9911050ea2c2dac107568dc43b2d3b0c7557a33212c398ead30f"}, ] [package.dependencies] ptyprocess = ">=0.5" -[[package]] -name = "pickleshare" -version = "0.7.5" -description = "Tiny 'shelve'-like database with concurrency support" -category = "main" -optional = false -python-versions = "*" -files = [ - {file = "pickleshare-0.7.5-py2.py3-none-any.whl", hash = "sha256:9649af414d74d4df115d5d718f82acb59c9d418196b7b4290ed47a12ce62df56"}, - {file = "pickleshare-0.7.5.tar.gz", hash = "sha256:87683d47965c1da65cdacaf31c8441d12b8044cdec9aca500cd78fc2c683afca"}, -] - -[[package]] -name = "pkgutil-resolve-name" -version = "1.3.10" -description = "Resolve a name to an object." -category = "main" -optional = false -python-versions = ">=3.6" -files = [ - {file = "pkgutil_resolve_name-1.3.10-py3-none-any.whl", hash = "sha256:ca27cc078d25c5ad71a9de0a7a330146c4e014c2462d9af19c6b828280649c5e"}, - {file = "pkgutil_resolve_name-1.3.10.tar.gz", hash = "sha256:357d6c9e6a755653cfd78893817c0853af365dd51ec97f3d358a819373bbd174"}, -] - [[package]] name = "platformdirs" -version = "3.11.0" +version = "4.2.0" description = "A small Python package for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "platformdirs-3.11.0-py3-none-any.whl", hash = "sha256:e9d171d00af68be50e9202731309c4e658fd8bc76f55c11c7dd760d023bda68e"}, - {file = "platformdirs-3.11.0.tar.gz", hash = "sha256:cf8ee52a3afdb965072dcc652433e0c7e3e40cf5ea1477cd4b3b1d2eb75495b3"}, + {file = "platformdirs-4.2.0-py3-none-any.whl", hash = "sha256:0614df2a2f37e1a662acbd8e2b25b92ccf8632929bc6d43467e17fe89c75e068"}, + {file = "platformdirs-4.2.0.tar.gz", hash = "sha256:ef0cc731df711022c174543cb70a9b5bd22e5a9337c8624ef2c2ceb8ddad8768"}, ] [package.extras] -docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.1)", "sphinx-autodoc-typehints (>=1.24)"] -test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "pytest-mock (>=3.11.1)"] +docs = ["furo (>=2023.9.10)", "proselint (>=0.13)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.25.2)"] +test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)"] [[package]] name = "pluggy" -version = "1.3.0" +version = "1.4.0" description = "plugin and hook calling mechanisms for python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "pluggy-1.3.0-py3-none-any.whl", hash = "sha256:d89c696a773f8bd377d18e5ecda92b7a3793cbe66c87060a6fb58c7b6e1061f7"}, - {file = "pluggy-1.3.0.tar.gz", hash = "sha256:cf61ae8f126ac6f7c451172cf30e3e43d3ca77615509771b3a984a0730651e12"}, + {file = "pluggy-1.4.0-py3-none-any.whl", hash = "sha256:7db9f7b503d67d1c5b95f59773ebb58a8c1c288129a88665838012cfb07b8981"}, + {file = "pluggy-1.4.0.tar.gz", hash = "sha256:8c85c2876142a764e5b7548e7d9a0e0ddb46f5185161049a79b7e974454223be"}, ] [package.extras] @@ -2427,7 +2330,6 @@ testing = ["pytest", "pytest-benchmark"] name = "pre-commit" version = "2.21.0" description = "A framework for managing and maintaining multi-language pre-commit hooks." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2444,32 +2346,30 @@ virtualenv = ">=20.10.0" [[package]] name = "prettytable" -version = "2.5.0" +version = "3.10.0" description = "A simple Python library for easily displaying tabular data in a visually appealing ASCII table format" -category = "main" optional = false -python-versions = ">=3.6" +python-versions = ">=3.8" files = [ - {file = "prettytable-2.5.0-py3-none-any.whl", hash = "sha256:1411c65d21dca9eaa505ba1d041bed75a6d629ae22f5109a923f4e719cfecba4"}, - {file = "prettytable-2.5.0.tar.gz", hash = "sha256:f7da57ba63d55116d65e5acb147bfdfa60dceccabf0d607d6817ee2888a05f2c"}, + {file = "prettytable-3.10.0-py3-none-any.whl", hash = "sha256:6536efaf0757fdaa7d22e78b3aac3b69ea1b7200538c2c6995d649365bddab92"}, + {file = "prettytable-3.10.0.tar.gz", hash = "sha256:9665594d137fb08a1117518c25551e0ede1687197cf353a4fdc78d27e1073568"}, ] [package.dependencies] wcwidth = "*" [package.extras] -tests = ["pytest", "pytest-cov", "pytest-lazy-fixture"] +tests = ["pytest", "pytest-cov", "pytest-lazy-fixtures"] [[package]] name = "prometheus-client" -version = "0.18.0" +version = "0.20.0" description = "Python client for the Prometheus monitoring system." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "prometheus_client-0.18.0-py3-none-any.whl", hash = "sha256:8de3ae2755f890826f4b6479e5571d4f74ac17a81345fe69a6778fdb92579184"}, - {file = "prometheus_client-0.18.0.tar.gz", hash = "sha256:35f7a8c22139e2bb7ca5a698e92d38145bc8dc74c1c0bf56f25cca886a764e17"}, + {file = "prometheus_client-0.20.0-py3-none-any.whl", hash = "sha256:cde524a85bce83ca359cc837f28b8c0db5cac7aa653a588fd7e84ba061c329e7"}, + {file = "prometheus_client-0.20.0.tar.gz", hash = "sha256:287629d00b147a32dcb2be0b9df905da599b2d82f80377083ec8463309a4bb89"}, ] [package.extras] @@ -2477,14 +2377,13 @@ twisted = ["twisted"] [[package]] name = "prompt-toolkit" -version = "3.0.39" +version = "3.0.43" description = "Library for building powerful interactive command lines in Python" -category = "main" optional = false python-versions = ">=3.7.0" files = [ - {file = "prompt_toolkit-3.0.39-py3-none-any.whl", hash = "sha256:9dffbe1d8acf91e3de75f3b544e4842382fc06c6babe903ac9acb74dc6e08d88"}, - {file = "prompt_toolkit-3.0.39.tar.gz", hash = "sha256:04505ade687dc26dc4284b1ad19a83be2f2afe83e7a828ace0c72f3a1df72aac"}, + {file = "prompt_toolkit-3.0.43-py3-none-any.whl", hash = "sha256:a11a29cb3bf0a28a387fe5122cdb649816a957cd9261dcedf8c9f1fef33eacf6"}, + {file = "prompt_toolkit-3.0.43.tar.gz", hash = "sha256:3527b7af26106cbc65a040bcc84839a3566ec1b051bb0bfe953631e704b0ff7d"}, ] [package.dependencies] @@ -2492,28 +2391,27 @@ wcwidth = "*" [[package]] name = "psutil" -version = "5.9.6" +version = "5.9.8" description = "Cross-platform lib for process and system monitoring in Python." -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*" files = [ - {file = "psutil-5.9.6-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:fb8a697f11b0f5994550555fcfe3e69799e5b060c8ecf9e2f75c69302cc35c0d"}, - {file = "psutil-5.9.6-cp27-cp27m-manylinux2010_i686.whl", hash = "sha256:91ecd2d9c00db9817a4b4192107cf6954addb5d9d67a969a4f436dbc9200f88c"}, - {file = "psutil-5.9.6-cp27-cp27m-manylinux2010_x86_64.whl", hash = "sha256:10e8c17b4f898d64b121149afb136c53ea8b68c7531155147867b7b1ac9e7e28"}, - {file = "psutil-5.9.6-cp27-cp27mu-manylinux2010_i686.whl", hash = "sha256:18cd22c5db486f33998f37e2bb054cc62fd06646995285e02a51b1e08da97017"}, - {file = "psutil-5.9.6-cp27-cp27mu-manylinux2010_x86_64.whl", hash = "sha256:ca2780f5e038379e520281e4c032dddd086906ddff9ef0d1b9dcf00710e5071c"}, - {file = "psutil-5.9.6-cp27-none-win32.whl", hash = "sha256:70cb3beb98bc3fd5ac9ac617a327af7e7f826373ee64c80efd4eb2856e5051e9"}, - {file = "psutil-5.9.6-cp27-none-win_amd64.whl", hash = "sha256:51dc3d54607c73148f63732c727856f5febec1c7c336f8f41fcbd6315cce76ac"}, - {file = "psutil-5.9.6-cp36-abi3-macosx_10_9_x86_64.whl", hash = "sha256:c69596f9fc2f8acd574a12d5f8b7b1ba3765a641ea5d60fb4736bf3c08a8214a"}, - {file = "psutil-5.9.6-cp36-abi3-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:92e0cc43c524834af53e9d3369245e6cc3b130e78e26100d1f63cdb0abeb3d3c"}, - {file = "psutil-5.9.6-cp36-abi3-manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:748c9dd2583ed86347ed65d0035f45fa8c851e8d90354c122ab72319b5f366f4"}, - {file = "psutil-5.9.6-cp36-cp36m-win32.whl", hash = "sha256:3ebf2158c16cc69db777e3c7decb3c0f43a7af94a60d72e87b2823aebac3d602"}, - {file = "psutil-5.9.6-cp36-cp36m-win_amd64.whl", hash = "sha256:ff18b8d1a784b810df0b0fff3bcb50ab941c3b8e2c8de5726f9c71c601c611aa"}, - {file = "psutil-5.9.6-cp37-abi3-win32.whl", hash = "sha256:a6f01f03bf1843280f4ad16f4bde26b817847b4c1a0db59bf6419807bc5ce05c"}, - {file = "psutil-5.9.6-cp37-abi3-win_amd64.whl", hash = "sha256:6e5fb8dc711a514da83098bc5234264e551ad980cec5f85dabf4d38ed6f15e9a"}, - {file = "psutil-5.9.6-cp38-abi3-macosx_11_0_arm64.whl", hash = "sha256:daecbcbd29b289aac14ece28eca6a3e60aa361754cf6da3dfb20d4d32b6c7f57"}, - {file = "psutil-5.9.6.tar.gz", hash = "sha256:e4b92ddcd7dd4cdd3f900180ea1e104932c7bce234fb88976e2a3b296441225a"}, + {file = "psutil-5.9.8-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:26bd09967ae00920df88e0352a91cff1a78f8d69b3ecabbfe733610c0af486c8"}, + {file = "psutil-5.9.8-cp27-cp27m-manylinux2010_i686.whl", hash = "sha256:05806de88103b25903dff19bb6692bd2e714ccf9e668d050d144012055cbca73"}, + {file = "psutil-5.9.8-cp27-cp27m-manylinux2010_x86_64.whl", hash = "sha256:611052c4bc70432ec770d5d54f64206aa7203a101ec273a0cd82418c86503bb7"}, + {file = "psutil-5.9.8-cp27-cp27mu-manylinux2010_i686.whl", hash = "sha256:50187900d73c1381ba1454cf40308c2bf6f34268518b3f36a9b663ca87e65e36"}, + {file = "psutil-5.9.8-cp27-cp27mu-manylinux2010_x86_64.whl", hash = "sha256:02615ed8c5ea222323408ceba16c60e99c3f91639b07da6373fb7e6539abc56d"}, + {file = "psutil-5.9.8-cp27-none-win32.whl", hash = "sha256:36f435891adb138ed3c9e58c6af3e2e6ca9ac2f365efe1f9cfef2794e6c93b4e"}, + {file = "psutil-5.9.8-cp27-none-win_amd64.whl", hash = "sha256:bd1184ceb3f87651a67b2708d4c3338e9b10c5df903f2e3776b62303b26cb631"}, + {file = "psutil-5.9.8-cp36-abi3-macosx_10_9_x86_64.whl", hash = "sha256:aee678c8720623dc456fa20659af736241f575d79429a0e5e9cf88ae0605cc81"}, + {file = "psutil-5.9.8-cp36-abi3-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8cb6403ce6d8e047495a701dc7c5bd788add903f8986d523e3e20b98b733e421"}, + {file = "psutil-5.9.8-cp36-abi3-manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d06016f7f8625a1825ba3732081d77c94589dca78b7a3fc072194851e88461a4"}, + {file = "psutil-5.9.8-cp36-cp36m-win32.whl", hash = "sha256:7d79560ad97af658a0f6adfef8b834b53f64746d45b403f225b85c5c2c140eee"}, + {file = "psutil-5.9.8-cp36-cp36m-win_amd64.whl", hash = "sha256:27cc40c3493bb10de1be4b3f07cae4c010ce715290a5be22b98493509c6299e2"}, + {file = "psutil-5.9.8-cp37-abi3-win32.whl", hash = "sha256:bc56c2a1b0d15aa3eaa5a60c9f3f8e3e565303b465dbf57a1b730e7a2b9844e0"}, + {file = "psutil-5.9.8-cp37-abi3-win_amd64.whl", hash = "sha256:8db4c1b57507eef143a15a6884ca10f7c73876cdf5d51e713151c1236a0e68cf"}, + {file = "psutil-5.9.8-cp38-abi3-macosx_11_0_arm64.whl", hash = "sha256:d16bbddf0693323b8c6123dd804100241da461e41d6e332fb0ba6058f630f8c8"}, + {file = "psutil-5.9.8.tar.gz", hash = "sha256:6be126e3225486dff286a8fb9a06246a5253f4c7c53b475ea5f5ac934e64194c"}, ] [package.extras] @@ -2523,7 +2421,6 @@ test = ["enum34", "ipaddress", "mock", "pywin32", "wmi"] name = "psycopg2" version = "2.9.9" description = "psycopg2 - Python-PostgreSQL Database Adapter" -category = "main" optional = true python-versions = ">=3.7" files = [ @@ -2546,7 +2443,6 @@ files = [ name = "psycopg2-binary" version = "2.9.9" description = "psycopg2 - Python-PostgreSQL Database Adapter" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2576,6 +2472,7 @@ files = [ {file = "psycopg2_binary-2.9.9-cp311-cp311-win32.whl", hash = "sha256:dc4926288b2a3e9fd7b50dc6a1909a13bbdadfc67d93f3374d984e56f885579d"}, {file = "psycopg2_binary-2.9.9-cp311-cp311-win_amd64.whl", hash = "sha256:b76bedd166805480ab069612119ea636f5ab8f8771e640ae103e05a4aae3e417"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:8532fd6e6e2dc57bcb3bc90b079c60de896d2128c5d9d6f24a63875a95a088cf"}, + {file = "psycopg2_binary-2.9.9-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:b0605eaed3eb239e87df0d5e3c6489daae3f7388d455d0c0b4df899519c6a38d"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8f8544b092a29a6ddd72f3556a9fcf249ec412e10ad28be6a0c0d948924f2212"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2d423c8d8a3c82d08fe8af900ad5b613ce3632a1249fd6a223941d0735fce493"}, {file = "psycopg2_binary-2.9.9-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:2e5afae772c00980525f6d6ecf7cbca55676296b580c0e6abb407f15f3706996"}, @@ -2627,7 +2524,6 @@ files = [ name = "ptyprocess" version = "0.7.0" description = "Run a subprocess in a pseudo terminal" -category = "main" optional = false python-versions = "*" files = [ @@ -2639,7 +2535,6 @@ files = [ name = "pure-eval" version = "0.2.2" description = "Safely evaluate AST nodes without side effects" -category = "main" optional = false python-versions = "*" files = [ @@ -2654,7 +2549,6 @@ tests = ["pytest"] name = "pyaml" version = "21.10.1" description = "PyYAML-based module to produce pretty and readable YAML-serialized data" -category = "main" optional = false python-versions = "*" files = [ @@ -2669,7 +2563,6 @@ PyYAML = "*" name = "pybtex" version = "0.24.0" description = "A BibTeX-compatible bibliography processor in Python" -category = "dev" optional = false python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*" files = [ @@ -2689,7 +2582,6 @@ test = ["pytest"] name = "pybtex-docutils" version = "1.0.3" description = "A docutils backend for pybtex." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -2705,7 +2597,6 @@ pybtex = ">=0.16" name = "pycodestyle" version = "2.9.1" description = "Python style guide checker" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2717,7 +2608,6 @@ files = [ name = "pycparser" version = "2.21" description = "C parser in Python" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" files = [ @@ -2727,14 +2617,13 @@ files = [ [[package]] name = "pydata-sphinx-theme" -version = "0.14.3" +version = "0.15.2" description = "Bootstrap-based Sphinx theme from the PyData community" -category = "dev" optional = false -python-versions = ">=3.8" +python-versions = ">=3.9" files = [ - {file = "pydata_sphinx_theme-0.14.3-py3-none-any.whl", hash = "sha256:b7e40cd75a20449adfe2d7525be379b9fe92f6d31e5233e449fa34ddcd4398d9"}, - {file = "pydata_sphinx_theme-0.14.3.tar.gz", hash = "sha256:bd474f347895f3fc5b6ce87390af64330ee54f11ebf9660d5bc3f87d532d4e5c"}, + {file = "pydata_sphinx_theme-0.15.2-py3-none-any.whl", hash = "sha256:0c5fa1fa98a9b26dae590666ff576f27e26c7ba708fee754ecb9e07359ed4588"}, + {file = "pydata_sphinx_theme-0.15.2.tar.gz", hash = "sha256:4243fee85b3afcfae9df64f83210a04e7182e53bc3db8841ffff6d21d95ae320"}, ] [package.dependencies] @@ -2757,7 +2646,6 @@ test = ["pytest", "pytest-cov", "pytest-regressions"] name = "pyflakes" version = "2.5.0" description = "passive checker of Python programs" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2769,7 +2657,6 @@ files = [ name = "pygit2" version = "1.11.1" description = "Python bindings for libgit2." -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -2811,29 +2698,28 @@ cffi = ">=1.9.1" [[package]] name = "pygments" -version = "2.16.1" +version = "2.17.2" description = "Pygments is a syntax highlighting package written in Python." -category = "main" optional = false python-versions = ">=3.7" files = [ - {file = "Pygments-2.16.1-py3-none-any.whl", hash = "sha256:13fc09fa63bc8d8671a6d247e1eb303c4b343eaee81d861f3404db2935653692"}, - {file = "Pygments-2.16.1.tar.gz", hash = "sha256:1daff0494820c69bc8941e407aa20f577374ee88364ee10a98fdbe0aece96e29"}, + {file = "pygments-2.17.2-py3-none-any.whl", hash = "sha256:b27c2826c47d0f3219f29554824c30c5e8945175d888647acd804ddd04af846c"}, + {file = "pygments-2.17.2.tar.gz", hash = "sha256:da46cec9fd2de5be3a8a784f434e4c4ab670b4ff54d605c4c2717e9d49c4c367"}, ] [package.extras] plugins = ["importlib-metadata"] +windows-terminal = ["colorama (>=0.4.6)"] [[package]] name = "pyparsing" -version = "3.1.1" +version = "3.1.2" description = "pyparsing module - Classes and methods to define and execute parsing grammars" -category = "main" optional = false python-versions = ">=3.6.8" files = [ - {file = "pyparsing-3.1.1-py3-none-any.whl", hash = "sha256:32c7c0b711493c72ff18a981d24f28aaf9c1fb7ed5e9667c9e84e3db623bdbfb"}, - {file = "pyparsing-3.1.1.tar.gz", hash = "sha256:ede28a1a32462f5a9705e07aea48001a08f7cf81a021585011deba701581a0db"}, + {file = "pyparsing-3.1.2-py3-none-any.whl", hash = "sha256:f9db75911801ed778fe61bb643079ff86601aca99fcae6345aa67292038fb742"}, + {file = "pyparsing-3.1.2.tar.gz", hash = "sha256:a1bac0ce561155ecc3ed78ca94d3c9378656ad4c94c1270de543f621420f94ad"}, ] [package.extras] @@ -2841,40 +2727,39 @@ diagrams = ["jinja2", "railroad-diagrams"] [[package]] name = "pyshacl" -version = "0.21.0" +version = "0.25.0" description = "Python SHACL Validator" -category = "main" optional = false -python-versions = ">=3.7.0,<4.0.0" +python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "pyshacl-0.21.0-py3-none-any.whl", hash = "sha256:6e03d0c62cc8c8ca96f2a2fa30871dd479c27fc3f6b49ec376a350e077355772"}, - {file = "pyshacl-0.21.0.tar.gz", hash = "sha256:078c055afe7f4b239c77d74c8dcb9469733d61dde253e644385c44d953acc702"}, + {file = "pyshacl-0.25.0-py3-none-any.whl", hash = "sha256:716b65397486b1a306efefd018d772d3c112a3828ea4e1be27aae16aee524243"}, + {file = "pyshacl-0.25.0.tar.gz", hash = "sha256:91e87ed04ccb29aa47abfcf8a3e172d35a8831fce23a011cfbf35534ce4c940b"}, ] [package.dependencies] html5lib = ">=1.1,<2" +importlib-metadata = {version = ">6", markers = "python_version < \"3.12\""} owlrl = ">=6.0.2,<7" packaging = ">=21.3" -prettytable = ">=2.2.1,<3.0.0" -rdflib = ">=6.2.0,<7" +prettytable = {version = ">=3.5.0", markers = "python_version >= \"3.8\" and python_version < \"3.12\""} +rdflib = {version = ">=6.3.2,<8.0", markers = "python_full_version >= \"3.8.1\""} [package.extras] dev-coverage = ["coverage (>6.1,!=6.1.1,<7)", "platformdirs", "pytest-cov (>=2.8.1,<3.0.0)"] -dev-lint = ["black (==22.8.0)", "flake8 (>=5.0.4,<6.0.0)", "isort (>=5.10.1,<6.0.0)", "platformdirs"] -dev-type-checking = ["mypy (>=0.800,<0.900)", "mypy (>=0.900,<0.1000)", "platformdirs", "types-setuptools"] +dev-lint = ["black (==23.11.0)", "platformdirs", "ruff (>=0.1.5,<0.2.0)"] +dev-type-checking = ["mypy (>=0.812,<0.900)", "mypy (>=0.900,<0.1000)", "platformdirs", "types-setuptools"] http = ["sanic (>=22.12,<23)", "sanic-cors (==2.2.0)", "sanic-ext (>=23.3,<23.6)"] -js = ["pyduktape2 (>=0.4.1,<0.5.0)"] +js = ["pyduktape2 (>=0.4.6,<0.5.0)"] [[package]] name = "pytest" -version = "7.4.3" +version = "8.1.1" description = "pytest: simple powerful testing with Python" -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "pytest-7.4.3-py3-none-any.whl", hash = "sha256:0d009c083ea859a71b76adf7c1d502e4bc170b80a8ef002da5806527b9591fac"}, - {file = "pytest-7.4.3.tar.gz", hash = "sha256:d989d136982de4e3b29dabcc838ad581c64e8ed52c11fbe86ddebd9da0818cd5"}, + {file = "pytest-8.1.1-py3-none-any.whl", hash = "sha256:2a8386cfc11fa9d2c50ee7b2a57e7d898ef90470a7a34c4b949ff59662bb78b7"}, + {file = "pytest-8.1.1.tar.gz", hash = "sha256:ac978141a75948948817d360297b7aae0fcb9d6ff6bc9ec6d514b85d5a65c044"}, ] [package.dependencies] @@ -2882,17 +2767,16 @@ colorama = {version = "*", markers = "sys_platform == \"win32\""} exceptiongroup = {version = ">=1.0.0rc8", markers = "python_version < \"3.11\""} iniconfig = "*" packaging = "*" -pluggy = ">=0.12,<2.0" -tomli = {version = ">=1.0.0", markers = "python_version < \"3.11\""} +pluggy = ">=1.4,<2.0" +tomli = {version = ">=1", markers = "python_version < \"3.11\""} [package.extras] -testing = ["argcomplete", "attrs (>=19.2.0)", "hypothesis (>=3.56)", "mock", "nose", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] +testing = ["argcomplete", "attrs (>=19.2)", "hypothesis (>=3.56)", "mock", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] [[package]] name = "pytest-cov" version = "3.0.0" description = "Pytest plugin for measuring coverage." -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2909,14 +2793,13 @@ testing = ["fields", "hunter", "process-tests", "pytest-xdist", "six", "virtuale [[package]] name = "python-dateutil" -version = "2.8.2" +version = "2.9.0.post0" description = "Extensions to the standard Python datetime module" -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,>=2.7" files = [ - {file = "python-dateutil-2.8.2.tar.gz", hash = "sha256:0123cacc1627ae19ddf3c27a5de5bd67ee4586fbdd6440d9748f8abb483d3e86"}, - {file = "python_dateutil-2.8.2-py2.py3-none-any.whl", hash = "sha256:961d03dc3453ebbc59dbdea9e4e11c5651520a876d0f4db161e8674aae935da9"}, + {file = "python-dateutil-2.9.0.post0.tar.gz", hash = "sha256:37dd54208da7e1cd875388217d5e00ebd4179249f90fb72437e91a35459a0ad3"}, + {file = "python_dateutil-2.9.0.post0-py2.py3-none-any.whl", hash = "sha256:a8b2bc7bffae282281c8140a97d3aa9c14da0b136dfe83f850eea9a5f7470427"}, ] [package.dependencies] @@ -2926,7 +2809,6 @@ six = ">=1.5" name = "python-json-logger" version = "2.0.7" description = "A python library adding a json log formatter" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -2938,7 +2820,6 @@ files = [ name = "pytz" version = "2022.7.1" description = "World timezone definitions, modern and historical" -category = "dev" optional = false python-versions = "*" files = [ @@ -2950,7 +2831,6 @@ files = [ name = "pywin32" version = "306" description = "Python for Window Extensions" -category = "main" optional = false python-versions = "*" files = [ @@ -2972,25 +2852,23 @@ files = [ [[package]] name = "pywinpty" -version = "2.0.12" +version = "2.0.13" description = "Pseudo terminal support for Windows from Python." -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "pywinpty-2.0.12-cp310-none-win_amd64.whl", hash = "sha256:21319cd1d7c8844fb2c970fb3a55a3db5543f112ff9cfcd623746b9c47501575"}, - {file = "pywinpty-2.0.12-cp311-none-win_amd64.whl", hash = "sha256:853985a8f48f4731a716653170cd735da36ffbdc79dcb4c7b7140bce11d8c722"}, - {file = "pywinpty-2.0.12-cp312-none-win_amd64.whl", hash = "sha256:1617b729999eb6713590e17665052b1a6ae0ad76ee31e60b444147c5b6a35dca"}, - {file = "pywinpty-2.0.12-cp38-none-win_amd64.whl", hash = "sha256:189380469ca143d06e19e19ff3fba0fcefe8b4a8cc942140a6b863aed7eebb2d"}, - {file = "pywinpty-2.0.12-cp39-none-win_amd64.whl", hash = "sha256:7520575b6546db23e693cbd865db2764097bd6d4ef5dc18c92555904cd62c3d4"}, - {file = "pywinpty-2.0.12.tar.gz", hash = "sha256:8197de460ae8ebb7f5d1701dfa1b5df45b157bb832e92acba316305e18ca00dd"}, + {file = "pywinpty-2.0.13-cp310-none-win_amd64.whl", hash = "sha256:697bff211fb5a6508fee2dc6ff174ce03f34a9a233df9d8b5fe9c8ce4d5eaf56"}, + {file = "pywinpty-2.0.13-cp311-none-win_amd64.whl", hash = "sha256:b96fb14698db1284db84ca38c79f15b4cfdc3172065b5137383910567591fa99"}, + {file = "pywinpty-2.0.13-cp312-none-win_amd64.whl", hash = "sha256:2fd876b82ca750bb1333236ce98488c1be96b08f4f7647cfdf4129dfad83c2d4"}, + {file = "pywinpty-2.0.13-cp38-none-win_amd64.whl", hash = "sha256:61d420c2116c0212808d31625611b51caf621fe67f8a6377e2e8b617ea1c1f7d"}, + {file = "pywinpty-2.0.13-cp39-none-win_amd64.whl", hash = "sha256:71cb613a9ee24174730ac7ae439fd179ca34ccb8c5349e8d7b72ab5dea2c6f4b"}, + {file = "pywinpty-2.0.13.tar.gz", hash = "sha256:c34e32351a3313ddd0d7da23d27f835c860d32fe4ac814d372a3ea9594f41dde"}, ] [[package]] name = "pyyaml" version = "6.0.1" description = "YAML parser and emitter for Python" -category = "main" optional = false python-versions = ">=3.6" files = [ @@ -2999,6 +2877,7 @@ files = [ {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:69b023b2b4daa7548bcfbd4aa3da05b3a74b772db9e23b982788168117739938"}, {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:81e0b275a9ecc9c0c0c07b4b90ba548307583c125f54d5b6946cfee6360c733d"}, {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba336e390cd8e4d1739f42dfe9bb83a3cc2e80f567d8805e11b46f4a943f5515"}, + {file = "PyYAML-6.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:326c013efe8048858a6d312ddd31d56e468118ad4cdeda36c719bf5bb6192290"}, {file = "PyYAML-6.0.1-cp310-cp310-win32.whl", hash = "sha256:bd4af7373a854424dabd882decdc5579653d7868b8fb26dc7d0e99f823aa5924"}, {file = "PyYAML-6.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:fd1592b3fdf65fff2ad0004b5e363300ef59ced41c2e6b3a99d4089fa8c5435d"}, {file = "PyYAML-6.0.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:6965a7bc3cf88e5a1c3bd2e0b5c22f8d677dc88a455344035f03399034eb3007"}, @@ -3006,8 +2885,16 @@ files = [ {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:42f8152b8dbc4fe7d96729ec2b99c7097d656dc1213a3229ca5383f973a5ed6d"}, {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:062582fca9fabdd2c8b54a3ef1c978d786e0f6b3a1510e0ac93ef59e0ddae2bc"}, {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d2b04aac4d386b172d5b9692e2d2da8de7bfb6c387fa4f801fbf6fb2e6ba4673"}, + {file = "PyYAML-6.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:e7d73685e87afe9f3b36c799222440d6cf362062f78be1013661b00c5c6f678b"}, {file = "PyYAML-6.0.1-cp311-cp311-win32.whl", hash = "sha256:1635fd110e8d85d55237ab316b5b011de701ea0f29d07611174a1b42f1444741"}, {file = "PyYAML-6.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:bf07ee2fef7014951eeb99f56f39c9bb4af143d8aa3c21b1677805985307da34"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:855fb52b0dc35af121542a76b9a84f8d1cd886ea97c84703eaa6d88e37a2ad28"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:40df9b996c2b73138957fe23a16a4f0ba614f4c0efce1e9406a184b6d07fa3a9"}, + {file = "PyYAML-6.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a08c6f0fe150303c1c6b71ebcd7213c2858041a7e01975da3a99aed1e7a378ef"}, + {file = "PyYAML-6.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6c22bec3fbe2524cde73d7ada88f6566758a8f7227bfbf93a408a9d86bcc12a0"}, + {file = "PyYAML-6.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8d4e9c88387b0f5c7d5f281e55304de64cf7f9c0021a3525bd3b1c542da3b0e4"}, + {file = "PyYAML-6.0.1-cp312-cp312-win32.whl", hash = "sha256:d483d2cdf104e7c9fa60c544d92981f12ad66a457afae824d146093b8c294c54"}, + {file = "PyYAML-6.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:0d3304d8c0adc42be59c5f8a4d9e3d7379e6955ad754aa9d6ab7a398b59dd1df"}, {file = "PyYAML-6.0.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:50550eb667afee136e9a77d6dc71ae76a44df8b3e51e41b77f6de2932bfe0f47"}, {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1fe35611261b29bd1de0070f0b2f47cb6ff71fa6595c077e42bd0c419fa27b98"}, {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:704219a11b772aea0d8ecd7058d0082713c3562b4e271b849ad7dc4a5c90c13c"}, @@ -3024,6 +2911,7 @@ files = [ {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a0cd17c15d3bb3fa06978b4e8958dcdc6e0174ccea823003a106c7d4d7899ac5"}, {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:28c119d996beec18c05208a8bd78cbe4007878c6dd15091efb73a30e90539696"}, {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7e07cbde391ba96ab58e532ff4803f79c4129397514e1413a7dc761ccd755735"}, + {file = "PyYAML-6.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:49a183be227561de579b4a36efbb21b3eab9651dd81b1858589f796549873dd6"}, {file = "PyYAML-6.0.1-cp38-cp38-win32.whl", hash = "sha256:184c5108a2aca3c5b3d3bf9395d50893a7ab82a38004c8f61c258d4428e80206"}, {file = "PyYAML-6.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:1e2722cc9fbb45d9b87631ac70924c11d3a401b2d7f410cc0e3bbf249f2dca62"}, {file = "PyYAML-6.0.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:9eb6caa9a297fc2c2fb8862bc5370d0303ddba53ba97e71f08023b6cd73d16a8"}, @@ -3031,6 +2919,7 @@ files = [ {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5773183b6446b2c99bb77e77595dd486303b4faab2b086e7b17bc6bef28865f6"}, {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b786eecbdf8499b9ca1d697215862083bd6d2a99965554781d0d8d1ad31e13a0"}, {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bc1bf2925a1ecd43da378f4db9e4f799775d6367bdb94671027b73b393a7c42c"}, + {file = "PyYAML-6.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:04ac92ad1925b2cff1db0cfebffb6ffc43457495c9b3c39d3fcae417d7125dc5"}, {file = "PyYAML-6.0.1-cp39-cp39-win32.whl", hash = "sha256:faca3bdcf85b2fc05d06ff3fbc1f83e1391b3e724afa3feba7d13eeab355484c"}, {file = "PyYAML-6.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:510c9deebc5c0225e8c96813043e62b680ba2f9c50a08d3724c7f28a747d1486"}, {file = "PyYAML-6.0.1.tar.gz", hash = "sha256:bfdf460b1736c775f2ba9f6a92bca30bc2095067b8a9d77876d1fad6cc3b4a43"}, @@ -3038,105 +2927,104 @@ files = [ [[package]] name = "pyzmq" -version = "25.1.1" +version = "25.1.2" description = "Python bindings for 0MQ" -category = "main" optional = false python-versions = ">=3.6" files = [ - {file = "pyzmq-25.1.1-cp310-cp310-macosx_10_15_universal2.whl", hash = "sha256:381469297409c5adf9a0e884c5eb5186ed33137badcbbb0560b86e910a2f1e76"}, - {file = "pyzmq-25.1.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:955215ed0604dac5b01907424dfa28b40f2b2292d6493445dd34d0dfa72586a8"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:985bbb1316192b98f32e25e7b9958088431d853ac63aca1d2c236f40afb17c83"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:afea96f64efa98df4da6958bae37f1cbea7932c35878b185e5982821bc883369"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:76705c9325d72a81155bb6ab48d4312e0032bf045fb0754889133200f7a0d849"}, - {file = "pyzmq-25.1.1-cp310-cp310-manylinux_2_28_x86_64.whl", hash = "sha256:77a41c26205d2353a4c94d02be51d6cbdf63c06fbc1295ea57dad7e2d3381b71"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:12720a53e61c3b99d87262294e2b375c915fea93c31fc2336898c26d7aed34cd"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:57459b68e5cd85b0be8184382cefd91959cafe79ae019e6b1ae6e2ba8a12cda7"}, - {file = "pyzmq-25.1.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:292fe3fc5ad4a75bc8df0dfaee7d0babe8b1f4ceb596437213821f761b4589f9"}, - {file = "pyzmq-25.1.1-cp310-cp310-win32.whl", hash = "sha256:35b5ab8c28978fbbb86ea54958cd89f5176ce747c1fb3d87356cf698048a7790"}, - {file = "pyzmq-25.1.1-cp310-cp310-win_amd64.whl", hash = "sha256:11baebdd5fc5b475d484195e49bae2dc64b94a5208f7c89954e9e354fc609d8f"}, - {file = "pyzmq-25.1.1-cp311-cp311-macosx_10_15_universal2.whl", hash = "sha256:d20a0ddb3e989e8807d83225a27e5c2eb2260eaa851532086e9e0fa0d5287d83"}, - {file = "pyzmq-25.1.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:e1c1be77bc5fb77d923850f82e55a928f8638f64a61f00ff18a67c7404faf008"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d89528b4943d27029a2818f847c10c2cecc79fa9590f3cb1860459a5be7933eb"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:90f26dc6d5f241ba358bef79be9ce06de58d477ca8485e3291675436d3827cf8"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c2b92812bd214018e50b6380ea3ac0c8bb01ac07fcc14c5f86a5bb25e74026e9"}, - {file = "pyzmq-25.1.1-cp311-cp311-manylinux_2_28_x86_64.whl", hash = "sha256:2f957ce63d13c28730f7fd6b72333814221c84ca2421298f66e5143f81c9f91f"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:047a640f5c9c6ade7b1cc6680a0e28c9dd5a0825135acbd3569cc96ea00b2505"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:7f7e58effd14b641c5e4dec8c7dab02fb67a13df90329e61c869b9cc607ef752"}, - {file = "pyzmq-25.1.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:c2910967e6ab16bf6fbeb1f771c89a7050947221ae12a5b0b60f3bca2ee19bca"}, - {file = "pyzmq-25.1.1-cp311-cp311-win32.whl", hash = "sha256:76c1c8efb3ca3a1818b837aea423ff8a07bbf7aafe9f2f6582b61a0458b1a329"}, - {file = "pyzmq-25.1.1-cp311-cp311-win_amd64.whl", hash = "sha256:44e58a0554b21fc662f2712814a746635ed668d0fbc98b7cb9d74cb798d202e6"}, - {file = "pyzmq-25.1.1-cp312-cp312-macosx_10_15_universal2.whl", hash = "sha256:e1ffa1c924e8c72778b9ccd386a7067cddf626884fd8277f503c48bb5f51c762"}, - {file = "pyzmq-25.1.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:1af379b33ef33757224da93e9da62e6471cf4a66d10078cf32bae8127d3d0d4a"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cff084c6933680d1f8b2f3b4ff5bbb88538a4aac00d199ac13f49d0698727ecb"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e2400a94f7dd9cb20cd012951a0cbf8249e3d554c63a9c0cdfd5cbb6c01d2dec"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2d81f1ddae3858b8299d1da72dd7d19dd36aab654c19671aa8a7e7fb02f6638a"}, - {file = "pyzmq-25.1.1-cp312-cp312-manylinux_2_28_x86_64.whl", hash = "sha256:255ca2b219f9e5a3a9ef3081512e1358bd4760ce77828e1028b818ff5610b87b"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:a882ac0a351288dd18ecae3326b8a49d10c61a68b01419f3a0b9a306190baf69"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:724c292bb26365659fc434e9567b3f1adbdb5e8d640c936ed901f49e03e5d32e"}, - {file = "pyzmq-25.1.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:4ca1ed0bb2d850aa8471387882247c68f1e62a4af0ce9c8a1dbe0d2bf69e41fb"}, - {file = "pyzmq-25.1.1-cp312-cp312-win32.whl", hash = "sha256:b3451108ab861040754fa5208bca4a5496c65875710f76789a9ad27c801a0075"}, - {file = "pyzmq-25.1.1-cp312-cp312-win_amd64.whl", hash = "sha256:eadbefd5e92ef8a345f0525b5cfd01cf4e4cc651a2cffb8f23c0dd184975d787"}, - {file = "pyzmq-25.1.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:db0b2af416ba735c6304c47f75d348f498b92952f5e3e8bff449336d2728795d"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c7c133e93b405eb0d36fa430c94185bdd13c36204a8635470cccc200723c13bb"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:273bc3959bcbff3f48606b28229b4721716598d76b5aaea2b4a9d0ab454ec062"}, - {file = "pyzmq-25.1.1-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:cbc8df5c6a88ba5ae385d8930da02201165408dde8d8322072e3e5ddd4f68e22"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:18d43df3f2302d836f2a56f17e5663e398416e9dd74b205b179065e61f1a6edf"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:73461eed88a88c866656e08f89299720a38cb4e9d34ae6bf5df6f71102570f2e"}, - {file = "pyzmq-25.1.1-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:34c850ce7976d19ebe7b9d4b9bb8c9dfc7aac336c0958e2651b88cbd46682123"}, - {file = "pyzmq-25.1.1-cp36-cp36m-win32.whl", hash = "sha256:d2045d6d9439a0078f2a34b57c7b18c4a6aef0bee37f22e4ec9f32456c852c71"}, - {file = "pyzmq-25.1.1-cp36-cp36m-win_amd64.whl", hash = "sha256:458dea649f2f02a0b244ae6aef8dc29325a2810aa26b07af8374dc2a9faf57e3"}, - {file = "pyzmq-25.1.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:7cff25c5b315e63b07a36f0c2bab32c58eafbe57d0dce61b614ef4c76058c115"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b1579413ae492b05de5a6174574f8c44c2b9b122a42015c5292afa4be2507f28"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:3d0a409d3b28607cc427aa5c30a6f1e4452cc44e311f843e05edb28ab5e36da0"}, - {file = "pyzmq-25.1.1-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:21eb4e609a154a57c520e3d5bfa0d97e49b6872ea057b7c85257b11e78068222"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:034239843541ef7a1aee0c7b2cb7f6aafffb005ede965ae9cbd49d5ff4ff73cf"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:f8115e303280ba09f3898194791a153862cbf9eef722ad8f7f741987ee2a97c7"}, - {file = "pyzmq-25.1.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:1a5d26fe8f32f137e784f768143728438877d69a586ddeaad898558dc971a5ae"}, - {file = "pyzmq-25.1.1-cp37-cp37m-win32.whl", hash = "sha256:f32260e556a983bc5c7ed588d04c942c9a8f9c2e99213fec11a031e316874c7e"}, - {file = "pyzmq-25.1.1-cp37-cp37m-win_amd64.whl", hash = "sha256:abf34e43c531bbb510ae7e8f5b2b1f2a8ab93219510e2b287a944432fad135f3"}, - {file = "pyzmq-25.1.1-cp38-cp38-macosx_10_15_universal2.whl", hash = "sha256:87e34f31ca8f168c56d6fbf99692cc8d3b445abb5bfd08c229ae992d7547a92a"}, - {file = "pyzmq-25.1.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:c9c6c9b2c2f80747a98f34ef491c4d7b1a8d4853937bb1492774992a120f475d"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:5619f3f5a4db5dbb572b095ea3cb5cc035335159d9da950830c9c4db2fbb6995"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5a34d2395073ef862b4032343cf0c32a712f3ab49d7ec4f42c9661e0294d106f"}, - {file = "pyzmq-25.1.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:25f0e6b78220aba09815cd1f3a32b9c7cb3e02cb846d1cfc526b6595f6046618"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:3669cf8ee3520c2f13b2e0351c41fea919852b220988d2049249db10046a7afb"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2d163a18819277e49911f7461567bda923461c50b19d169a062536fffe7cd9d2"}, - {file = "pyzmq-25.1.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:df27ffddff4190667d40de7beba4a950b5ce78fe28a7dcc41d6f8a700a80a3c0"}, - {file = "pyzmq-25.1.1-cp38-cp38-win32.whl", hash = "sha256:a382372898a07479bd34bda781008e4a954ed8750f17891e794521c3e21c2e1c"}, - {file = "pyzmq-25.1.1-cp38-cp38-win_amd64.whl", hash = "sha256:52533489f28d62eb1258a965f2aba28a82aa747202c8fa5a1c7a43b5db0e85c1"}, - {file = "pyzmq-25.1.1-cp39-cp39-macosx_10_15_universal2.whl", hash = "sha256:03b3f49b57264909aacd0741892f2aecf2f51fb053e7d8ac6767f6c700832f45"}, - {file = "pyzmq-25.1.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:330f9e188d0d89080cde66dc7470f57d1926ff2fb5576227f14d5be7ab30b9fa"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:2ca57a5be0389f2a65e6d3bb2962a971688cbdd30b4c0bd188c99e39c234f414"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d457aed310f2670f59cc5b57dcfced452aeeed77f9da2b9763616bd57e4dbaae"}, - {file = "pyzmq-25.1.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c56d748ea50215abef7030c72b60dd723ed5b5c7e65e7bc2504e77843631c1a6"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:8f03d3f0d01cb5a018debeb412441996a517b11c5c17ab2001aa0597c6d6882c"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:820c4a08195a681252f46926de10e29b6bbf3e17b30037bd4250d72dd3ddaab8"}, - {file = "pyzmq-25.1.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:17ef5f01d25b67ca8f98120d5fa1d21efe9611604e8eb03a5147360f517dd1e2"}, - {file = "pyzmq-25.1.1-cp39-cp39-win32.whl", hash = "sha256:04ccbed567171579ec2cebb9c8a3e30801723c575601f9a990ab25bcac6b51e2"}, - {file = "pyzmq-25.1.1-cp39-cp39-win_amd64.whl", hash = "sha256:e61f091c3ba0c3578411ef505992d356a812fb200643eab27f4f70eed34a29ef"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:ade6d25bb29c4555d718ac6d1443a7386595528c33d6b133b258f65f963bb0f6"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e0c95ddd4f6e9fca4e9e3afaa4f9df8552f0ba5d1004e89ef0a68e1f1f9807c7"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:48e466162a24daf86f6b5ca72444d2bf39a5e58da5f96370078be67c67adc978"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:abc719161780932c4e11aaebb203be3d6acc6b38d2f26c0f523b5b59d2fc1996"}, - {file = "pyzmq-25.1.1-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:1ccf825981640b8c34ae54231b7ed00271822ea1c6d8ba1090ebd4943759abf5"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:c2f20ce161ebdb0091a10c9ca0372e023ce24980d0e1f810f519da6f79c60800"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:deee9ca4727f53464daf089536e68b13e6104e84a37820a88b0a057b97bba2d2"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:aa8d6cdc8b8aa19ceb319aaa2b660cdaccc533ec477eeb1309e2a291eaacc43a"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:019e59ef5c5256a2c7378f2fb8560fc2a9ff1d315755204295b2eab96b254d0a"}, - {file = "pyzmq-25.1.1-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:b9af3757495c1ee3b5c4e945c1df7be95562277c6e5bccc20a39aec50f826cd0"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:548d6482dc8aadbe7e79d1b5806585c8120bafa1ef841167bc9090522b610fa6"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:057e824b2aae50accc0f9a0570998adc021b372478a921506fddd6c02e60308e"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:2243700cc5548cff20963f0ca92d3e5e436394375ab8a354bbea2b12911b20b0"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:79986f3b4af059777111409ee517da24a529bdbd46da578b33f25580adcff728"}, - {file = "pyzmq-25.1.1-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:11d58723d44d6ed4dd677c5615b2ffb19d5c426636345567d6af82be4dff8a55"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:49d238cf4b69652257db66d0c623cd3e09b5d2e9576b56bc067a396133a00d4a"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fedbdc753827cf014c01dbbee9c3be17e5a208dcd1bf8641ce2cd29580d1f0d4"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bc16ac425cc927d0a57d242589f87ee093884ea4804c05a13834d07c20db203c"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:11c1d2aed9079c6b0c9550a7257a836b4a637feb334904610f06d70eb44c56d2"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:e8a701123029cc240cea61dd2d16ad57cab4691804143ce80ecd9286b464d180"}, - {file = "pyzmq-25.1.1-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:61706a6b6c24bdece85ff177fec393545a3191eeda35b07aaa1458a027ad1304"}, - {file = "pyzmq-25.1.1.tar.gz", hash = "sha256:259c22485b71abacdfa8bf79720cd7bcf4b9d128b30ea554f01ae71fdbfdaa23"}, + {file = "pyzmq-25.1.2-cp310-cp310-macosx_10_15_universal2.whl", hash = "sha256:e624c789359f1a16f83f35e2c705d07663ff2b4d4479bad35621178d8f0f6ea4"}, + {file = "pyzmq-25.1.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:49151b0efece79f6a79d41a461d78535356136ee70084a1c22532fc6383f4ad0"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d9a5f194cf730f2b24d6af1f833c14c10f41023da46a7f736f48b6d35061e76e"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:faf79a302f834d9e8304fafdc11d0d042266667ac45209afa57e5efc998e3872"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7f51a7b4ead28d3fca8dda53216314a553b0f7a91ee8fc46a72b402a78c3e43d"}, + {file = "pyzmq-25.1.2-cp310-cp310-manylinux_2_28_x86_64.whl", hash = "sha256:0ddd6d71d4ef17ba5a87becf7ddf01b371eaba553c603477679ae817a8d84d75"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:246747b88917e4867e2367b005fc8eefbb4a54b7db363d6c92f89d69abfff4b6"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:00c48ae2fd81e2a50c3485de1b9d5c7c57cd85dc8ec55683eac16846e57ac979"}, + {file = "pyzmq-25.1.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:5a68d491fc20762b630e5db2191dd07ff89834086740f70e978bb2ef2668be08"}, + {file = "pyzmq-25.1.2-cp310-cp310-win32.whl", hash = "sha256:09dfe949e83087da88c4a76767df04b22304a682d6154de2c572625c62ad6886"}, + {file = "pyzmq-25.1.2-cp310-cp310-win_amd64.whl", hash = "sha256:fa99973d2ed20417744fca0073390ad65ce225b546febb0580358e36aa90dba6"}, + {file = "pyzmq-25.1.2-cp311-cp311-macosx_10_15_universal2.whl", hash = "sha256:82544e0e2d0c1811482d37eef297020a040c32e0687c1f6fc23a75b75db8062c"}, + {file = "pyzmq-25.1.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:01171fc48542348cd1a360a4b6c3e7d8f46cdcf53a8d40f84db6707a6768acc1"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bc69c96735ab501419c432110016329bf0dea8898ce16fab97c6d9106dc0b348"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3e124e6b1dd3dfbeb695435dff0e383256655bb18082e094a8dd1f6293114642"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7598d2ba821caa37a0f9d54c25164a4fa351ce019d64d0b44b45540950458840"}, + {file = "pyzmq-25.1.2-cp311-cp311-manylinux_2_28_x86_64.whl", hash = "sha256:d1299d7e964c13607efd148ca1f07dcbf27c3ab9e125d1d0ae1d580a1682399d"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:4e6f689880d5ad87918430957297c975203a082d9a036cc426648fcbedae769b"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:cc69949484171cc961e6ecd4a8911b9ce7a0d1f738fcae717177c231bf77437b"}, + {file = "pyzmq-25.1.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:9880078f683466b7f567b8624bfc16cad65077be046b6e8abb53bed4eeb82dd3"}, + {file = "pyzmq-25.1.2-cp311-cp311-win32.whl", hash = "sha256:4e5837af3e5aaa99a091302df5ee001149baff06ad22b722d34e30df5f0d9097"}, + {file = "pyzmq-25.1.2-cp311-cp311-win_amd64.whl", hash = "sha256:25c2dbb97d38b5ac9fd15586e048ec5eb1e38f3d47fe7d92167b0c77bb3584e9"}, + {file = "pyzmq-25.1.2-cp312-cp312-macosx_10_15_universal2.whl", hash = "sha256:11e70516688190e9c2db14fcf93c04192b02d457b582a1f6190b154691b4c93a"}, + {file = "pyzmq-25.1.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:313c3794d650d1fccaaab2df942af9f2c01d6217c846177cfcbc693c7410839e"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1b3cbba2f47062b85fe0ef9de5b987612140a9ba3a9c6d2543c6dec9f7c2ab27"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fc31baa0c32a2ca660784d5af3b9487e13b61b3032cb01a115fce6588e1bed30"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:02c9087b109070c5ab0b383079fa1b5f797f8d43e9a66c07a4b8b8bdecfd88ee"}, + {file = "pyzmq-25.1.2-cp312-cp312-manylinux_2_28_x86_64.whl", hash = "sha256:f8429b17cbb746c3e043cb986328da023657e79d5ed258b711c06a70c2ea7537"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:5074adeacede5f810b7ef39607ee59d94e948b4fd954495bdb072f8c54558181"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7ae8f354b895cbd85212da245f1a5ad8159e7840e37d78b476bb4f4c3f32a9fe"}, + {file = "pyzmq-25.1.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:b264bf2cc96b5bc43ce0e852be995e400376bd87ceb363822e2cb1964fcdc737"}, + {file = "pyzmq-25.1.2-cp312-cp312-win32.whl", hash = "sha256:02bbc1a87b76e04fd780b45e7f695471ae6de747769e540da909173d50ff8e2d"}, + {file = "pyzmq-25.1.2-cp312-cp312-win_amd64.whl", hash = "sha256:ced111c2e81506abd1dc142e6cd7b68dd53747b3b7ae5edbea4578c5eeff96b7"}, + {file = "pyzmq-25.1.2-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:7b6d09a8962a91151f0976008eb7b29b433a560fde056ec7a3db9ec8f1075438"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:967668420f36878a3c9ecb5ab33c9d0ff8d054f9c0233d995a6d25b0e95e1b6b"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5edac3f57c7ddaacdb4d40f6ef2f9e299471fc38d112f4bc6d60ab9365445fb0"}, + {file = "pyzmq-25.1.2-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:0dabfb10ef897f3b7e101cacba1437bd3a5032ee667b7ead32bbcdd1a8422fe7"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:2c6441e0398c2baacfe5ba30c937d274cfc2dc5b55e82e3749e333aabffde561"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:16b726c1f6c2e7625706549f9dbe9b06004dfbec30dbed4bf50cbdfc73e5b32a"}, + {file = "pyzmq-25.1.2-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:a86c2dd76ef71a773e70551a07318b8e52379f58dafa7ae1e0a4be78efd1ff16"}, + {file = "pyzmq-25.1.2-cp36-cp36m-win32.whl", hash = "sha256:359f7f74b5d3c65dae137f33eb2bcfa7ad9ebefd1cab85c935f063f1dbb245cc"}, + {file = "pyzmq-25.1.2-cp36-cp36m-win_amd64.whl", hash = "sha256:55875492f820d0eb3417b51d96fea549cde77893ae3790fd25491c5754ea2f68"}, + {file = "pyzmq-25.1.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:b8c8a419dfb02e91b453615c69568442e897aaf77561ee0064d789705ff37a92"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8807c87fa893527ae8a524c15fc505d9950d5e856f03dae5921b5e9aa3b8783b"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5e319ed7d6b8f5fad9b76daa0a68497bc6f129858ad956331a5835785761e003"}, + {file = "pyzmq-25.1.2-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:3c53687dde4d9d473c587ae80cc328e5b102b517447456184b485587ebd18b62"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:9add2e5b33d2cd765ad96d5eb734a5e795a0755f7fc49aa04f76d7ddda73fd70"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:e690145a8c0c273c28d3b89d6fb32c45e0d9605b2293c10e650265bf5c11cfec"}, + {file = "pyzmq-25.1.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:00a06faa7165634f0cac1abb27e54d7a0b3b44eb9994530b8ec73cf52e15353b"}, + {file = "pyzmq-25.1.2-cp37-cp37m-win32.whl", hash = "sha256:0f97bc2f1f13cb16905a5f3e1fbdf100e712d841482b2237484360f8bc4cb3d7"}, + {file = "pyzmq-25.1.2-cp37-cp37m-win_amd64.whl", hash = "sha256:6cc0020b74b2e410287e5942e1e10886ff81ac77789eb20bec13f7ae681f0fdd"}, + {file = "pyzmq-25.1.2-cp38-cp38-macosx_10_15_universal2.whl", hash = "sha256:bef02cfcbded83473bdd86dd8d3729cd82b2e569b75844fb4ea08fee3c26ae41"}, + {file = "pyzmq-25.1.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:e10a4b5a4b1192d74853cc71a5e9fd022594573926c2a3a4802020360aa719d8"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:8c5f80e578427d4695adac6fdf4370c14a2feafdc8cb35549c219b90652536ae"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5dde6751e857910c1339890f3524de74007958557593b9e7e8c5f01cd919f8a7"}, + {file = "pyzmq-25.1.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ea1608dd169da230a0ad602d5b1ebd39807ac96cae1845c3ceed39af08a5c6df"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:0f513130c4c361201da9bc69df25a086487250e16b5571ead521b31ff6b02220"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:019744b99da30330798bb37df33549d59d380c78e516e3bab9c9b84f87a9592f"}, + {file = "pyzmq-25.1.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:2e2713ef44be5d52dd8b8e2023d706bf66cb22072e97fc71b168e01d25192755"}, + {file = "pyzmq-25.1.2-cp38-cp38-win32.whl", hash = "sha256:07cd61a20a535524906595e09344505a9bd46f1da7a07e504b315d41cd42eb07"}, + {file = "pyzmq-25.1.2-cp38-cp38-win_amd64.whl", hash = "sha256:eb7e49a17fb8c77d3119d41a4523e432eb0c6932187c37deb6fbb00cc3028088"}, + {file = "pyzmq-25.1.2-cp39-cp39-macosx_10_15_universal2.whl", hash = "sha256:94504ff66f278ab4b7e03e4cba7e7e400cb73bfa9d3d71f58d8972a8dc67e7a6"}, + {file = "pyzmq-25.1.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6dd0d50bbf9dca1d0bdea219ae6b40f713a3fb477c06ca3714f208fd69e16fd8"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:004ff469d21e86f0ef0369717351073e0e577428e514c47c8480770d5e24a565"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:c0b5ca88a8928147b7b1e2dfa09f3b6c256bc1135a1338536cbc9ea13d3b7add"}, + {file = "pyzmq-25.1.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2c9a79f1d2495b167119d02be7448bfba57fad2a4207c4f68abc0bab4b92925b"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:518efd91c3d8ac9f9b4f7dd0e2b7b8bf1a4fe82a308009016b07eaa48681af82"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:1ec23bd7b3a893ae676d0e54ad47d18064e6c5ae1fadc2f195143fb27373f7f6"}, + {file = "pyzmq-25.1.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:db36c27baed588a5a8346b971477b718fdc66cf5b80cbfbd914b4d6d355e44e2"}, + {file = "pyzmq-25.1.2-cp39-cp39-win32.whl", hash = "sha256:39b1067f13aba39d794a24761e385e2eddc26295826530a8c7b6c6c341584289"}, + {file = "pyzmq-25.1.2-cp39-cp39-win_amd64.whl", hash = "sha256:8e9f3fabc445d0ce320ea2c59a75fe3ea591fdbdeebec5db6de530dd4b09412e"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:a8c1d566344aee826b74e472e16edae0a02e2a044f14f7c24e123002dcff1c05"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:759cfd391a0996345ba94b6a5110fca9c557ad4166d86a6e81ea526c376a01e8"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7c61e346ac34b74028ede1c6b4bcecf649d69b707b3ff9dc0fab453821b04d1e"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4cb8fc1f8d69b411b8ec0b5f1ffbcaf14c1db95b6bccea21d83610987435f1a4"}, + {file = "pyzmq-25.1.2-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:3c00c9b7d1ca8165c610437ca0c92e7b5607b2f9076f4eb4b095c85d6e680a1d"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:df0c7a16ebb94452d2909b9a7b3337940e9a87a824c4fc1c7c36bb4404cb0cde"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:45999e7f7ed5c390f2e87ece7f6c56bf979fb213550229e711e45ecc7d42ccb8"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:ac170e9e048b40c605358667aca3d94e98f604a18c44bdb4c102e67070f3ac9b"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d1b604734bec94f05f81b360a272fc824334267426ae9905ff32dc2be433ab96"}, + {file = "pyzmq-25.1.2-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:a793ac733e3d895d96f865f1806f160696422554e46d30105807fdc9841b9f7d"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:0806175f2ae5ad4b835ecd87f5f85583316b69f17e97786f7443baaf54b9bb98"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.whl", hash = "sha256:ef12e259e7bc317c7597d4f6ef59b97b913e162d83b421dd0db3d6410f17a244"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:ea253b368eb41116011add00f8d5726762320b1bda892f744c91997b65754d73"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1b9b1f2ad6498445a941d9a4fee096d387fee436e45cc660e72e768d3d8ee611"}, + {file = "pyzmq-25.1.2-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:8b14c75979ce932c53b79976a395cb2a8cd3aaf14aef75e8c2cb55a330b9b49d"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:889370d5174a741a62566c003ee8ddba4b04c3f09a97b8000092b7ca83ec9c49"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9a18fff090441a40ffda8a7f4f18f03dc56ae73f148f1832e109f9bffa85df15"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:99a6b36f95c98839ad98f8c553d8507644c880cf1e0a57fe5e3a3f3969040882"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4345c9a27f4310afbb9c01750e9461ff33d6fb74cd2456b107525bbeebcb5be3"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:3516e0b6224cf6e43e341d56da15fd33bdc37fa0c06af4f029f7d7dfceceabbc"}, + {file = "pyzmq-25.1.2-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:146b9b1f29ead41255387fb07be56dc29639262c0f7344f570eecdcd8d683314"}, + {file = "pyzmq-25.1.2.tar.gz", hash = "sha256:93f1aa311e8bb912e34f004cf186407a4e90eec4f0ecc0efd26056bf7eda0226"}, ] [package.dependencies] @@ -3144,19 +3032,17 @@ cffi = {version = "*", markers = "implementation_name == \"pypy\""} [[package]] name = "qtconsole" -version = "5.4.4" +version = "5.5.1" description = "Jupyter Qt console" -category = "dev" optional = false -python-versions = ">= 3.7" +python-versions = ">= 3.8" files = [ - {file = "qtconsole-5.4.4-py3-none-any.whl", hash = "sha256:a3b69b868e041c2c698bdc75b0602f42e130ffb256d6efa48f9aa756c97672aa"}, - {file = "qtconsole-5.4.4.tar.gz", hash = "sha256:b7ffb53d74f23cee29f4cdb55dd6fabc8ec312d94f3c46ba38e1dde458693dfb"}, + {file = "qtconsole-5.5.1-py3-none-any.whl", hash = "sha256:8c75fa3e9b4ed884880ff7cea90a1b67451219279ec33deaee1d59e3df1a5d2b"}, + {file = "qtconsole-5.5.1.tar.gz", hash = "sha256:a0e806c6951db9490628e4df80caec9669b65149c7ba40f9bf033c025a5b56bc"}, ] [package.dependencies] ipykernel = ">=4.1" -ipython-genutils = "*" jupyter-client = ">=4.1" jupyter-core = "*" packaging = "*" @@ -3173,7 +3059,6 @@ test = ["flaky", "pytest", "pytest-qt"] name = "qtpy" version = "2.4.1" description = "Provides an abstraction layer on top of the various Qt bindings (PyQt5/6 and PySide2/6)." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3189,34 +3074,29 @@ test = ["pytest (>=6,!=7.0.0,!=7.0.1)", "pytest-cov (>=3.0.0)", "pytest-qt"] [[package]] name = "rdflib" -version = "6.2.0" +version = "7.0.0" description = "RDFLib is a Python library for working with RDF, a simple yet powerful language for representing information." -category = "main" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "rdflib-6.2.0-py3-none-any.whl", hash = "sha256:85c34a86dfc517a41e5f2425a41a0aceacc23983462b32e68610b9fad1383bca"}, - {file = "rdflib-6.2.0.tar.gz", hash = "sha256:62dc3c86d1712db0f55785baf8047f63731fa59b2682be03219cb89262065942"}, + {file = "rdflib-7.0.0-py3-none-any.whl", hash = "sha256:0438920912a642c866a513de6fe8a0001bd86ef975057d6962c79ce4771687cd"}, + {file = "rdflib-7.0.0.tar.gz", hash = "sha256:9995eb8569428059b8c1affd26b25eac510d64f5043d9ce8c84e0d0036e995ae"}, ] [package.dependencies] -isodate = "*" -pyparsing = "*" -setuptools = "*" +isodate = ">=0.6.0,<0.7.0" +pyparsing = ">=2.1.0,<4" [package.extras] -berkeleydb = ["berkeleydb"] -dev = ["black (==22.6.0)", "flake8", "flakeheaven", "isort", "mypy", "pep8-naming", "types-setuptools"] -docs = ["myst-parser", "sphinx (<6)", "sphinx-autodoc-typehints", "sphinxcontrib-apidoc", "sphinxcontrib-kroki"] -html = ["html5lib"] -networkx = ["networkx"] -tests = ["html5lib", "pytest", "pytest-cov"] +berkeleydb = ["berkeleydb (>=18.1.0,<19.0.0)"] +html = ["html5lib (>=1.0,<2.0)"] +lxml = ["lxml (>=4.3.0,<5.0.0)"] +networkx = ["networkx (>=2.0.0,<3.0.0)"] [[package]] name = "rdflib-sqlalchemy" version = "0.5.4" description = "rdflib extension adding SQLAlchemy as an AbstractSQLStore back-end store" -category = "main" optional = false python-versions = "*" files = [ @@ -3232,14 +3112,13 @@ SQLAlchemy = ">=1.1.4,<2.0.0" [[package]] name = "referencing" -version = "0.30.2" +version = "0.33.0" description = "JSON Referencing + Python" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "referencing-0.30.2-py3-none-any.whl", hash = "sha256:449b6669b6121a9e96a7f9e410b245d471e8d48964c67113ce9afe50c8dd7bdf"}, - {file = "referencing-0.30.2.tar.gz", hash = "sha256:794ad8003c65938edcdbc027f1933215e0d0ccc0291e3ce20a4d87432b59efc0"}, + {file = "referencing-0.33.0-py3-none-any.whl", hash = "sha256:39240f2ecc770258f28b642dd47fd74bc8b02484de54e1882b74b35ebd779bd5"}, + {file = "referencing-0.33.0.tar.gz", hash = "sha256:c775fedf74bc0f9189c2a3be1c12fd03e8c23f4d371dce795df44e06c5b412f7"}, ] [package.dependencies] @@ -3250,7 +3129,6 @@ rpds-py = ">=0.7.0" name = "requests" version = "2.31.0" description = "Python HTTP for Humans." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3272,7 +3150,6 @@ use-chardet-on-py3 = ["chardet (>=3.0.2,<6)"] name = "rfc3339-validator" version = "0.1.4" description = "A pure python RFC3339 validator" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -3287,7 +3164,6 @@ six = "*" name = "rfc3986-validator" version = "0.1.1" description = "Pure python rfc3986 validator" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" files = [ @@ -3299,7 +3175,6 @@ files = [ name = "rfc3987" version = "1.3.8" description = "Parsing and validation of URIs (RFC 3986) and IRIs (RFC 3987)" -category = "main" optional = false python-versions = "*" files = [ @@ -3311,7 +3186,6 @@ files = [ name = "rise" version = "5.7.1" description = "Reveal.js - Jupyter/IPython Slideshow Extension" -category = "dev" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, <4" files = [ @@ -3324,118 +3198,116 @@ notebook = ">=6.0" [[package]] name = "rpds-py" -version = "0.10.6" +version = "0.18.0" description = "Python bindings to Rust's persistent data structures (rpds)" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "rpds_py-0.10.6-cp310-cp310-macosx_10_7_x86_64.whl", hash = "sha256:6bdc11f9623870d75692cc33c59804b5a18d7b8a4b79ef0b00b773a27397d1f6"}, - {file = "rpds_py-0.10.6-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:26857f0f44f0e791f4a266595a7a09d21f6b589580ee0585f330aaccccb836e3"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d7f5e15c953ace2e8dde9824bdab4bec50adb91a5663df08d7d994240ae6fa31"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:61fa268da6e2e1cd350739bb61011121fa550aa2545762e3dc02ea177ee4de35"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c48f3fbc3e92c7dd6681a258d22f23adc2eb183c8cb1557d2fcc5a024e80b094"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c0503c5b681566e8b722fe8c4c47cce5c7a51f6935d5c7012c4aefe952a35eed"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:734c41f9f57cc28658d98270d3436dba65bed0cfc730d115b290e970150c540d"}, - {file = "rpds_py-0.10.6-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a5d7ed104d158c0042a6a73799cf0eb576dfd5fc1ace9c47996e52320c37cb7c"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:e3df0bc35e746cce42579826b89579d13fd27c3d5319a6afca9893a9b784ff1b"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:73e0a78a9b843b8c2128028864901f55190401ba38aae685350cf69b98d9f7c9"}, - {file = "rpds_py-0.10.6-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:5ed505ec6305abd2c2c9586a7b04fbd4baf42d4d684a9c12ec6110deefe2a063"}, - {file = "rpds_py-0.10.6-cp310-none-win32.whl", hash = "sha256:d97dd44683802000277bbf142fd9f6b271746b4846d0acaf0cefa6b2eaf2a7ad"}, - {file = "rpds_py-0.10.6-cp310-none-win_amd64.whl", hash = "sha256:b455492cab07107bfe8711e20cd920cc96003e0da3c1f91297235b1603d2aca7"}, - {file = "rpds_py-0.10.6-cp311-cp311-macosx_10_7_x86_64.whl", hash = "sha256:e8cdd52744f680346ff8c1ecdad5f4d11117e1724d4f4e1874f3a67598821069"}, - {file = "rpds_py-0.10.6-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:66414dafe4326bca200e165c2e789976cab2587ec71beb80f59f4796b786a238"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cc435d059f926fdc5b05822b1be4ff2a3a040f3ae0a7bbbe672babb468944722"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:8e7f2219cb72474571974d29a191714d822e58be1eb171f229732bc6fdedf0ac"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:3953c6926a63f8ea5514644b7afb42659b505ece4183fdaaa8f61d978754349e"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2bb2e4826be25e72013916eecd3d30f66fd076110de09f0e750163b416500721"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7bf347b495b197992efc81a7408e9a83b931b2f056728529956a4d0858608b80"}, - {file = "rpds_py-0.10.6-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:102eac53bb0bf0f9a275b438e6cf6904904908562a1463a6fc3323cf47d7a532"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:40f93086eef235623aa14dbddef1b9fb4b22b99454cb39a8d2e04c994fb9868c"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:e22260a4741a0e7a206e175232867b48a16e0401ef5bce3c67ca5b9705879066"}, - {file = "rpds_py-0.10.6-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:f4e56860a5af16a0fcfa070a0a20c42fbb2012eed1eb5ceeddcc7f8079214281"}, - {file = "rpds_py-0.10.6-cp311-none-win32.whl", hash = "sha256:0774a46b38e70fdde0c6ded8d6d73115a7c39d7839a164cc833f170bbf539116"}, - {file = "rpds_py-0.10.6-cp311-none-win_amd64.whl", hash = "sha256:4a5ee600477b918ab345209eddafde9f91c0acd931f3776369585a1c55b04c57"}, - {file = "rpds_py-0.10.6-cp312-cp312-macosx_10_7_x86_64.whl", hash = "sha256:5ee97c683eaface61d38ec9a489e353d36444cdebb128a27fe486a291647aff6"}, - {file = "rpds_py-0.10.6-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:0713631d6e2d6c316c2f7b9320a34f44abb644fc487b77161d1724d883662e31"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b5a53f5998b4bbff1cb2e967e66ab2addc67326a274567697379dd1e326bded7"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:6a555ae3d2e61118a9d3e549737bb4a56ff0cec88a22bd1dfcad5b4e04759175"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:945eb4b6bb8144909b203a88a35e0a03d22b57aefb06c9b26c6e16d72e5eb0f0"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:52c215eb46307c25f9fd2771cac8135d14b11a92ae48d17968eda5aa9aaf5071"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c1b3cd23d905589cb205710b3988fc8f46d4a198cf12862887b09d7aaa6bf9b9"}, - {file = "rpds_py-0.10.6-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:64ccc28683666672d7c166ed465c09cee36e306c156e787acef3c0c62f90da5a"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:516a611a2de12fbea70c78271e558f725c660ce38e0006f75139ba337d56b1f6"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:9ff93d3aedef11f9c4540cf347f8bb135dd9323a2fc705633d83210d464c579d"}, - {file = "rpds_py-0.10.6-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:d858532212f0650be12b6042ff4378dc2efbb7792a286bee4489eaa7ba010586"}, - {file = "rpds_py-0.10.6-cp312-none-win32.whl", hash = "sha256:3c4eff26eddac49d52697a98ea01b0246e44ca82ab09354e94aae8823e8bda02"}, - {file = "rpds_py-0.10.6-cp312-none-win_amd64.whl", hash = "sha256:150eec465dbc9cbca943c8e557a21afdcf9bab8aaabf386c44b794c2f94143d2"}, - {file = "rpds_py-0.10.6-cp38-cp38-macosx_10_7_x86_64.whl", hash = "sha256:cf693eb4a08eccc1a1b636e4392322582db2a47470d52e824b25eca7a3977b53"}, - {file = "rpds_py-0.10.6-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:4134aa2342f9b2ab6c33d5c172e40f9ef802c61bb9ca30d21782f6e035ed0043"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e782379c2028a3611285a795b89b99a52722946d19fc06f002f8b53e3ea26ea9"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:2f6da6d842195fddc1cd34c3da8a40f6e99e4a113918faa5e60bf132f917c247"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b4a9fe992887ac68256c930a2011255bae0bf5ec837475bc6f7edd7c8dfa254e"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b788276a3c114e9f51e257f2a6f544c32c02dab4aa7a5816b96444e3f9ffc336"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:caa1afc70a02645809c744eefb7d6ee8fef7e2fad170ffdeacca267fd2674f13"}, - {file = "rpds_py-0.10.6-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:bddd4f91eede9ca5275e70479ed3656e76c8cdaaa1b354e544cbcf94c6fc8ac4"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:775049dfa63fb58293990fc59473e659fcafd953bba1d00fc5f0631a8fd61977"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:c6c45a2d2b68c51fe3d9352733fe048291e483376c94f7723458cfd7b473136b"}, - {file = "rpds_py-0.10.6-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:0699ab6b8c98df998c3eacf51a3b25864ca93dab157abe358af46dc95ecd9801"}, - {file = "rpds_py-0.10.6-cp38-none-win32.whl", hash = "sha256:ebdab79f42c5961682654b851f3f0fc68e6cc7cd8727c2ac4ffff955154123c1"}, - {file = "rpds_py-0.10.6-cp38-none-win_amd64.whl", hash = "sha256:24656dc36f866c33856baa3ab309da0b6a60f37d25d14be916bd3e79d9f3afcf"}, - {file = "rpds_py-0.10.6-cp39-cp39-macosx_10_7_x86_64.whl", hash = "sha256:0898173249141ee99ffcd45e3829abe7bcee47d941af7434ccbf97717df020e5"}, - {file = "rpds_py-0.10.6-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:9e9184fa6c52a74a5521e3e87badbf9692549c0fcced47443585876fcc47e469"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5752b761902cd15073a527b51de76bbae63d938dc7c5c4ad1e7d8df10e765138"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:99a57006b4ec39dbfb3ed67e5b27192792ffb0553206a107e4aadb39c5004cd5"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:09586f51a215d17efdb3a5f090d7cbf1633b7f3708f60a044757a5d48a83b393"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e225a6a14ecf44499aadea165299092ab0cba918bb9ccd9304eab1138844490b"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b2039f8d545f20c4e52713eea51a275e62153ee96c8035a32b2abb772b6fc9e5"}, - {file = "rpds_py-0.10.6-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:34ad87a831940521d462ac11f1774edf867c34172010f5390b2f06b85dcc6014"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:dcdc88b6b01015da066da3fb76545e8bb9a6880a5ebf89e0f0b2e3ca557b3ab7"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:25860ed5c4e7f5e10c496ea78af46ae8d8468e0be745bd233bab9ca99bfd2647"}, - {file = "rpds_py-0.10.6-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:7854a207ef77319ec457c1eb79c361b48807d252d94348305db4f4b62f40f7f3"}, - {file = "rpds_py-0.10.6-cp39-none-win32.whl", hash = "sha256:e6fcc026a3f27c1282c7ed24b7fcac82cdd70a0e84cc848c0841a3ab1e3dea2d"}, - {file = "rpds_py-0.10.6-cp39-none-win_amd64.whl", hash = "sha256:e98c4c07ee4c4b3acf787e91b27688409d918212dfd34c872201273fdd5a0e18"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-macosx_10_7_x86_64.whl", hash = "sha256:68fe9199184c18d997d2e4293b34327c0009a78599ce703e15cd9a0f47349bba"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:3339eca941568ed52d9ad0f1b8eb9fe0958fa245381747cecf2e9a78a5539c42"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a360cfd0881d36c6dc271992ce1eda65dba5e9368575663de993eeb4523d895f"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:031f76fc87644a234883b51145e43985aa2d0c19b063e91d44379cd2786144f8"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1f36a9d751f86455dc5278517e8b65580eeee37d61606183897f122c9e51cef3"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:052a832078943d2b2627aea0d19381f607fe331cc0eb5df01991268253af8417"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:023574366002bf1bd751ebaf3e580aef4a468b3d3c216d2f3f7e16fdabd885ed"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:defa2c0c68734f4a82028c26bcc85e6b92cced99866af118cd6a89b734ad8e0d"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:879fb24304ead6b62dbe5034e7b644b71def53c70e19363f3c3be2705c17a3b4"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:53c43e10d398e365da2d4cc0bcaf0854b79b4c50ee9689652cdc72948e86f487"}, - {file = "rpds_py-0.10.6-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:3777cc9dea0e6c464e4b24760664bd8831738cc582c1d8aacf1c3f546bef3f65"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-macosx_10_7_x86_64.whl", hash = "sha256:40578a6469e5d1df71b006936ce95804edb5df47b520c69cf5af264d462f2cbb"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:cf71343646756a072b85f228d35b1d7407da1669a3de3cf47f8bbafe0c8183a4"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:10f32b53f424fc75ff7b713b2edb286fdbfc94bf16317890260a81c2c00385dc"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:81de24a1c51cfb32e1fbf018ab0bdbc79c04c035986526f76c33e3f9e0f3356c"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ac17044876e64a8ea20ab132080ddc73b895b4abe9976e263b0e30ee5be7b9c2"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5e8a78bd4879bff82daef48c14d5d4057f6856149094848c3ed0ecaf49f5aec2"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:78ca33811e1d95cac8c2e49cb86c0fb71f4d8409d8cbea0cb495b6dbddb30a55"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:c63c3ef43f0b3fb00571cff6c3967cc261c0ebd14a0a134a12e83bdb8f49f21f"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:7fde6d0e00b2fd0dbbb40c0eeec463ef147819f23725eda58105ba9ca48744f4"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:79edd779cfc46b2e15b0830eecd8b4b93f1a96649bcb502453df471a54ce7977"}, - {file = "rpds_py-0.10.6-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:9164ec8010327ab9af931d7ccd12ab8d8b5dc2f4c6a16cbdd9d087861eaaefa1"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-macosx_10_7_x86_64.whl", hash = "sha256:d29ddefeab1791e3c751e0189d5f4b3dbc0bbe033b06e9c333dca1f99e1d523e"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:30adb75ecd7c2a52f5e76af50644b3e0b5ba036321c390b8e7ec1bb2a16dd43c"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:dd609fafdcdde6e67a139898196698af37438b035b25ad63704fd9097d9a3482"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:6eef672de005736a6efd565577101277db6057f65640a813de6c2707dc69f396"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:6cf4393c7b41abbf07c88eb83e8af5013606b1cdb7f6bc96b1b3536b53a574b8"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ad857f42831e5b8d41a32437f88d86ead6c191455a3499c4b6d15e007936d4cf"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1d7360573f1e046cb3b0dceeb8864025aa78d98be4bb69f067ec1c40a9e2d9df"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:d08f63561c8a695afec4975fae445245386d645e3e446e6f260e81663bfd2e38"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:f0f17f2ce0f3529177a5fff5525204fad7b43dd437d017dd0317f2746773443d"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:442626328600bde1d09dc3bb00434f5374948838ce75c41a52152615689f9403"}, - {file = "rpds_py-0.10.6-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:e9616f5bd2595f7f4a04b67039d890348ab826e943a9bfdbe4938d0eba606971"}, - {file = "rpds_py-0.10.6.tar.gz", hash = "sha256:4ce5a708d65a8dbf3748d2474b580d606b1b9f91b5c6ab2a316e0b0cf7a4ba50"}, + {file = "rpds_py-0.18.0-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:5b4e7d8d6c9b2e8ee2d55c90b59c707ca59bc30058269b3db7b1f8df5763557e"}, + {file = "rpds_py-0.18.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:c463ed05f9dfb9baebef68048aed8dcdc94411e4bf3d33a39ba97e271624f8f7"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:01e36a39af54a30f28b73096dd39b6802eddd04c90dbe161c1b8dbe22353189f"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d62dec4976954a23d7f91f2f4530852b0c7608116c257833922a896101336c51"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dd18772815d5f008fa03d2b9a681ae38d5ae9f0e599f7dda233c439fcaa00d40"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:923d39efa3cfb7279a0327e337a7958bff00cc447fd07a25cddb0a1cc9a6d2da"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:39514da80f971362f9267c600b6d459bfbbc549cffc2cef8e47474fddc9b45b1"}, + {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a34d557a42aa28bd5c48a023c570219ba2593bcbbb8dc1b98d8cf5d529ab1434"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:93df1de2f7f7239dc9cc5a4a12408ee1598725036bd2dedadc14d94525192fc3"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:34b18ba135c687f4dac449aa5157d36e2cbb7c03cbea4ddbd88604e076aa836e"}, + {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:c0b5dcf9193625afd8ecc92312d6ed78781c46ecbf39af9ad4681fc9f464af88"}, + {file = "rpds_py-0.18.0-cp310-none-win32.whl", hash = "sha256:c4325ff0442a12113a6379af66978c3fe562f846763287ef66bdc1d57925d337"}, + {file = "rpds_py-0.18.0-cp310-none-win_amd64.whl", hash = "sha256:7223a2a5fe0d217e60a60cdae28d6949140dde9c3bcc714063c5b463065e3d66"}, + {file = "rpds_py-0.18.0-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:3a96e0c6a41dcdba3a0a581bbf6c44bb863f27c541547fb4b9711fd8cf0ffad4"}, + {file = "rpds_py-0.18.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:30f43887bbae0d49113cbaab729a112251a940e9b274536613097ab8b4899cf6"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fcb25daa9219b4cf3a0ab24b0eb9a5cc8949ed4dc72acb8fa16b7e1681aa3c58"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d68c93e381010662ab873fea609bf6c0f428b6d0bb00f2c6939782e0818d37bf"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b34b7aa8b261c1dbf7720b5d6f01f38243e9b9daf7e6b8bc1fd4657000062f2c"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2e6d75ab12b0bbab7215e5d40f1e5b738aa539598db27ef83b2ec46747df90e1"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0b8612cd233543a3781bc659c731b9d607de65890085098986dfd573fc2befe5"}, + {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:aec493917dd45e3c69d00a8874e7cbed844efd935595ef78a0f25f14312e33c6"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:661d25cbffaf8cc42e971dd570d87cb29a665f49f4abe1f9e76be9a5182c4688"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:1df3659d26f539ac74fb3b0c481cdf9d725386e3552c6fa2974f4d33d78e544b"}, + {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:a1ce3ba137ed54f83e56fb983a5859a27d43a40188ba798993812fed73c70836"}, + {file = "rpds_py-0.18.0-cp311-none-win32.whl", hash = "sha256:69e64831e22a6b377772e7fb337533c365085b31619005802a79242fee620bc1"}, + {file = "rpds_py-0.18.0-cp311-none-win_amd64.whl", hash = "sha256:998e33ad22dc7ec7e030b3df701c43630b5bc0d8fbc2267653577e3fec279afa"}, + {file = "rpds_py-0.18.0-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:7f2facbd386dd60cbbf1a794181e6aa0bd429bd78bfdf775436020172e2a23f0"}, + {file = "rpds_py-0.18.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:1d9a5be316c15ffb2b3c405c4ff14448c36b4435be062a7f578ccd8b01f0c4d8"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cd5bf1af8efe569654bbef5a3e0a56eca45f87cfcffab31dd8dde70da5982475"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5417558f6887e9b6b65b4527232553c139b57ec42c64570569b155262ac0754f"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:56a737287efecafc16f6d067c2ea0117abadcd078d58721f967952db329a3e5c"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8f03bccbd8586e9dd37219bce4d4e0d3ab492e6b3b533e973fa08a112cb2ffc9"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4457a94da0d5c53dc4b3e4de1158bdab077db23c53232f37a3cb7afdb053a4e3"}, + {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:0ab39c1ba9023914297dd88ec3b3b3c3f33671baeb6acf82ad7ce883f6e8e157"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:9d54553c1136b50fd12cc17e5b11ad07374c316df307e4cfd6441bea5fb68496"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:0af039631b6de0397ab2ba16eaf2872e9f8fca391b44d3d8cac317860a700a3f"}, + {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:84ffab12db93b5f6bad84c712c92060a2d321b35c3c9960b43d08d0f639d60d7"}, + {file = "rpds_py-0.18.0-cp312-none-win32.whl", hash = "sha256:685537e07897f173abcf67258bee3c05c374fa6fff89d4c7e42fb391b0605e98"}, + {file = "rpds_py-0.18.0-cp312-none-win_amd64.whl", hash = "sha256:e003b002ec72c8d5a3e3da2989c7d6065b47d9eaa70cd8808b5384fbb970f4ec"}, + {file = "rpds_py-0.18.0-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:08f9ad53c3f31dfb4baa00da22f1e862900f45908383c062c27628754af2e88e"}, + {file = "rpds_py-0.18.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:c0013fe6b46aa496a6749c77e00a3eb07952832ad6166bd481c74bda0dcb6d58"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e32a92116d4f2a80b629778280103d2a510a5b3f6314ceccd6e38006b5e92dcb"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e541ec6f2ec456934fd279a3120f856cd0aedd209fc3852eca563f81738f6861"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:bed88b9a458e354014d662d47e7a5baafd7ff81c780fd91584a10d6ec842cb73"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2644e47de560eb7bd55c20fc59f6daa04682655c58d08185a9b95c1970fa1e07"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8e8916ae4c720529e18afa0b879473049e95949bf97042e938530e072fde061d"}, + {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:465a3eb5659338cf2a9243e50ad9b2296fa15061736d6e26240e713522b6235c"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:ea7d4a99f3b38c37eac212dbd6ec42b7a5ec51e2c74b5d3223e43c811609e65f"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:67071a6171e92b6da534b8ae326505f7c18022c6f19072a81dcf40db2638767c"}, + {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:41ef53e7c58aa4ef281da975f62c258950f54b76ec8e45941e93a3d1d8580594"}, + {file = "rpds_py-0.18.0-cp38-none-win32.whl", hash = "sha256:fdea4952db2793c4ad0bdccd27c1d8fdd1423a92f04598bc39425bcc2b8ee46e"}, + {file = "rpds_py-0.18.0-cp38-none-win_amd64.whl", hash = "sha256:7cd863afe7336c62ec78d7d1349a2f34c007a3cc6c2369d667c65aeec412a5b1"}, + {file = "rpds_py-0.18.0-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:5307def11a35f5ae4581a0b658b0af8178c65c530e94893345bebf41cc139d33"}, + {file = "rpds_py-0.18.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77f195baa60a54ef9d2de16fbbfd3ff8b04edc0c0140a761b56c267ac11aa467"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:39f5441553f1c2aed4de4377178ad8ff8f9d733723d6c66d983d75341de265ab"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:9a00312dea9310d4cb7dbd7787e722d2e86a95c2db92fbd7d0155f97127bcb40"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8f2fc11e8fe034ee3c34d316d0ad8808f45bc3b9ce5857ff29d513f3ff2923a1"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:586f8204935b9ec884500498ccc91aa869fc652c40c093bd9e1471fbcc25c022"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ddc2f4dfd396c7bfa18e6ce371cba60e4cf9d2e5cdb71376aa2da264605b60b9"}, + {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5ddcba87675b6d509139d1b521e0c8250e967e63b5909a7e8f8944d0f90ff36f"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:7bd339195d84439cbe5771546fe8a4e8a7a045417d8f9de9a368c434e42a721e"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:d7c36232a90d4755b720fbd76739d8891732b18cf240a9c645d75f00639a9024"}, + {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:6b0817e34942b2ca527b0e9298373e7cc75f429e8da2055607f4931fded23e20"}, + {file = "rpds_py-0.18.0-cp39-none-win32.whl", hash = "sha256:99f70b740dc04d09e6b2699b675874367885217a2e9f782bdf5395632ac663b7"}, + {file = "rpds_py-0.18.0-cp39-none-win_amd64.whl", hash = "sha256:6ef687afab047554a2d366e112dd187b62d261d49eb79b77e386f94644363294"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:ad36cfb355e24f1bd37cac88c112cd7730873f20fb0bdaf8ba59eedf8216079f"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:36b3ee798c58ace201289024b52788161e1ea133e4ac93fba7d49da5fec0ef9e"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f8a2f084546cc59ea99fda8e070be2fd140c3092dc11524a71aa8f0f3d5a55ca"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e4461d0f003a0aa9be2bdd1b798a041f177189c1a0f7619fe8c95ad08d9a45d7"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8db715ebe3bb7d86d77ac1826f7d67ec11a70dbd2376b7cc214199360517b641"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:793968759cd0d96cac1e367afd70c235867831983f876a53389ad869b043c948"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:66e6a3af5a75363d2c9a48b07cb27c4ea542938b1a2e93b15a503cdfa8490795"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6ef0befbb5d79cf32d0266f5cff01545602344eda89480e1dd88aca964260b18"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:1d4acf42190d449d5e89654d5c1ed3a4f17925eec71f05e2a41414689cda02d1"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:a5f446dd5055667aabaee78487f2b5ab72e244f9bc0b2ffebfeec79051679984"}, + {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:9dbbeb27f4e70bfd9eec1be5477517365afe05a9b2c441a0b21929ee61048124"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:22806714311a69fd0af9b35b7be97c18a0fc2826e6827dbb3a8c94eac6cf7eeb"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b34ae4636dfc4e76a438ab826a0d1eed2589ca7d9a1b2d5bb546978ac6485461"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8c8370641f1a7f0e0669ddccca22f1da893cef7628396431eb445d46d893e5cd"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:c8362467a0fdeccd47935f22c256bec5e6abe543bf0d66e3d3d57a8fb5731863"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:11a8c85ef4a07a7638180bf04fe189d12757c696eb41f310d2426895356dcf05"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b316144e85316da2723f9d8dc75bada12fa58489a527091fa1d5a612643d1a0e"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cf1ea2e34868f6fbf070e1af291c8180480310173de0b0c43fc38a02929fc0e3"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:e546e768d08ad55b20b11dbb78a745151acbd938f8f00d0cfbabe8b0199b9880"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:4901165d170a5fde6f589acb90a6b33629ad1ec976d4529e769c6f3d885e3e80"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:618a3d6cae6ef8ec88bb76dd80b83cfe415ad4f1d942ca2a903bf6b6ff97a2da"}, + {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:ed4eb745efbff0a8e9587d22a84be94a5eb7d2d99c02dacf7bd0911713ed14dd"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:6c81e5f372cd0dc5dc4809553d34f832f60a46034a5f187756d9b90586c2c307"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:43fbac5f22e25bee1d482c97474f930a353542855f05c1161fd804c9dc74a09d"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6d7faa6f14017c0b1e69f5e2c357b998731ea75a442ab3841c0dbbbfe902d2c4"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:08231ac30a842bd04daabc4d71fddd7e6d26189406d5a69535638e4dcb88fe76"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:044a3e61a7c2dafacae99d1e722cc2d4c05280790ec5a05031b3876809d89a5c"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3f26b5bd1079acdb0c7a5645e350fe54d16b17bfc5e71f371c449383d3342e17"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:482103aed1dfe2f3b71a58eff35ba105289b8d862551ea576bd15479aba01f66"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:1374f4129f9bcca53a1bba0bb86bf78325a0374577cf7e9e4cd046b1e6f20e24"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:635dc434ff724b178cb192c70016cc0ad25a275228f749ee0daf0eddbc8183b1"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:bc362ee4e314870a70f4ae88772d72d877246537d9f8cb8f7eacf10884862432"}, + {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:4832d7d380477521a8c1644bbab6588dfedea5e30a7d967b5fb75977c45fd77f"}, + {file = "rpds_py-0.18.0.tar.gz", hash = "sha256:42821446ee7a76f5d9f71f9e33a4fb2ffd724bb3e7f93386150b61a43115788d"}, ] [[package]] name = "send2trash" version = "1.8.2" description = "Send file to trash natively under Mac OS X, Windows and Linux" -category = "dev" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,>=2.7" files = [ @@ -3452,7 +3324,6 @@ win32 = ["pywin32"] name = "setuptools" version = "65.7.0" description = "Easily download, build, install, upgrade, and uninstall Python packages" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -3469,7 +3340,6 @@ testing-integration = ["build[virtualenv]", "filelock (>=3.4.0)", "jaraco.envs ( name = "six" version = "1.16.0" description = "Python 2 and 3 compatibility utilities" -category = "main" optional = false python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*" files = [ @@ -3477,23 +3347,35 @@ files = [ {file = "six-1.16.0.tar.gz", hash = "sha256:1e61c37477a1626458e36f7b1d82aa5c9b094fa4802892072e49de9c60c4c926"}, ] +[[package]] +name = "snakeviz" +version = "2.2.0" +description = "A web-based viewer for Python profiler output" +optional = false +python-versions = ">=3.7" +files = [ + {file = "snakeviz-2.2.0-py2.py3-none-any.whl", hash = "sha256:569e2d71c47f80a886aa6e70d6405cb6d30aa3520969ad956b06f824c5f02b8e"}, + {file = "snakeviz-2.2.0.tar.gz", hash = "sha256:7bfd00be7ae147eb4a170a471578e1cd3f41f803238958b6b8efcf2c698a6aa9"}, +] + +[package.dependencies] +tornado = ">=2.0" + [[package]] name = "sniffio" -version = "1.3.0" +version = "1.3.1" description = "Sniff out which async library your code is running under" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "sniffio-1.3.0-py3-none-any.whl", hash = "sha256:eecefdce1e5bbfb7ad2eeaabf7c1eeb404d7757c379bd1f7e5cce9d8bf425384"}, - {file = "sniffio-1.3.0.tar.gz", hash = "sha256:e60305c5e5d314f5389259b7f22aaa33d8f7dee49763119234af3755c55b9101"}, + {file = "sniffio-1.3.1-py3-none-any.whl", hash = "sha256:2f6da418d1f1e0fddd844478f41680e794e6051915791a034ff65e5f100525a2"}, + {file = "sniffio-1.3.1.tar.gz", hash = "sha256:f4324edc670a0f49750a81b895f35c3adb843cca46f0530f79fc1babb23789dc"}, ] [[package]] name = "snowballstemmer" version = "2.2.0" description = "This package provides 29 stemmers for 28 languages generated from Snowball algorithms." -category = "dev" optional = false python-versions = "*" files = [ @@ -3505,7 +3387,6 @@ files = [ name = "soupsieve" version = "2.5" description = "A modern CSS selector implementation for Beautiful Soup." -category = "dev" optional = false python-versions = ">=3.8" files = [ @@ -3517,7 +3398,6 @@ files = [ name = "sphinx" version = "5.0.2" description = "Python documentation generator" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3553,7 +3433,6 @@ test = ["cython", "html5lib", "pytest (>=4.6)", "typed-ast"] name = "sphinx-book-theme" version = "1.0.1" description = "A clean book theme for scientific explanations and documentation with Sphinx" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3574,7 +3453,6 @@ test = ["beautifulsoup4", "coverage", "myst-nb", "pytest", "pytest-cov", "pytest name = "sphinx-comments" version = "0.0.3" description = "Add comments and annotation to your documentation." -category = "dev" optional = false python-versions = "*" files = [ @@ -3594,7 +3472,6 @@ testing = ["beautifulsoup4", "myst-parser", "pytest", "pytest-regressions", "sph name = "sphinx-copybutton" version = "0.5.2" description = "Add a copy button to each of your code cells." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3613,7 +3490,6 @@ rtd = ["ipython", "myst-nb", "sphinx", "sphinx-book-theme", "sphinx-examples"] name = "sphinx-design" version = "0.3.0" description = "A sphinx extension for designing beautiful, view size responsive web components." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3637,7 +3513,6 @@ theme-sbt = ["sphinx-book-theme (>=0.3.0,<0.4.0)"] name = "sphinx-external-toc" version = "0.3.1" description = "A sphinx extension that allows the site-map to be defined in a single YAML file." -category = "dev" optional = false python-versions = "~=3.7" files = [ @@ -3659,7 +3534,6 @@ testing = ["coverage", "pytest (>=7.1,<8.0)", "pytest-cov", "pytest-regressions" name = "sphinx-jupyterbook-latex" version = "0.5.2" description = "Latex specific features for jupyter book" -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3668,7 +3542,6 @@ files = [ ] [package.dependencies] -importlib-resources = {version = "*", markers = "python_version < \"3.9\""} sphinx = ">=4,<5.1" [package.extras] @@ -3681,7 +3554,6 @@ testing = ["coverage (<5.0)", "myst-nb (>=0.13,<0.18)", "pytest (>=3.6,<4)", "py name = "sphinx-multitoc-numbering" version = "0.1.3" description = "Supporting continuous HTML section numbering" -category = "dev" optional = false python-versions = "*" files = [ @@ -3701,7 +3573,6 @@ testing = ["coverage (<5.0)", "jupyter-book", "pytest (>=5.4,<6.0)", "pytest-cov name = "sphinx-thebe" version = "0.2.1" description = "Integrate interactive code blocks into your documentation with Thebe and Binder." -category = "dev" optional = false python-versions = "*" files = [ @@ -3720,7 +3591,6 @@ testing = ["beautifulsoup4", "matplotlib", "pytest", "pytest-regressions"] name = "sphinx-togglebutton" version = "0.3.2" description = "Toggle page content and collapse admonitions in Sphinx." -category = "dev" optional = false python-versions = "*" files = [ @@ -3739,25 +3609,24 @@ sphinx = ["matplotlib", "myst-nb", "numpy", "sphinx-book-theme", "sphinx-design" [[package]] name = "sphinxcontrib-applehelp" -version = "1.0.4" +version = "1.0.8" description = "sphinxcontrib-applehelp is a Sphinx extension which outputs Apple help books" -category = "dev" optional = false -python-versions = ">=3.8" +python-versions = ">=3.9" files = [ - {file = "sphinxcontrib-applehelp-1.0.4.tar.gz", hash = "sha256:828f867945bbe39817c210a1abfd1bc4895c8b73fcaade56d45357a348a07d7e"}, - {file = "sphinxcontrib_applehelp-1.0.4-py3-none-any.whl", hash = "sha256:29d341f67fb0f6f586b23ad80e072c8e6ad0b48417db2bde114a4c9746feb228"}, + {file = "sphinxcontrib_applehelp-1.0.8-py3-none-any.whl", hash = "sha256:cb61eb0ec1b61f349e5cc36b2028e9e7ca765be05e49641c97241274753067b4"}, + {file = "sphinxcontrib_applehelp-1.0.8.tar.gz", hash = "sha256:c40a4f96f3776c4393d933412053962fac2b84f4c99a7982ba42e09576a70619"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] +standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sphinxcontrib-bibtex" version = "2.5.0" description = "Sphinx extension for BibTeX style citations." -category = "dev" optional = false python-versions = ">=3.6" files = [ @@ -3774,41 +3643,40 @@ Sphinx = ">=2.1" [[package]] name = "sphinxcontrib-devhelp" -version = "1.0.2" -description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp document." -category = "dev" +version = "1.0.6" +description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp documents" optional = false -python-versions = ">=3.5" +python-versions = ">=3.9" files = [ - {file = "sphinxcontrib-devhelp-1.0.2.tar.gz", hash = "sha256:ff7f1afa7b9642e7060379360a67e9c41e8f3121f2ce9164266f61b9f4b338e4"}, - {file = "sphinxcontrib_devhelp-1.0.2-py2.py3-none-any.whl", hash = "sha256:8165223f9a335cc1af7ffe1ed31d2871f325254c0423bc0c4c7cd1c1e4734a2e"}, + {file = "sphinxcontrib_devhelp-1.0.6-py3-none-any.whl", hash = "sha256:6485d09629944511c893fa11355bda18b742b83a2b181f9a009f7e500595c90f"}, + {file = "sphinxcontrib_devhelp-1.0.6.tar.gz", hash = "sha256:9893fd3f90506bc4b97bdb977ceb8fbd823989f4316b28c3841ec128544372d3"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] +standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sphinxcontrib-htmlhelp" -version = "2.0.1" +version = "2.0.5" description = "sphinxcontrib-htmlhelp is a sphinx extension which renders HTML help files" -category = "dev" optional = false -python-versions = ">=3.8" +python-versions = ">=3.9" files = [ - {file = "sphinxcontrib-htmlhelp-2.0.1.tar.gz", hash = "sha256:0cbdd302815330058422b98a113195c9249825d681e18f11e8b1f78a2f11efff"}, - {file = "sphinxcontrib_htmlhelp-2.0.1-py3-none-any.whl", hash = "sha256:c38cb46dccf316c79de6e5515e1770414b797162b23cd3d06e67020e1d2a6903"}, + {file = "sphinxcontrib_htmlhelp-2.0.5-py3-none-any.whl", hash = "sha256:393f04f112b4d2f53d93448d4bce35842f62b307ccdc549ec1585e950bc35e04"}, + {file = "sphinxcontrib_htmlhelp-2.0.5.tar.gz", hash = "sha256:0dc87637d5de53dd5eec3a6a01753b1ccf99494bd756aafecd74b4fa9e729015"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] +standalone = ["Sphinx (>=5)"] test = ["html5lib", "pytest"] [[package]] name = "sphinxcontrib-jsmath" version = "1.0.1" description = "A sphinx extension which renders display math in HTML via JavaScript" -category = "dev" optional = false python-versions = ">=3.5" files = [ @@ -3821,69 +3689,89 @@ test = ["flake8", "mypy", "pytest"] [[package]] name = "sphinxcontrib-qthelp" -version = "1.0.3" -description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp document." -category = "dev" +version = "1.0.7" +description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp documents" optional = false -python-versions = ">=3.5" +python-versions = ">=3.9" files = [ - {file = "sphinxcontrib-qthelp-1.0.3.tar.gz", hash = "sha256:4c33767ee058b70dba89a6fc5c1892c0d57a54be67ddd3e7875a18d14cba5a72"}, - {file = "sphinxcontrib_qthelp-1.0.3-py2.py3-none-any.whl", hash = "sha256:bd9fc24bcb748a8d51fd4ecaade681350aa63009a347a8c14e637895444dfab6"}, + {file = "sphinxcontrib_qthelp-1.0.7-py3-none-any.whl", hash = "sha256:e2ae3b5c492d58fcbd73281fbd27e34b8393ec34a073c792642cd8e529288182"}, + {file = "sphinxcontrib_qthelp-1.0.7.tar.gz", hash = "sha256:053dedc38823a80a7209a80860b16b722e9e0209e32fea98c90e4e6624588ed6"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] +standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sphinxcontrib-serializinghtml" -version = "1.1.5" -description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)." -category = "dev" +version = "1.1.10" +description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)" optional = false -python-versions = ">=3.5" +python-versions = ">=3.9" files = [ - {file = "sphinxcontrib-serializinghtml-1.1.5.tar.gz", hash = "sha256:aa5f6de5dfdf809ef505c4895e51ef5c9eac17d0f287933eb49ec495280b6952"}, - {file = "sphinxcontrib_serializinghtml-1.1.5-py2.py3-none-any.whl", hash = "sha256:352a9a00ae864471d3a7ead8d7d79f5fc0b57e8b3f95e9867eb9eb28999b92fd"}, + {file = "sphinxcontrib_serializinghtml-1.1.10-py3-none-any.whl", hash = "sha256:326369b8df80a7d2d8d7f99aa5ac577f51ea51556ed974e7716cfd4fca3f6cb7"}, + {file = "sphinxcontrib_serializinghtml-1.1.10.tar.gz", hash = "sha256:93f3f5dc458b91b192fe10c397e324f262cf163d79f3282c158e8436a2c4511f"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] +standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sqlalchemy" -version = "1.4.50" +version = "1.4.52" description = "Database Abstraction Library" -category = "main" optional = false python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,>=2.7" files = [ - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d00665725063692c42badfd521d0c4392e83c6c826795d38eb88fb108e5660e5"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:85292ff52ddf85a39367057c3d7968a12ee1fb84565331a36a8fead346f08796"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d0fed0f791d78e7767c2db28d34068649dfeea027b83ed18c45a423f741425cb"}, - {file = "SQLAlchemy-1.4.50-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:db4db3c08ffbb18582f856545f058a7a5e4ab6f17f75795ca90b3c38ee0a8ba4"}, - {file = "SQLAlchemy-1.4.50-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:14b0cacdc8a4759a1e1bd47dc3ee3f5db997129eb091330beda1da5a0e9e5bd7"}, - {file = "SQLAlchemy-1.4.50-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1fb9cb60e0f33040e4f4681e6658a7eb03b5cb4643284172f91410d8c493dace"}, - {file = "SQLAlchemy-1.4.50-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c4cb501d585aa74a0f86d0ea6263b9c5e1d1463f8f9071392477fd401bd3c7cc"}, - {file = "SQLAlchemy-1.4.50-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8a7a66297e46f85a04d68981917c75723e377d2e0599d15fbe7a56abed5e2d75"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c1db0221cb26d66294f4ca18c533e427211673ab86c1fbaca8d6d9ff78654293"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0b7dbe6369677a2bea68fe9812c6e4bbca06ebfa4b5cde257b2b0bf208709131"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:a9bddb60566dc45c57fd0a5e14dd2d9e5f106d2241e0a2dc0c1da144f9444516"}, - {file = "SQLAlchemy-1.4.50-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:82dd4131d88395df7c318eeeef367ec768c2a6fe5bd69423f7720c4edb79473c"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:273505fcad22e58cc67329cefab2e436006fc68e3c5423056ee0513e6523268a"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a3257a6e09626d32b28a0c5b4f1a97bced585e319cfa90b417f9ab0f6145c33c"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d69738d582e3a24125f0c246ed8d712b03bd21e148268421e4a4d09c34f521a5"}, - {file = "SQLAlchemy-1.4.50-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:34e1c5d9cd3e6bf3d1ce56971c62a40c06bfc02861728f368dcfec8aeedb2814"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f1fcee5a2c859eecb4ed179edac5ffbc7c84ab09a5420219078ccc6edda45436"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fbaf6643a604aa17e7a7afd74f665f9db882df5c297bdd86c38368f2c471f37d"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:2e70e0673d7d12fa6cd363453a0d22dac0d9978500aa6b46aa96e22690a55eab"}, - {file = "SQLAlchemy-1.4.50-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8b881ac07d15fb3e4f68c5a67aa5cdaf9eb8f09eb5545aaf4b0a5f5f4659be18"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3f6997da81114daef9203d30aabfa6b218a577fc2bd797c795c9c88c9eb78d49"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bdb77e1789e7596b77fd48d99ec1d2108c3349abd20227eea0d48d3f8cf398d9"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:128a948bd40780667114b0297e2cc6d657b71effa942e0a368d8cc24293febb3"}, - {file = "SQLAlchemy-1.4.50-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f2d526aeea1bd6a442abc7c9b4b00386fd70253b80d54a0930c0a216230a35be"}, - {file = "SQLAlchemy-1.4.50.tar.gz", hash = "sha256:3b97ddf509fc21e10b09403b5219b06c5b558b27fc2453150274fa4e70707dbf"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-macosx_11_0_x86_64.whl", hash = "sha256:f68016f9a5713684c1507cc37133c28035f29925c75c0df2f9d0f7571e23720a"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:24bb0f81fbbb13d737b7f76d1821ec0b117ce8cbb8ee5e8641ad2de41aa916d3"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e93983cc0d2edae253b3f2141b0a3fb07e41c76cd79c2ad743fc27eb79c3f6db"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:84e10772cfc333eb08d0b7ef808cd76e4a9a30a725fb62a0495877a57ee41d81"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:427988398d2902de042093d17f2b9619a5ebc605bf6372f7d70e29bde6736842"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-win32.whl", hash = "sha256:1296f2cdd6db09b98ceb3c93025f0da4835303b8ac46c15c2136e27ee4d18d94"}, + {file = "SQLAlchemy-1.4.52-cp310-cp310-win_amd64.whl", hash = "sha256:80e7f697bccc56ac6eac9e2df5c98b47de57e7006d2e46e1a3c17c546254f6ef"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:2f251af4c75a675ea42766880ff430ac33291c8d0057acca79710f9e5a77383d"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cb8f9e4c4718f111d7b530c4e6fb4d28f9f110eb82e7961412955b3875b66de0"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:afb1672b57f58c0318ad2cff80b384e816735ffc7e848d8aa51e0b0fc2f4b7bb"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-win32.whl", hash = "sha256:6e41cb5cda641f3754568d2ed8962f772a7f2b59403b95c60c89f3e0bd25f15e"}, + {file = "SQLAlchemy-1.4.52-cp311-cp311-win_amd64.whl", hash = "sha256:5bed4f8c3b69779de9d99eb03fd9ab67a850d74ab0243d1be9d4080e77b6af12"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:49e3772eb3380ac88d35495843daf3c03f094b713e66c7d017e322144a5c6b7c"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:618827c1a1c243d2540314c6e100aee7af09a709bd005bae971686fab6723554"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:de9acf369aaadb71a725b7e83a5ef40ca3de1cf4cdc93fa847df6b12d3cd924b"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-win32.whl", hash = "sha256:763bd97c4ebc74136ecf3526b34808c58945023a59927b416acebcd68d1fc126"}, + {file = "SQLAlchemy-1.4.52-cp312-cp312-win_amd64.whl", hash = "sha256:f12aaf94f4d9679ca475975578739e12cc5b461172e04d66f7a3c39dd14ffc64"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-macosx_10_14_x86_64.whl", hash = "sha256:853fcfd1f54224ea7aabcf34b227d2b64a08cbac116ecf376907968b29b8e763"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f98dbb8fcc6d1c03ae8ec735d3c62110949a3b8bc6e215053aa27096857afb45"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1e135fff2e84103bc15c07edd8569612ce317d64bdb391f49ce57124a73f45c5"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:5b5de6af8852500d01398f5047d62ca3431d1e29a331d0b56c3e14cb03f8094c"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3491c85df263a5c2157c594f54a1a9c72265b75d3777e61ee13c556d9e43ffc9"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-win32.whl", hash = "sha256:427c282dd0deba1f07bcbf499cbcc9fe9a626743f5d4989bfdfd3ed3513003dd"}, + {file = "SQLAlchemy-1.4.52-cp36-cp36m-win_amd64.whl", hash = "sha256:ca5ce82b11731492204cff8845c5e8ca1a4bd1ade85e3b8fcf86e7601bfc6a39"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-macosx_11_0_x86_64.whl", hash = "sha256:29d4247313abb2015f8979137fe65f4eaceead5247d39603cc4b4a610936cd2b"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a752bff4796bf22803d052d4841ebc3c55c26fb65551f2c96e90ac7c62be763a"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7ea11727feb2861deaa293c7971a4df57ef1c90e42cb53f0da40c3468388000"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:d913f8953e098ca931ad7f58797f91deed26b435ec3756478b75c608aa80d139"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a251146b921725547ea1735b060a11e1be705017b568c9f8067ca61e6ef85f20"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-win32.whl", hash = "sha256:1f8e1c6a6b7f8e9407ad9afc0ea41c1f65225ce505b79bc0342159de9c890782"}, + {file = "SQLAlchemy-1.4.52-cp37-cp37m-win_amd64.whl", hash = "sha256:346ed50cb2c30f5d7a03d888e25744154ceac6f0e6e1ab3bc7b5b77138d37710"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-macosx_11_0_x86_64.whl", hash = "sha256:4dae6001457d4497736e3bc422165f107ecdd70b0d651fab7f731276e8b9e12d"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a5d2e08d79f5bf250afb4a61426b41026e448da446b55e4770c2afdc1e200fce"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5bbce5dd7c7735e01d24f5a60177f3e589078f83c8a29e124a6521b76d825b85"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:bdb7b4d889631a3b2a81a3347c4c3f031812eb4adeaa3ee4e6b0d028ad1852b5"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c294ae4e6bbd060dd79e2bd5bba8b6274d08ffd65b58d106394cb6abbf35cf45"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-win32.whl", hash = "sha256:bcdfb4b47fe04967669874fb1ce782a006756fdbebe7263f6a000e1db969120e"}, + {file = "SQLAlchemy-1.4.52-cp38-cp38-win_amd64.whl", hash = "sha256:7d0dbc56cb6af5088f3658982d3d8c1d6a82691f31f7b0da682c7b98fa914e91"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-macosx_11_0_x86_64.whl", hash = "sha256:a551d5f3dc63f096ed41775ceec72fdf91462bb95abdc179010dc95a93957800"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux1_x86_64.manylinux2010_x86_64.manylinux_2_12_x86_64.manylinux_2_5_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6ab773f9ad848118df7a9bbabca53e3f1002387cdbb6ee81693db808b82aaab0"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d2de46f5d5396d5331127cfa71f837cca945f9a2b04f7cb5a01949cf676db7d1"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:7027be7930a90d18a386b25ee8af30514c61f3852c7268899f23fdfbd3107181"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:99224d621affbb3c1a4f72b631f8393045f4ce647dd3262f12fe3576918f8bf3"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-win32.whl", hash = "sha256:c124912fd4e1bb9d1e7dc193ed482a9f812769cb1e69363ab68e01801e859821"}, + {file = "SQLAlchemy-1.4.52-cp39-cp39-win_amd64.whl", hash = "sha256:2c286fab42e49db23c46ab02479f328b8bdb837d3e281cae546cc4085c83b680"}, + {file = "SQLAlchemy-1.4.52.tar.gz", hash = "sha256:80e63bbdc5217dad3485059bdf6f65a7d43f33c8bde619df5c220edf03d87296"}, ] [package.dependencies] @@ -3891,7 +3779,7 @@ greenlet = {version = "!=0.4.17", markers = "python_version >= \"3\" and (platfo [package.extras] aiomysql = ["aiomysql (>=0.2.0)", "greenlet (!=0.4.17)"] -aiosqlite = ["aiosqlite", "greenlet (!=0.4.17)", "typing-extensions (!=3.10.0.1)"] +aiosqlite = ["aiosqlite", "greenlet (!=0.4.17)", "typing_extensions (!=3.10.0.1)"] asyncio = ["greenlet (!=0.4.17)"] asyncmy = ["asyncmy (>=0.2.3,!=0.2.4)", "greenlet (!=0.4.17)"] mariadb-connector = ["mariadb (>=1.0.1,!=1.1.2)"] @@ -3901,25 +3789,24 @@ mssql-pyodbc = ["pyodbc"] mypy = ["mypy (>=0.910)", "sqlalchemy2-stubs"] mysql = ["mysqlclient (>=1.4.0)", "mysqlclient (>=1.4.0,<2)"] mysql-connector = ["mysql-connector-python"] -oracle = ["cx-oracle (>=7)", "cx-oracle (>=7,<8)"] +oracle = ["cx_oracle (>=7)", "cx_oracle (>=7,<8)"] postgresql = ["psycopg2 (>=2.7)"] postgresql-asyncpg = ["asyncpg", "greenlet (!=0.4.17)"] postgresql-pg8000 = ["pg8000 (>=1.16.6,!=1.29.0)"] postgresql-psycopg2binary = ["psycopg2-binary"] postgresql-psycopg2cffi = ["psycopg2cffi"] pymysql = ["pymysql", "pymysql (<1)"] -sqlcipher = ["sqlcipher3-binary"] +sqlcipher = ["sqlcipher3_binary"] [[package]] name = "sqlalchemy2-stubs" -version = "0.0.2a36" +version = "0.0.2a38" description = "Typing Stubs for SQLAlchemy 1.4" -category = "dev" optional = false python-versions = ">=3.6" files = [ - {file = "sqlalchemy2-stubs-0.0.2a36.tar.gz", hash = "sha256:1c820c176a50401b7b3fc1e25019703b2c0753fe99a79d7e19305146baf1f60f"}, - {file = "sqlalchemy2_stubs-0.0.2a36-py3-none-any.whl", hash = "sha256:9b5b3eb263cdc649b6a5619d2c089b98290406027a01e1de171eeb98c38ce678"}, + {file = "sqlalchemy2-stubs-0.0.2a38.tar.gz", hash = "sha256:861d722abeb12f13eacd775a9f09379b11a5a9076f469ccd4099961b95800f9e"}, + {file = "sqlalchemy2_stubs-0.0.2a38-py3-none-any.whl", hash = "sha256:b62aa46943807287550e2033dafe07564b33b6a815fbaa3c144e396f9cc53bcb"}, ] [package.dependencies] @@ -3929,7 +3816,6 @@ typing-extensions = ">=3.7.4" name = "stack-data" version = "0.6.3" description = "Extract data from python stack frames and tracebacks for informative displays" -category = "main" optional = false python-versions = "*" files = [ @@ -3949,7 +3835,6 @@ tests = ["cython", "littleutils", "pygments", "pytest", "typeguard"] name = "tabulate" version = "0.9.0" description = "Pretty-print tabular data" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -3962,14 +3847,13 @@ widechars = ["wcwidth"] [[package]] name = "terminado" -version = "0.17.1" +version = "0.18.0" description = "Tornado websocket backend for the Xterm.js Javascript terminal emulator library." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "terminado-0.17.1-py3-none-any.whl", hash = "sha256:8650d44334eba354dd591129ca3124a6ba42c3d5b70df5051b6921d506fdaeae"}, - {file = "terminado-0.17.1.tar.gz", hash = "sha256:6ccbbcd3a4f8a25a5ec04991f39a0b8db52dfcd487ea0e578d977e6752380333"}, + {file = "terminado-0.18.0-py3-none-any.whl", hash = "sha256:87b0d96642d0fe5f5abd7783857b9cab167f221a39ff98e3b9619a788a3c0f2e"}, + {file = "terminado-0.18.0.tar.gz", hash = "sha256:1ea08a89b835dd1b8c0c900d92848147cef2537243361b2e3f4dc15df9b6fded"}, ] [package.dependencies] @@ -3980,12 +3864,12 @@ tornado = ">=6.1.0" [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] test = ["pre-commit", "pytest (>=7.0)", "pytest-timeout"] +typing = ["mypy (>=1.6,<2.0)", "traitlets (>=5.11.1)"] [[package]] name = "tinycss2" version = "1.2.1" description = "A tiny CSS parser" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4004,7 +3888,6 @@ test = ["flake8", "isort", "pytest"] name = "toml" version = "0.10.2" description = "Python Library for Tom's Obvious, Minimal Language" -category = "dev" optional = false python-versions = ">=2.6, !=3.0.*, !=3.1.*, !=3.2.*" files = [ @@ -4016,7 +3899,6 @@ files = [ name = "tomli" version = "2.0.1" description = "A lil' TOML parser" -category = "main" optional = false python-versions = ">=3.7" files = [ @@ -4026,102 +3908,81 @@ files = [ [[package]] name = "tornado" -version = "6.3.3" +version = "6.4" description = "Tornado is a Python web framework and asynchronous networking library, originally developed at FriendFeed." -category = "main" optional = false python-versions = ">= 3.8" files = [ - {file = "tornado-6.3.3-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:502fba735c84450974fec147340016ad928d29f1e91f49be168c0a4c18181e1d"}, - {file = "tornado-6.3.3-cp38-abi3-macosx_10_9_x86_64.whl", hash = "sha256:805d507b1f588320c26f7f097108eb4023bbaa984d63176d1652e184ba24270a"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1bd19ca6c16882e4d37368e0152f99c099bad93e0950ce55e71daed74045908f"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7ac51f42808cca9b3613f51ffe2a965c8525cb1b00b7b2d56828b8045354f76a"}, - {file = "tornado-6.3.3-cp38-abi3-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:71a8db65160a3c55d61839b7302a9a400074c9c753040455494e2af74e2501f2"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:ceb917a50cd35882b57600709dd5421a418c29ddc852da8bcdab1f0db33406b0"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_i686.whl", hash = "sha256:7d01abc57ea0dbb51ddfed477dfe22719d376119844e33c661d873bf9c0e4a16"}, - {file = "tornado-6.3.3-cp38-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:9dc4444c0defcd3929d5c1eb5706cbe1b116e762ff3e0deca8b715d14bf6ec17"}, - {file = "tornado-6.3.3-cp38-abi3-win32.whl", hash = "sha256:65ceca9500383fbdf33a98c0087cb975b2ef3bfb874cb35b8de8740cf7f41bd3"}, - {file = "tornado-6.3.3-cp38-abi3-win_amd64.whl", hash = "sha256:22d3c2fa10b5793da13c807e6fc38ff49a4f6e1e3868b0a6f4164768bb8e20f5"}, - {file = "tornado-6.3.3.tar.gz", hash = "sha256:e7d8db41c0181c80d76c982aacc442c0783a2c54d6400fe028954201a2e032fe"}, + {file = "tornado-6.4-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:02ccefc7d8211e5a7f9e8bc3f9e5b0ad6262ba2fbb683a6443ecc804e5224ce0"}, + {file = "tornado-6.4-cp38-abi3-macosx_10_9_x86_64.whl", hash = "sha256:27787de946a9cffd63ce5814c33f734c627a87072ec7eed71f7fc4417bb16263"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7894c581ecdcf91666a0912f18ce5e757213999e183ebfc2c3fdbf4d5bd764e"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e43bc2e5370a6a8e413e1e1cd0c91bedc5bd62a74a532371042a18ef19e10579"}, + {file = "tornado-6.4-cp38-abi3-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f0251554cdd50b4b44362f73ad5ba7126fc5b2c2895cc62b14a1c2d7ea32f212"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:fd03192e287fbd0899dd8f81c6fb9cbbc69194d2074b38f384cb6fa72b80e9c2"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_i686.whl", hash = "sha256:88b84956273fbd73420e6d4b8d5ccbe913c65d31351b4c004ae362eba06e1f78"}, + {file = "tornado-6.4-cp38-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:71ddfc23a0e03ef2df1c1397d859868d158c8276a0603b96cf86892bff58149f"}, + {file = "tornado-6.4-cp38-abi3-win32.whl", hash = "sha256:6f8a6c77900f5ae93d8b4ae1196472d0ccc2775cc1dfdc9e7727889145c45052"}, + {file = "tornado-6.4-cp38-abi3-win_amd64.whl", hash = "sha256:10aeaa8006333433da48dec9fe417877f8bcc21f48dda8d661ae79da357b2a63"}, + {file = "tornado-6.4.tar.gz", hash = "sha256:72291fa6e6bc84e626589f1c29d90a5a6d593ef5ae68052ee2ef000dfd273dee"}, ] [[package]] name = "traitlets" -version = "5.13.0" +version = "5.14.1" description = "Traitlets Python configuration system" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "traitlets-5.13.0-py3-none-any.whl", hash = "sha256:baf991e61542da48fe8aef8b779a9ea0aa38d8a54166ee250d5af5ecf4486619"}, - {file = "traitlets-5.13.0.tar.gz", hash = "sha256:9b232b9430c8f57288c1024b34a8f0251ddcc47268927367a0dd3eeaca40deb5"}, + {file = "traitlets-5.14.1-py3-none-any.whl", hash = "sha256:2e5a030e6eff91737c643231bfcf04a65b0132078dad75e4936700b213652e74"}, + {file = "traitlets-5.14.1.tar.gz", hash = "sha256:8585105b371a04b8316a43d5ce29c098575c2e477850b62b848b964f1444527e"}, ] [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] -test = ["argcomplete (>=3.0.3)", "mypy (>=1.6.0)", "pre-commit", "pytest (>=7.0,<7.5)", "pytest-mock", "pytest-mypy-testing"] - -[[package]] -name = "types-jsonschema" -version = "4.19.0.4" -description = "Typing stubs for jsonschema" -category = "main" -optional = false -python-versions = ">=3.8" -files = [ - {file = "types-jsonschema-4.19.0.4.tar.gz", hash = "sha256:994feb6632818259c4b5dbd733867824cb475029a6abc2c2b5201a2268b6e7d2"}, - {file = "types_jsonschema-4.19.0.4-py3-none-any.whl", hash = "sha256:b73c3f4ba3cd8108602d1198a438e2698d5eb6b9db206ed89a33e24729b0abe7"}, -] - -[package.dependencies] -referencing = "*" +test = ["argcomplete (>=3.0.3)", "mypy (>=1.7.0)", "pre-commit", "pytest (>=7.0,<7.5)", "pytest-mock", "pytest-mypy-testing"] [[package]] name = "types-python-dateutil" -version = "2.8.19.14" +version = "2.8.19.20240311" description = "Typing stubs for python-dateutil" -category = "dev" optional = false -python-versions = "*" +python-versions = ">=3.8" files = [ - {file = "types-python-dateutil-2.8.19.14.tar.gz", hash = "sha256:1f4f10ac98bb8b16ade9dbee3518d9ace017821d94b057a425b069f834737f4b"}, - {file = "types_python_dateutil-2.8.19.14-py3-none-any.whl", hash = "sha256:f977b8de27787639986b4e28963263fd0e5158942b3ecef91b9335c130cb1ce9"}, + {file = "types-python-dateutil-2.8.19.20240311.tar.gz", hash = "sha256:51178227bbd4cbec35dc9adffbf59d832f20e09842d7dcb8c73b169b8780b7cb"}, + {file = "types_python_dateutil-2.8.19.20240311-py3-none-any.whl", hash = "sha256:ef813da0809aca76472ca88807addbeea98b19339aebe56159ae2f4b4f70857a"}, ] [[package]] name = "types-pyyaml" -version = "6.0.12.12" +version = "6.0.12.20240311" description = "Typing stubs for PyYAML" -category = "main" optional = false -python-versions = "*" +python-versions = ">=3.8" files = [ - {file = "types-PyYAML-6.0.12.12.tar.gz", hash = "sha256:334373d392fde0fdf95af5c3f1661885fa10c52167b14593eb856289e1855062"}, - {file = "types_PyYAML-6.0.12.12-py3-none-any.whl", hash = "sha256:c05bc6c158facb0676674b7f11fe3960db4f389718e19e62bd2b84d6205cfd24"}, + {file = "types-PyYAML-6.0.12.20240311.tar.gz", hash = "sha256:a9e0f0f88dc835739b0c1ca51ee90d04ca2a897a71af79de9aec5f38cb0a5342"}, + {file = "types_PyYAML-6.0.12.20240311-py3-none-any.whl", hash = "sha256:b845b06a1c7e54b8e5b4c683043de0d9caf205e7434b3edc678ff2411979b8f6"}, ] [[package]] name = "typing-extensions" -version = "4.8.0" +version = "4.10.0" description = "Backported and Experimental Type Hints for Python 3.8+" -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "typing_extensions-4.8.0-py3-none-any.whl", hash = "sha256:8f92fc8806f9a6b641eaa5318da32b44d401efaac0f6678c9bc448ba3605faa0"}, - {file = "typing_extensions-4.8.0.tar.gz", hash = "sha256:df8e4339e9cb77357558cbdbceca33c303714cf861d1eef15e1070055ae8b7ef"}, + {file = "typing_extensions-4.10.0-py3-none-any.whl", hash = "sha256:69b1a937c3a517342112fb4c6df7e72fc39a38e7891a5730ed4985b5214b5475"}, + {file = "typing_extensions-4.10.0.tar.gz", hash = "sha256:b0abd7c89e8fb96f98db18d86106ff1d90ab692004eb746cf6eda2682f91b3cb"}, ] [[package]] name = "uc-micro-py" -version = "1.0.2" +version = "1.0.3" description = "Micro subset of unicode data files for linkify-it-py projects." -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "uc-micro-py-1.0.2.tar.gz", hash = "sha256:30ae2ac9c49f39ac6dce743bd187fcd2b574b16ca095fa74cd9396795c954c54"}, - {file = "uc_micro_py-1.0.2-py3-none-any.whl", hash = "sha256:8c9110c309db9d9e87302e2f4ad2c3152770930d88ab385cd544e7a7e75f3de0"}, + {file = "uc-micro-py-1.0.3.tar.gz", hash = "sha256:d321b92cff673ec58027c04015fcaa8bb1e005478643ff4a500882eaab88c48a"}, + {file = "uc_micro_py-1.0.3-py3-none-any.whl", hash = "sha256:db1dffff340817673d7b466ec86114a9dc0e9d4d9b5ba229d9d60e5c12600cd5"}, ] [package.extras] @@ -4131,7 +3992,6 @@ test = ["coverage", "pytest", "pytest-cov"] name = "uri-template" version = "1.3.0" description = "RFC 6570 URI Template Processor" -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4144,38 +4004,36 @@ dev = ["flake8", "flake8-annotations", "flake8-bandit", "flake8-bugbear", "flake [[package]] name = "urllib3" -version = "2.0.7" +version = "2.2.1" description = "HTTP library with thread-safe connection pooling, file post, and more." -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "urllib3-2.0.7-py3-none-any.whl", hash = "sha256:fdb6d215c776278489906c2f8916e6e7d4f5a9b602ccbcfdf7f016fc8da0596e"}, - {file = "urllib3-2.0.7.tar.gz", hash = "sha256:c97dfde1f7bd43a71c8d2a58e369e9b2bf692d1334ea9f9cae55add7d0dd0f84"}, + {file = "urllib3-2.2.1-py3-none-any.whl", hash = "sha256:450b20ec296a467077128bff42b73080516e71b56ff59a60a02bef2232c4fa9d"}, + {file = "urllib3-2.2.1.tar.gz", hash = "sha256:d0570876c61ab9e520d776c38acbbb5b05a776d3f9ff98a5c8fd5162a444cf19"}, ] [package.extras] brotli = ["brotli (>=1.0.9)", "brotlicffi (>=0.8.0)"] -secure = ["certifi", "cryptography (>=1.9)", "idna (>=2.0.0)", "pyopenssl (>=17.1.0)", "urllib3-secure-extra"] +h2 = ["h2 (>=4,<5)"] socks = ["pysocks (>=1.5.6,!=1.5.7,<2.0)"] zstd = ["zstandard (>=0.18.0)"] [[package]] name = "virtualenv" -version = "20.24.6" +version = "20.25.1" description = "Virtual Python Environment builder" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "virtualenv-20.24.6-py3-none-any.whl", hash = "sha256:520d056652454c5098a00c0f073611ccbea4c79089331f60bf9d7ba247bb7381"}, - {file = "virtualenv-20.24.6.tar.gz", hash = "sha256:02ece4f56fbf939dbbc33c0715159951d6bf14aaf5457b092e4548e1382455af"}, + {file = "virtualenv-20.25.1-py3-none-any.whl", hash = "sha256:961c026ac520bac5f69acb8ea063e8a4f071bcc9457b9c1f28f6b085c511583a"}, + {file = "virtualenv-20.25.1.tar.gz", hash = "sha256:e08e13ecdca7a0bd53798f356d5831434afa5b07b93f0abdf0797b7a06ffe197"}, ] [package.dependencies] distlib = ">=0.3.7,<1" filelock = ">=3.12.2,<4" -platformdirs = ">=3.9.1,<4" +platformdirs = ">=3.9.1,<5" [package.extras] docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.2)", "sphinx-argparse (>=0.4)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] @@ -4183,21 +4041,19 @@ test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess [[package]] name = "wcwidth" -version = "0.2.9" +version = "0.2.13" description = "Measures the displayed width of unicode strings in a terminal" -category = "main" optional = false python-versions = "*" files = [ - {file = "wcwidth-0.2.9-py2.py3-none-any.whl", hash = "sha256:9a929bd8380f6cd9571a968a9c8f4353ca58d7cd812a4822bba831f8d685b223"}, - {file = "wcwidth-0.2.9.tar.gz", hash = "sha256:a675d1a4a2d24ef67096a04b85b02deeecd8e226f57b5e3a72dbb9ed99d27da8"}, + {file = "wcwidth-0.2.13-py2.py3-none-any.whl", hash = "sha256:3da69048e4540d84af32131829ff948f1e022c1c6bdb8d6102117aac784f6859"}, + {file = "wcwidth-0.2.13.tar.gz", hash = "sha256:72ea0c06399eb286d978fdedb6923a9eb47e1c486ce63e9b4e64fc18303972b5"}, ] [[package]] name = "webcolors" version = "1.13" description = "A library for working with the color formats defined by HTML and CSS." -category = "dev" optional = false python-versions = ">=3.7" files = [ @@ -4213,7 +4069,6 @@ tests = ["pytest", "pytest-cov"] name = "webencodings" version = "0.5.1" description = "Character encoding aliases for legacy web content" -category = "main" optional = false python-versions = "*" files = [ @@ -4223,14 +4078,13 @@ files = [ [[package]] name = "websocket-client" -version = "1.6.4" +version = "1.7.0" description = "WebSocket client for Python with low level API options" -category = "dev" optional = false python-versions = ">=3.8" files = [ - {file = "websocket-client-1.6.4.tar.gz", hash = "sha256:b3324019b3c28572086c4a319f91d1dcd44e6e11cd340232978c684a7650d0df"}, - {file = "websocket_client-1.6.4-py3-none-any.whl", hash = "sha256:084072e0a7f5f347ef2ac3d8698a5e0b4ffbfcab607628cadabc650fc9a83a24"}, + {file = "websocket-client-1.7.0.tar.gz", hash = "sha256:10e511ea3a8c744631d3bd77e61eb17ed09304c413ad42cf6ddfa4c7787e8fe6"}, + {file = "websocket_client-1.7.0-py3-none-any.whl", hash = "sha256:f4c3d22fec12a2461427a29957ff07d35098ee2d976d3ba244e688b8b4057588"}, ] [package.extras] @@ -4240,14 +4094,13 @@ test = ["websockets"] [[package]] name = "werkzeug" -version = "2.3.7" +version = "2.3.8" description = "The comprehensive WSGI web application library." -category = "main" optional = false python-versions = ">=3.8" files = [ - {file = "werkzeug-2.3.7-py3-none-any.whl", hash = "sha256:effc12dba7f3bd72e605ce49807bbe692bd729c3bb122a3b91747a6ae77df528"}, - {file = "werkzeug-2.3.7.tar.gz", hash = "sha256:2b8c0e447b4b9dbcc85dd97b6eeb4dcbaf6c8b6c3be0bd654e25553e0a2157d8"}, + {file = "werkzeug-2.3.8-py3-none-any.whl", hash = "sha256:bba1f19f8ec89d4d607a3bd62f1904bd2e609472d93cd85e9d4e178f472c3748"}, + {file = "werkzeug-2.3.8.tar.gz", hash = "sha256:554b257c74bbeb7a0d254160a4f8ffe185243f52a52035060b761ca62d977f03"}, ] [package.dependencies] @@ -4258,14 +4111,13 @@ watchdog = ["watchdog (>=2.3)"] [[package]] name = "wheel" -version = "0.41.3" +version = "0.43.0" description = "A built-package format for Python" -category = "dev" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "wheel-0.41.3-py3-none-any.whl", hash = "sha256:488609bc63a29322326e05560731bf7bfea8e48ad646e1f5e40d366607de0942"}, - {file = "wheel-0.41.3.tar.gz", hash = "sha256:4d4987ce51a49370ea65c0bfd2234e8ce80a12780820d9dc462597a6e60d0841"}, + {file = "wheel-0.43.0-py3-none-any.whl", hash = "sha256:55c570405f142630c6b9f72fe09d9b67cf1477fcf543ae5b8dcb1f5b7377da81"}, + {file = "wheel-0.43.0.tar.gz", hash = "sha256:465ef92c69fa5c5da2d1cf8ac40559a8c940886afcef87dcf14b9470862f1d85"}, ] [package.extras] @@ -4273,21 +4125,19 @@ test = ["pytest (>=6.0.0)", "setuptools (>=65)"] [[package]] name = "widgetsnbextension" -version = "4.0.9" +version = "4.0.10" description = "Jupyter interactive widgets for Jupyter Notebook" -category = "dev" optional = false python-versions = ">=3.7" files = [ - {file = "widgetsnbextension-4.0.9-py3-none-any.whl", hash = "sha256:91452ca8445beb805792f206e560c1769284267a30ceb1cec9f5bcc887d15175"}, - {file = "widgetsnbextension-4.0.9.tar.gz", hash = "sha256:3c1f5e46dc1166dfd40a42d685e6a51396fd34ff878742a3e47c6f0cc4a2a385"}, + {file = "widgetsnbextension-4.0.10-py3-none-any.whl", hash = "sha256:d37c3724ec32d8c48400a435ecfa7d3e259995201fbefa37163124a9fcb393cc"}, + {file = "widgetsnbextension-4.0.10.tar.gz", hash = "sha256:64196c5ff3b9a9183a8e699a4227fb0b7002f252c814098e66c4d1cd0644688f"}, ] [[package]] name = "zipp" version = "3.17.0" description = "Backport of pathlib-compatible object wrapper for zip files" -category = "main" optional = false python-versions = ">=3.8" files = [ @@ -4304,9 +4154,10 @@ all = ["psycopg2"] all-ingresses = [] bacnet-ingress = [] postgres = ["psycopg2"] +topquadrant = ["brick-tq-shacl"] xlsx-ingress = [] [metadata] lock-version = "2.0" -python-versions = "^3.8, <3.12" -content-hash = "2458c9fffd306abb4ebb82cd8b7c7222ef6b28bfce7abda9de1e9bcec89d8dea" +python-versions = "^3.9, <3.12" +content-hash = "3c9c3d63634a166f9fea361e3d7475f79bec3563670b504de369707bc478e280" diff --git a/pyproject.toml b/pyproject.toml index 9c70bbb6d..c56dc3c41 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -19,15 +19,15 @@ documentation = "https://nrel.github.io/BuildingMOTIF" buildingmotif = 'buildingmotif.bin.cli:app' [tool.poetry.dependencies] -python = "^3.8, <3.12" -rdflib = "~6.2.0" +python = "^3.9, <3.12" +rdflib = ">=7.0" SQLAlchemy = "^1.4" pyaml = "^21.10.1" networkx = "^2.7.1" types-PyYAML = "^6.0.4" nbmake = "^1.3.0" rdflib-sqlalchemy = "^0.5.3" -pyshacl = "^0.21.0" +pyshacl = "^0.25.0" alembic = "^1.8.0" Flask = "^2.1.2" Flask-API = "^3.0.post1" @@ -35,9 +35,8 @@ rfc3987 = "^1.3.8" setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" -jsonschema = "^4.17.3" -types-jsonschema = "^4.17.0.6" - +jsonschema = "^4.21.1" +brick-tq-shacl = {optional = true, version="0.2.0"} werkzeug="^2.3.7" [tool.poetry.group.dev.dependencies] @@ -58,10 +57,13 @@ BAC0 = "^22.9.21" netifaces = "^0.11.0" pytz = "^2022.7.1" openpyxl = "^3.0.10" +pytest = "^8.0.2" +snakeviz = "^2.2.0" [tool.poetry.extras] all = ["BAC0", "openpyxl", "netifaces", "pytz", "psycopg2"] postgres = ["psycopg2"] +topquadrant = ["brick-tq-shacl"] # dependencies for ingresses (e.g. BAC0, openpyxl) should be included in dev dependencies bacnet-ingress = ["BAC0", "netifaces", "pytz"] xlsx-ingress = ["openpyxl"] diff --git a/tests/unit/conftest.py b/tests/unit/conftest.py index 0797c83f8..1d02638c2 100644 --- a/tests/unit/conftest.py +++ b/tests/unit/conftest.py @@ -100,3 +100,7 @@ def pytest_generate_tests(metafunc): if "builtin_ontology" in metafunc.fixturenames: builtin_ontology = {"brick/Brick.ttl", "constraints/constraints.ttl"} metafunc.parametrize("builtin_ontology", builtin_ontology) + + if "shacl_engine" in metafunc.fixturenames: + shacl_engine = {"pyshacl", "topquadrant"} + metafunc.parametrize("shacl_engine", shacl_engine) diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index 3653f47cd..5e10dd8cf 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -53,7 +53,7 @@ def test_update_model_manifest(clean_building_motif): assert len(list(m.get_manifest().graph.subjects(RDF.type, SH.NodeShape))) == 2 -def test_validate_model_manifest(clean_building_motif): +def test_validate_model_manifest(clean_building_motif, shacl_engine): m = Model.create(name="https://example.com", description="a very good model") m.graph.add((URIRef("https://example.com/vav1"), A, BRICK.VAV)) @@ -63,7 +63,7 @@ def test_validate_model_manifest(clean_building_motif): m.update_manifest(lib.get_shape_collection()) # validate against manifest -- should fail - result = m.validate() + result = m.validate(engine=shacl_engine) assert not result.valid # add triples to graph to validate @@ -85,11 +85,11 @@ def test_validate_model_manifest(clean_building_motif): m.graph.add((URIRef("https://example.com/temp"), A, BRICK.Temperature_Sensor)) # validate against manifest -- should pass - result = m.validate() + result = m.validate(engine=shacl_engine) assert result.valid -def test_validate_model_manifest_with_imports(clean_building_motif): +def test_validate_model_manifest_with_imports(clean_building_motif, shacl_engine): m = Model.create(name="https://example.com", description="a very good model") m.graph.add((URIRef("https://example.com/vav1"), A, BRICK.VAV)) @@ -124,11 +124,11 @@ def test_validate_model_manifest_with_imports(clean_building_motif): ) # validate against manifest -- should pass now - result = m.validate(error_on_missing_imports=False) + result = m.validate(engine=shacl_engine) assert result.valid, result.report_string -def test_validate_model_explicit_shapes(clean_building_motif): +def test_validate_model_explicit_shapes(clean_building_motif, shacl_engine): # load library lib = Library.load(ontology_graph="tests/unit/fixtures/shapes/shape1.ttl") assert lib is not None @@ -137,7 +137,7 @@ def test_validate_model_explicit_shapes(clean_building_motif): m = Model.create(name=BLDG) m.add_triples((BLDG["vav1"], A, BRICK.VAV)) - ctx = m.validate([lib.get_shape_collection()]) + ctx = m.validate([lib.get_shape_collection()], engine=shacl_engine) assert not ctx.valid m.add_triples((BLDG["vav1"], A, BRICK.VAV)) @@ -146,13 +146,13 @@ def test_validate_model_explicit_shapes(clean_building_motif): m.add_triples((BLDG["vav1"], BRICK.hasPoint, BLDG["flow_sensor"])) m.add_triples((BLDG["flow_sensor"], A, BRICK.Air_Flow_Sensor)) - ctx = m.validate([lib.get_shape_collection()]) + ctx = m.validate([lib.get_shape_collection()], engine=shacl_engine) assert ctx.valid assert len(ctx.diffset) == 0 -def test_validate_model_with_failure(bm: BuildingMOTIF): +def test_validate_model_with_failure(bm: BuildingMOTIF, shacl_engine): """ Test that a model correctly validates """ @@ -184,7 +184,7 @@ def test_validate_model_with_failure(bm: BuildingMOTIF): model.add_graph(hvac_zone_instance) # validate the graph (should fail because there are no labels) - ctx = model.validate([shape_lib.get_shape_collection()]) + ctx = model.validate([shape_lib.get_shape_collection()], engine=shacl_engine) assert isinstance(ctx, ValidationContext) assert not ctx.valid assert len(ctx.diffset) == 1 @@ -197,7 +197,7 @@ def test_validate_model_with_failure(bm: BuildingMOTIF): model.add_triples((bindings["name"], RDFS.label, Literal("hvac zone 1"))) # validate the graph (should now be valid) - ctx = model.validate([shape_lib.get_shape_collection()]) + ctx = model.validate([shape_lib.get_shape_collection()], engine=shacl_engine) assert isinstance(ctx, ValidationContext) assert ctx.valid @@ -230,7 +230,7 @@ def test_get_manifest(clean_building_motif): assert isomorphic(manifest.load(manifest.id).graph, manifest.graph) -def test_validate_with_manifest(clean_building_motif): +def test_validate_with_manifest(clean_building_motif, shacl_engine): g = Graph() g.parse( data=""" @@ -267,5 +267,5 @@ def test_validate_with_manifest(clean_building_motif): manifest = model.get_manifest() manifest.add_graph(manifest_g) - ctx = model.validate(None) + ctx = model.validate(None, engine=shacl_engine) assert not ctx.valid, "Model validated but it should throw an error" diff --git a/tests/unit/test_utils.py b/tests/unit/test_utils.py index 8693c7f81..240b3dd61 100644 --- a/tests/unit/test_utils.py +++ b/tests/unit/test_utils.py @@ -1,4 +1,3 @@ -import pyshacl # type: ignore import pytest from rdflib import Graph, Namespace, URIRef @@ -12,6 +11,7 @@ get_template_parts_from_shape, replace_nodes, rewrite_shape_graph, + shacl_validate, skip_uri, ) @@ -112,7 +112,7 @@ def test_get_parameters(): assert get_parameters(body) == {"name", "1", "2", "3", "4"} -def test_inline_sh_nodes(): +def test_inline_sh_nodes(shacl_engine): shape_g = Graph() shape_g.parse( data="""@prefix sh: . @@ -143,21 +143,23 @@ def test_inline_sh_nodes(): . """ ) - # should not raise an exception - pyshacl.validate(shape_g) + # should pass + valid, _, report = shacl_validate(shape_g, engine=shacl_engine) + assert valid, report shape1_cbd = shape_g.cbd(URIRef("urn:ex/shape1")) assert len(shape1_cbd) == 3 shape_g = rewrite_shape_graph(shape_g) - # should not raise an exception - pyshacl.validate(shape_g) + # should pass + valid, _, report = shacl_validate(shape_g, engine=shacl_engine) + assert valid, report shape1_cbd = shape_g.cbd(URIRef("urn:ex/shape1")) assert len(shape1_cbd) == 8 -def test_inline_sh_and(bm: BuildingMOTIF): +def test_inline_sh_and(bm: BuildingMOTIF, shacl_engine): sg = Graph() sg.parse( data=PREAMBLE @@ -192,7 +194,7 @@ def test_inline_sh_and(bm: BuildingMOTIF): sc = ShapeCollection.create() sc.add_graph(new_sg) - ctx = model.validate([sc]) + ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid assert ( "Value class is not in classes (brick:Class2, brick:Class3)" @@ -211,7 +213,7 @@ def test_inline_sh_and(bm: BuildingMOTIF): ) -def test_inline_sh_node(bm: BuildingMOTIF): +def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): sg = Graph() sg.parse( data=PREAMBLE @@ -246,7 +248,7 @@ def test_inline_sh_node(bm: BuildingMOTIF): sc = ShapeCollection.create() sc.add_graph(new_sg) - ctx = model.validate([sc]) + ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid, ctx.report_string assert ( "Value class is not in classes (brick:Class2, brick:Class3)" From 95cee3fd5aa39a0f85e5fc8aa95b1397c8c2ec8f Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 12 Mar 2024 15:29:20 -0600 Subject: [PATCH 24/61] fix interactions with shacl inference --- buildingmotif/dataclasses/library.py | 2 +- buildingmotif/utils.py | 11 ++++- poetry.lock | 60 ++++++++++++++-------------- pyproject.toml | 2 +- tests/unit/test_template_api.py | 5 ++- 5 files changed, 44 insertions(+), 36 deletions(-) diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index f6482c9e4..9a9672776 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -248,7 +248,7 @@ def _load_from_ontology( # expand the ontology graph before we insert it into the database. This will ensure # that the output of compiled models will not contain triples that really belong to # the ontology - shacl_inference(ontology, ontology) + ontology = shacl_inference(ontology) lib = cls.create(ontology_name, overwrite=overwrite) diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 702f1c390..40ca8e069 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -547,6 +547,10 @@ def shacl_validate( :type data_graph: Graph :param shape_graph: the shape graph to validate against :type shape_graph: Graph, optional + :param engine: the SHACL engine to use, defaults to "topquadrant" + :type engine: str, optional + :return: a tuple containing the validation result, the validation report, and the validation report string + :rtype: Tuple[bool, Graph, str] """ if engine == "topquadrant": @@ -571,8 +575,8 @@ def shacl_validate( def shacl_inference( - data_graph: Graph, shape_graph: Optional[Graph], engine="topquadrant" -): + data_graph: Graph, shape_graph: Optional[Graph] = None, engine="topquadrant" +) -> Graph: """ Infer new triples in the data graph using the shape graph. Edits the data graph in place. Uses the fastest inference method available. @@ -585,6 +589,8 @@ def shacl_inference( :type shape_graph: Optional[Graph] :param engine: the SHACL engine to use, defaults to "topquadrant" :type engine: str, optional + :return: the data graph with inferred triples + :rtype: Graph """ if engine == "topquadrant": try: @@ -606,3 +612,4 @@ def shacl_inference( js=True, allow_warnings=True, ) + return data_graph diff --git a/poetry.lock b/poetry.lock index 0e7757de9..a8417cb9e 100644 --- a/poetry.lock +++ b/poetry.lock @@ -331,13 +331,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.2.0" +version = "0.3.1a3" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true python-versions = ">=3.9,<4.0" files = [ - {file = "brick_tq_shacl-0.2.0-py3-none-any.whl", hash = "sha256:81c793853603d6ea1ff0f5caf6f0d4ce45104cb31915c6f038ab355fd78a8e9b"}, - {file = "brick_tq_shacl-0.2.0.tar.gz", hash = "sha256:37857780309d8b8ceba2930fc85ce344efefd67fc06eb8b4b68dc3a3ede500fd"}, + {file = "brick_tq_shacl-0.3.1a3-py3-none-any.whl", hash = "sha256:6f6945b7ad8f70552d1f6e7c377277e2779742237f022449382eac91084f7bc4"}, + {file = "brick_tq_shacl-0.3.1a3.tar.gz", hash = "sha256:8c153c3c4d847a43dae5a2b623f544250c2deb1fa41df2eae222cb5cabd018b0"}, ] [package.dependencies] @@ -555,13 +555,13 @@ files = [ [[package]] name = "comm" -version = "0.2.1" +version = "0.2.2" description = "Jupyter Python Comm implementation, for usage in ipykernel, xeus-python etc." optional = false python-versions = ">=3.8" files = [ - {file = "comm-0.2.1-py3-none-any.whl", hash = "sha256:87928485c0dfc0e7976fd89fc1e187023cf587e7c353e4a9b417555b44adf021"}, - {file = "comm-0.2.1.tar.gz", hash = "sha256:0bc91edae1344d39d3661dcbc36937181fdaddb304790458f8b044dbc064b89a"}, + {file = "comm-0.2.2-py3-none-any.whl", hash = "sha256:e6fb86cb70ff661ee8c9c14e7d36d6de3b4066f1441be4063df9c5009f0a64d3"}, + {file = "comm-0.2.2.tar.gz", hash = "sha256:3fd7a84065306e07bea1773df6eb8282de51ba82f77c72f9c85716ab11fe980e"}, ] [package.dependencies] @@ -1393,13 +1393,13 @@ testing = ["coverage", "ipykernel", "jupytext", "matplotlib", "nbdime", "nbforma [[package]] name = "jupyter-client" -version = "8.6.0" +version = "8.6.1" description = "Jupyter protocol implementation and client libraries" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_client-8.6.0-py3-none-any.whl", hash = "sha256:909c474dbe62582ae62b758bca86d6518c85234bdee2d908c778db6d72f39d99"}, - {file = "jupyter_client-8.6.0.tar.gz", hash = "sha256:0642244bb83b4764ae60d07e010e15f0e2d275ec4e918a8f7b80fbbef3ca60c7"}, + {file = "jupyter_client-8.6.1-py3-none-any.whl", hash = "sha256:3b7bd22f058434e3b9a7ea4b1500ed47de2713872288c0d511d19926f99b459f"}, + {file = "jupyter_client-8.6.1.tar.gz", hash = "sha256:e842515e2bab8e19186d89fdfea7abd15e39dd581f94e399f00e2af5a1652d3f"}, ] [package.dependencies] @@ -1440,13 +1440,13 @@ test = ["flaky", "pexpect", "pytest"] [[package]] name = "jupyter-core" -version = "5.7.1" +version = "5.7.2" description = "Jupyter core package. A base package on which Jupyter projects rely." optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_core-5.7.1-py3-none-any.whl", hash = "sha256:c65c82126453a723a2804aa52409930434598fd9d35091d63dfb919d2b765bb7"}, - {file = "jupyter_core-5.7.1.tar.gz", hash = "sha256:de61a9d7fc71240f688b2fb5ab659fbb56979458dc66a71decd098e03c79e218"}, + {file = "jupyter_core-5.7.2-py3-none-any.whl", hash = "sha256:4f7315d2f6b4bcf2e3e7cb6e46772eba760ae459cd1f59d29eb57b0a01bd7409"}, + {file = "jupyter_core-5.7.2.tar.gz", hash = "sha256:aa5f8d32bbf6b431ac830496da7392035d6f61b4f54872f15c4bd2a9c3f536d9"}, ] [package.dependencies] @@ -1456,17 +1456,17 @@ traitlets = ">=5.3" [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx-autodoc-typehints", "sphinxcontrib-github-alt", "sphinxcontrib-spelling", "traitlets"] -test = ["ipykernel", "pre-commit", "pytest", "pytest-cov", "pytest-timeout"] +test = ["ipykernel", "pre-commit", "pytest (<8)", "pytest-cov", "pytest-timeout"] [[package]] name = "jupyter-events" -version = "0.9.0" +version = "0.9.1" description = "Jupyter Event System library" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_events-0.9.0-py3-none-any.whl", hash = "sha256:d853b3c10273ff9bc8bb8b30076d65e2c9685579db736873de6c2232dde148bf"}, - {file = "jupyter_events-0.9.0.tar.gz", hash = "sha256:81ad2e4bc710881ec274d31c6c50669d71bbaa5dd9d01e600b56faa85700d399"}, + {file = "jupyter_events-0.9.1-py3-none-any.whl", hash = "sha256:e51f43d2c25c2ddf02d7f7a5045f71fc1d5cb5ad04ef6db20da961c077654b9b"}, + {file = "jupyter_events-0.9.1.tar.gz", hash = "sha256:a52e86f59eb317ee71ff2d7500c94b963b8a24f0b7a1517e2e653e24258e15c7"}, ] [package.dependencies] @@ -1536,13 +1536,13 @@ test = ["flaky", "ipykernel", "pre-commit", "pytest (>=7.0)", "pytest-console-sc [[package]] name = "jupyter-server-terminals" -version = "0.5.2" +version = "0.5.3" description = "A Jupyter Server Extension Providing Terminals." optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_server_terminals-0.5.2-py3-none-any.whl", hash = "sha256:1b80c12765da979513c42c90215481bbc39bd8ae7c0350b4f85bc3eb58d0fa80"}, - {file = "jupyter_server_terminals-0.5.2.tar.gz", hash = "sha256:396b5ccc0881e550bf0ee7012c6ef1b53edbde69e67cab1d56e89711b46052e8"}, + {file = "jupyter_server_terminals-0.5.3-py3-none-any.whl", hash = "sha256:41ee0d7dc0ebf2809c668e0fc726dfaf258fcd3e769568996ca731b6194ae9aa"}, + {file = "jupyter_server_terminals-0.5.3.tar.gz", hash = "sha256:5ae0295167220e9ace0edcfdb212afd2b01ee8d179fe6f23c899590e9b8a5269"}, ] [package.dependencies] @@ -2036,13 +2036,13 @@ webpdf = ["playwright"] [[package]] name = "nbformat" -version = "5.9.2" +version = "5.10.2" description = "The Jupyter Notebook format" optional = false python-versions = ">=3.8" files = [ - {file = "nbformat-5.9.2-py3-none-any.whl", hash = "sha256:1c5172d786a41b82bcfd0c23f9e6b6f072e8fb49c39250219e4acfff1efe89e9"}, - {file = "nbformat-5.9.2.tar.gz", hash = "sha256:5f98b5ba1997dff175e77e0c17d5c10a96eaed2cbd1de3533d1fc35d5e111192"}, + {file = "nbformat-5.10.2-py3-none-any.whl", hash = "sha256:7381189a0d537586b3f18bae5dbad347d7dd0a7cf0276b09cdcd5c24d38edd99"}, + {file = "nbformat-5.10.2.tar.gz", hash = "sha256:c535b20a0d4310167bf4d12ad31eccfb0dc61e6392d6f8c570ab5b45a06a49a3"}, ] [package.dependencies] @@ -3847,13 +3847,13 @@ widechars = ["wcwidth"] [[package]] name = "terminado" -version = "0.18.0" +version = "0.18.1" description = "Tornado websocket backend for the Xterm.js Javascript terminal emulator library." optional = false python-versions = ">=3.8" files = [ - {file = "terminado-0.18.0-py3-none-any.whl", hash = "sha256:87b0d96642d0fe5f5abd7783857b9cab167f221a39ff98e3b9619a788a3c0f2e"}, - {file = "terminado-0.18.0.tar.gz", hash = "sha256:1ea08a89b835dd1b8c0c900d92848147cef2537243361b2e3f4dc15df9b6fded"}, + {file = "terminado-0.18.1-py3-none-any.whl", hash = "sha256:a4468e1b37bb318f8a86514f65814e1afc977cf29b3992a4500d9dd305dcceb0"}, + {file = "terminado-0.18.1.tar.gz", hash = "sha256:de09f2c4b85de4765f7714688fff57d3e75bad1f909b589fde880460c753fd2e"}, ] [package.dependencies] @@ -3928,18 +3928,18 @@ files = [ [[package]] name = "traitlets" -version = "5.14.1" +version = "5.14.2" description = "Traitlets Python configuration system" optional = false python-versions = ">=3.8" files = [ - {file = "traitlets-5.14.1-py3-none-any.whl", hash = "sha256:2e5a030e6eff91737c643231bfcf04a65b0132078dad75e4936700b213652e74"}, - {file = "traitlets-5.14.1.tar.gz", hash = "sha256:8585105b371a04b8316a43d5ce29c098575c2e477850b62b848b964f1444527e"}, + {file = "traitlets-5.14.2-py3-none-any.whl", hash = "sha256:fcdf85684a772ddeba87db2f398ce00b40ff550d1528c03c14dbf6a02003cd80"}, + {file = "traitlets-5.14.2.tar.gz", hash = "sha256:8cdd83c040dab7d1dee822678e5f5d100b514f7b72b01615b26fc5718916fdf9"}, ] [package.extras] docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] -test = ["argcomplete (>=3.0.3)", "mypy (>=1.7.0)", "pre-commit", "pytest (>=7.0,<7.5)", "pytest-mock", "pytest-mypy-testing"] +test = ["argcomplete (>=3.0.3)", "mypy (>=1.7.0)", "pre-commit", "pytest (>=7.0,<8.1)", "pytest-mock", "pytest-mypy-testing"] [[package]] name = "types-python-dateutil" @@ -4160,4 +4160,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = "^3.9, <3.12" -content-hash = "3c9c3d63634a166f9fea361e3d7475f79bec3563670b504de369707bc478e280" +content-hash = "48dab4aae39b70186318aa57409f6cf5441a57ce29f6f366dc19ee3f777f1367" diff --git a/pyproject.toml b/pyproject.toml index c56dc3c41..9f2a16f5a 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.2.0"} +brick-tq-shacl = {optional = true, version="0.3.1a3"} werkzeug="^2.3.7" [tool.poetry.group.dev.dependencies] diff --git a/tests/unit/test_template_api.py b/tests/unit/test_template_api.py index ef7d2239d..67d9538a9 100644 --- a/tests/unit/test_template_api.py +++ b/tests/unit/test_template_api.py @@ -1,4 +1,5 @@ import pytest +import warnings from rdflib import Graph, Namespace from buildingmotif import BuildingMOTIF @@ -198,9 +199,9 @@ def test_template_evaluate_with_optional(bm: BuildingMOTIF): assert t.parameters == {"occ"} # assert no warning is raised when optional args are not required - with pytest.warns(None) as record: + with warnings.catch_warnings(): + warnings.simplefilter("error") t = templ.evaluate({"name": BLDG["vav"]}) - assert len(record) == 0 with pytest.warns(): partial_templ = templ.evaluate( From 91e90d2df36da4b7082ba28246e44ce4ca9619a3 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 18:20:21 -0600 Subject: [PATCH 25/61] tightening up the implementation and use of the shacl_* methods --- buildingmotif/dataclasses/model.py | 70 +++++++++---------------- buildingmotif/dataclasses/validation.py | 9 ++-- buildingmotif/utils.py | 30 +++++++++-- 3 files changed, 57 insertions(+), 52 deletions(-) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index 7ecac3974..4c44357a4 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -147,7 +147,7 @@ def validate( self, shape_collections: Optional[List[ShapeCollection]] = None, error_on_missing_imports: bool = True, - engine: str = "pyshacl", + engine: Optional[str] = "pyshacl", ) -> "ValidationContext": """Validates this model against the given list of ShapeCollections. If no list is provided, the model will be validated against the model's "manifest". @@ -185,28 +185,40 @@ def validate( ).graph # inline sh:node for interpretability shapeg = rewrite_shape_graph(shapeg) + + # skolemize the shape graph so we have consistent identifiers across + # validation through the interpretation of the validation report + shapeg = shapeg.skolemize() + + shapeg.serialize("/tmp/shapeg.ttl", format="turtle") + # TODO: do we want to preserve the materialized triples added to data_graph via reasoning? data_graph = copy_graph(self.graph) - - # perform inference on the data graph - shacl_inference(data_graph, shapeg) + data_graph.serialize("/tmp/data_graph.ttl", format="turtle") # validate the data graph valid, report_g, report_str = shacl_validate(data_graph, shapeg, engine) return ValidationContext( shape_collections, + shapeg, valid, report_g, report_str, self, ) - def compile(self, shape_collections: List["ShapeCollection"]): + def compile( + self, shape_collections: List["ShapeCollection"], engine: str = "pyshacl" + ): """Compile the graph of a model against a set of ShapeCollections. :param shape_collections: list of ShapeCollections to compile the model against :type shape_collections: List[ShapeCollection] + :param engine: the engine to use for validation. "pyshacl" or "topquadrant". Using topquadrant + requires Java to be installed on this machine, and the "topquadrant" feature on BuildingMOTIF, + defaults to "pyshacl" + :type engine: str :return: copy of model's graph that has been compiled against the ShapeCollections :rtype: Graph @@ -219,39 +231,7 @@ def compile(self, shape_collections: List["ShapeCollection"]): model_graph = copy_graph(self.graph).skolemize() - # We use a fixed-point computation approach to 'compiling' RDF models. - # We accomlish this by keeping track of the size of the graph before and after - # the inference step. If the size of the graph changes, then we know that the - # inference has had some effect. We do this at most 3 times to avoid looping - # forever. - pre_compile_length = len(model_graph) # type: ignore - pyshacl.validate( - data_graph=model_graph, - shacl_graph=ontology_graph, - ont_graph=ontology_graph, - advanced=True, - inplace=True, - js=True, - allow_warnings=True, - ) - post_compile_length = len(model_graph) # type: ignore - - attempts = 3 - while attempts > 0 and post_compile_length != pre_compile_length: - pre_compile_length = len(model_graph) # type: ignore - pyshacl.validate( - data_graph=model_graph, - shacl_graph=ontology_graph, - ont_graph=ontology_graph, - advanced=True, - inplace=True, - js=True, - allow_warnings=True, - ) - post_compile_length = len(model_graph) # type: ignore - attempts -= 1 - model_graph -= ontology_graph - return model_graph.de_skolemize() + return shacl_inference(model_graph, ontology_graph, engine) def test_model_against_shapes( self, @@ -298,15 +278,17 @@ def test_model_against_shapes( temp_model_graph += ontology_graph.cbd(shape_uri) - valid, report_g, report_str = pyshacl.validate( - data_graph=temp_model_graph, - ont_graph=ontology_graph, - allow_warnings=True, - advanced=True, - js=True, + # skolemize the shape graph so we have consistent identifiers across + # validation through the interpretation of the validation report + ontology_graph = ontology_graph.skolemize() + + valid, report_g, report_str = shacl_validate( + temp_model_graph, ontology_graph ) + results[shape_uri] = ValidationContext( shape_collections, + ontology_graph, valid, report_g, report_str, diff --git a/buildingmotif/dataclasses/validation.py b/buildingmotif/dataclasses/validation.py index 34872f3be..0906c72f4 100644 --- a/buildingmotif/dataclasses/validation.py +++ b/buildingmotif/dataclasses/validation.py @@ -252,6 +252,9 @@ class ValidationContext: """ shape_collections: List[ShapeCollection] + # the shapes graph that was used to validate the model + # This will be skolemized! + shapes_graph: Graph valid: bool report: rdflib.Graph report_string: str @@ -264,10 +267,6 @@ def diffset(self) -> Dict[Optional[URIRef], Set[GraphDiff]]: """ return self._report_to_diffset() - @cached_property - def _context(self) -> Graph: - return sum((sc.graph for sc in self.shape_collections), start=Graph()) # type: ignore - def as_templates(self) -> List["Template"]: """Produces the set of templates that reconcile the GraphDiffs from the SHACL validation report. @@ -325,7 +324,7 @@ def _report_to_diffset(self) -> Dict[Optional[URIRef], Set[GraphDiff]]: # TODO: for future use # proppath = SH["property"] | (SH.qualifiedValueShape / SH["property"]) # type: ignore - g = self.report + self._context + g = self.report + self.shapes_graph diffs: Dict[Optional[URIRef], Set[GraphDiff]] = defaultdict(set) for result in g.objects(predicate=SH.result): # check if the failure is due to our count constraint component diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 40ca8e069..dcab41d99 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -557,7 +557,7 @@ def shacl_validate( try: from brick_tq_shacl.topquadrant_shacl import validate as tq_validate - return tq_validate(data_graph, shape_graph or Graph()) # type: ignore + return tq_validate(data_graph.skolemize(), (shape_graph or Graph()).skolemize()) # type: ignore except ImportError: logging.info( "TopQuadrant SHACL engine not available. Using PySHACL instead." @@ -596,13 +596,21 @@ def shacl_inference( try: from brick_tq_shacl.topquadrant_shacl import infer as tq_infer - return tq_infer(data_graph, shape_graph or Graph()) + return tq_infer( + data_graph.skolemize(), (shape_graph or Graph()).skolemize() + ) except ImportError: logging.info( "TopQuadrant SHACL engine not available. Using PySHACL instead." ) pass + # We use a fixed-point computation approach to 'compiling' RDF models. + # We accomlish this by keeping track of the size of the graph before and after + # the inference step. If the size of the graph changes, then we know that the + # inference has had some effect. We do this at most 3 times to avoid looping + # forever. + pre_compile_length = len(data_graph) # type: ignore pyshacl.validate( data_graph=data_graph, shacl_graph=shape_graph, @@ -612,4 +620,20 @@ def shacl_inference( js=True, allow_warnings=True, ) - return data_graph + post_compile_length = len(data_graph) # type: ignore + + attempts = 3 + while attempts > 0 and post_compile_length != pre_compile_length: + pre_compile_length = len(data_graph) # type: ignore + pyshacl.validate( + data_graph=data_graph, + shacl_graph=shape_graph, + ont_graph=shape_graph, + advanced=True, + inplace=True, + js=True, + allow_warnings=True, + ) + post_compile_length = len(data_graph) # type: ignore + attempts -= 1 + return data_graph - (shape_graph or Graph()) From 936e830de5060fc22b13d66d2beffda7591a2526 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 18:21:14 -0600 Subject: [PATCH 26/61] support specifying shacl engine in the API --- buildingmotif/api/views/model.py | 10 +++++++--- buildingmotif/dataclasses/model.py | 1 - 2 files changed, 7 insertions(+), 4 deletions(-) diff --git a/buildingmotif/api/views/model.py b/buildingmotif/api/views/model.py index 97d1772fc..28052b4a8 100644 --- a/buildingmotif/api/views/model.py +++ b/buildingmotif/api/views/model.py @@ -164,8 +164,9 @@ def validate_model(models_id: int) -> flask.Response: return {"message": f"No model with id {models_id}"}, status.HTTP_404_NOT_FOUND shape_collections = [] + shacl_engine = None - # no body provided -- default to model manifest + # no body provided -- default to model manifest and default SHACL engine if request.content_length is None: shape_collections = [model.get_manifest()] else: @@ -196,15 +197,18 @@ def validate_model(models_id: int) -> flask.Response: "message": f"Libraries with ids {nonexistent_libraries} do not exist" }, status.HTTP_400_BAD_REQUEST + # get shacl engine if it is provided + shacl_engine = body.get("shacl_engine", None) + # if shape_collections is empty, model.validate will default # to the model's manifest - vaildation_context = model.validate(shape_collections) + vaildation_context = model.validate(shape_collections, engine=shacl_engine) return { "message": vaildation_context.report_string, "valid": vaildation_context.valid, "reasons": { - focus_node: [gd.reason() for gd in grahdiffs] + focus_node: list(set(gd.reason() for gd in grahdiffs)) for focus_node, grahdiffs in vaildation_context.diffset.items() }, }, status.HTTP_200_OK diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index 4c44357a4..4e7cf5ac4 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -1,7 +1,6 @@ from dataclasses import dataclass from typing import TYPE_CHECKING, Dict, List, Optional -import pyshacl import rdflib import rfc3987 from rdflib import URIRef From 7a1a78676bf725d4f4ac987c79ebe6e8182d3583 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 18:37:17 -0600 Subject: [PATCH 27/61] update tests; test both pyshacl and topquadrant --- tests/unit/api/test_model.py | 4 +- tests/unit/dataclasses/test_model.py | 17 +- tests/unit/fixtures/shapes/shape2.ttl | 2 + .../fixtures/smallOffice_brick_compiled.ttl | 3617 +++-------------- tests/unit/test_template_api.py | 3 +- tests/unit/test_utils.py | 78 +- 6 files changed, 671 insertions(+), 3050 deletions(-) diff --git a/tests/unit/api/test_model.py b/tests/unit/api/test_model.py index 27a8d25f6..ee8f30817 100644 --- a/tests/unit/api/test_model.py +++ b/tests/unit/api/test_model.py @@ -253,7 +253,7 @@ def test_create_model_bad_name(client, building_motif): assert len(building_motif.table_connection.get_all_db_models()) == 0 -def test_validate_model(client, building_motif): +def test_validate_model(client, building_motif, shacl_engine): # Set up library_1 = Library.load(ontology_graph="tests/unit/fixtures/shapes/shape1.ttl") assert library_1 is not None @@ -268,7 +268,7 @@ def test_validate_model(client, building_motif): results = client.post( f"/models/{model.id}/validate", headers={"Content-Type": "application/json"}, - json={"library_ids": [library_1.id, library_2.id]}, + json={"library_ids": [library_1.id, library_2.id], "shacl_engine": shacl_engine}, ) # Assert diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index 5e10dd8cf..d2e6050cb 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -1,6 +1,6 @@ import pytest -from rdflib import BNode, Graph, Literal, Namespace, URIRef -from rdflib.compare import isomorphic +from rdflib import Graph, Literal, Namespace, URIRef +from rdflib.compare import isomorphic, graph_diff, to_isomorphic from rdflib.namespace import FOAF from buildingmotif import BuildingMOTIF @@ -189,10 +189,6 @@ def test_validate_model_with_failure(bm: BuildingMOTIF, shacl_engine): assert not ctx.valid assert len(ctx.diffset) == 1 diff = next(iter(ctx.diffset.values())).pop() - assert isinstance(diff.failed_shape, BNode), ( - diff.failed_shape, - type(diff.failed_shape), - ) assert diff.failed_component == SH.MinCountConstraintComponent model.add_triples((bindings["name"], RDFS.label, Literal("hvac zone 1"))) @@ -202,7 +198,7 @@ def test_validate_model_with_failure(bm: BuildingMOTIF, shacl_engine): assert ctx.valid -def test_model_compile(bm: BuildingMOTIF): +def test_model_compile(bm: BuildingMOTIF, shacl_engine): """Test that model compilation gives expected results""" small_office_model = Model.create("http://example.org/building/") small_office_model.graph.parse( @@ -211,13 +207,16 @@ def test_model_compile(bm: BuildingMOTIF): brick = Library.load(ontology_graph="libraries/brick/Brick-full.ttl") - compiled_model = small_office_model.compile([brick.get_shape_collection()]) + compiled_model = small_office_model.compile([brick.get_shape_collection()], engine=shacl_engine) precompiled_model = Graph().parse( "tests/unit/fixtures/smallOffice_brick_compiled.ttl", format="ttl" ) - assert isomorphic(compiled_model, precompiled_model) + # returns in_both, in_first, in_second + _, in_first, _ = graph_diff(to_isomorphic(precompiled_model), to_isomorphic(compiled_model)) + # passes if everything from precompiled_model is in compiled_model + assert len(in_first) == 0 def test_get_manifest(clean_building_motif): diff --git a/tests/unit/fixtures/shapes/shape2.ttl b/tests/unit/fixtures/shapes/shape2.ttl index 8c08d0864..b14cc9dd1 100644 --- a/tests/unit/fixtures/shapes/shape2.ttl +++ b/tests/unit/fixtures/shapes/shape2.ttl @@ -14,6 +14,7 @@ sh:path brick:hasPoint ; sh:qualifiedValueShape [ sh:class brick:Air_Flow_Sensor ] ; sh:qualifiedMinCount 1 ; + sh:message "VAV must have at least one air flow sensor" ; sh:minCount 1; ] ; . @@ -24,6 +25,7 @@ sh:path brick:hasPoint ; sh:qualifiedValueShape [ sh:class brick:Temperature_Sensor ] ; sh:qualifiedMinCount 1 ; + sh:message "Terminal Unit must have at least one temperature sensor" ; sh:minCount 1; ] ; . diff --git a/tests/unit/fixtures/smallOffice_brick_compiled.ttl b/tests/unit/fixtures/smallOffice_brick_compiled.ttl index 5bccf2a96..1463e98f1 100644 --- a/tests/unit/fixtures/smallOffice_brick_compiled.ttl +++ b/tests/unit/fixtures/smallOffice_brick_compiled.ttl @@ -4,3273 +4,876 @@ a owl:Ontology . - brick:isTagOf brick:Collection_Basin_Water . - - brick:isTagOf brick:Blowdown_Water . - - brick:isTagOf brick:Bypass_Air, - brick:Bypass_Water . - - brick:isTagOf brick:CO . - - brick:isTagOf brick:CO2, - brick:Liquid_CO2 . - - brick:isTagOf brick:Chilled_Water, - brick:Entering_Chilled_Water, - brick:Leaving_Chilled_Water . - - brick:isTagOf brick:Collection_Basin_Water . - - brick:isTagOf brick:Condenser_Water, - brick:Entering_Condenser_Water, - brick:Leaving_Condenser_Water . - - brick:isTagOf brick:Deionized_Water . - - brick:isTagOf brick:Domestic_Water . - - brick:isTagOf brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water . - - brick:isTagOf brick:Air, - brick:Blowdown_Water, - brick:Building_Air, - brick:Bypass_Air, - brick:Bypass_Water, - brick:CO, - brick:CO2, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Discharge_Air, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Exhaust_Air, - brick:Fluid, - brick:Fuel_Oil, - brick:Gas, - brick:Gasoline, - brick:Glycol, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Liquid, - brick:Liquid_CO2, - brick:Makeup_Water, - brick:Mixed_Air, - brick:Natural_Gas, - brick:Oil, - brick:Outside_Air, - brick:Potable_Water, - brick:Refrigerant, - brick:Return_Air, - brick:Steam, - brick:Supply_Air, - brick:Water, - brick:Zone_Air . - - brick:isTagOf brick:Frost . - - brick:isTagOf brick:Fuel_Oil . - - brick:isTagOf brick:Air, - brick:Building_Air, - brick:Bypass_Air, - brick:CO, - brick:CO2, - brick:Discharge_Air, - brick:Exhaust_Air, - brick:Gas, - brick:Mixed_Air, - brick:Natural_Gas, - brick:Outside_Air, - brick:Return_Air, - brick:Steam, - brick:Supply_Air, - brick:Zone_Air . - - brick:isTagOf brick:Gasoline . - - brick:isTagOf brick:Glycol . - - brick:isTagOf brick:Hail . - - brick:isTagOf brick:Entering_Hot_Water, - brick:Hot_Water, - brick:Leaving_Hot_Water . - - brick:isTagOf brick:Ice . - - brick:isTagOf brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water . - - brick:isTagOf brick:Blowdown_Water, - brick:Bypass_Water, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Fuel_Oil, - brick:Gasoline, - brick:Glycol, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Liquid, - brick:Liquid_CO2, - brick:Makeup_Water, - brick:Oil, - brick:Potable_Water, - brick:Water . - - brick:isTagOf brick:Makeup_Water . - - brick:isTagOf brick:Natural_Gas . - - brick:isTagOf brick:Fuel_Oil, - brick:Oil . - - brick:isTagOf brick:Potable_Water . - - brick:isTagOf brick:Refrigerant . - - brick:isTagOf brick:Soil . - - brick:isTagOf brick:Frost, - brick:Hail, - brick:Ice, - brick:Soil, - brick:Solid . - - brick:isTagOf brick:Steam . - - brick:isTagOf brick:Blowdown_Water, - brick:Bypass_Water, - brick:Chilled_Water, - brick:Collection_Basin_Water, - brick:Condenser_Water, - brick:Deionized_Water, - brick:Domestic_Water, - brick:Entering_Chilled_Water, - brick:Entering_Condenser_Water, - brick:Entering_Hot_Water, - brick:Entering_Water, - brick:Hot_Water, - brick:Leaving_Chilled_Water, - brick:Leaving_Condenser_Water, - brick:Leaving_Hot_Water, - brick:Leaving_Water, - brick:Makeup_Water, - brick:Potable_Water, - brick:Water . - - brick:isTagOf , - brick:Building_Air . - - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Thermal_Power_Sensor ; + rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; + a brick:Electrical_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; brick:hasUnit ; brick:isPointOf . - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Electrical_Power_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Fan_Fan_Electricity_Rate" ; - brick:hasTag ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Energy_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; - brick:hasTag , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Energy_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; - brick:hasTag , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Energy_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; - brick:hasTag , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Energy_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; - brick:hasTag , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Energy_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; - brick:hasTag , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; + a brick:Thermal_Power_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; - brick:hasTag , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Damper_Position_Command, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; - brick:hasTag , - , - , - ; + a brick:Min_Position_Setpoint_Limit ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Air_Flow_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Damper_Position_Command, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Damper_Position_Command, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Damper_Position_Command, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; - brick:hasTag , - , - , - ; + a brick:Damper_Position_Command ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; + a brick:Electrical_Power_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Fan_Fan_Electricity_Rate" ; brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; - brick:hasTag , - , - , - ; + a brick:Thermal_Power_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; brick:hasUnit ; - brick:isPointOf . - - a brick:Damper_Position_Command, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Point, - brick:Thermal_Power_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; - brick:hasTag , - , - , - ; + a brick:Energy_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; brick:hasUnit ; - brick:isPointOf . - - a brick:Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - brick:isTagOf , - , - , - , - . - - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; + a brick:Air_Flow_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Flow_Sensor ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; + a brick:Mixed_Air_Humidity_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Temperature_Sensor ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; + a brick:Mixed_Air_Temperature_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Temperature" ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; - rdfs:label "Core_ZN-ZN-Zone-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Flow_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Flow_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Flow_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Mixed_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Dewpoint_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Outside_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Flow_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Exhaust_Air_Temperature_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Flow_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Return_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - brick:isTagOf , - , - , - , - , - . - - a brick:Min_Position_Setpoint_Limit, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; - brick:hasTag , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Discharge_Fan, - brick:Supply_Fan ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Fan" ; - brick:hasPoint ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . + a brick:Outside_Air_Dewpoint_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Mixed-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; - brick:hasUnit ; + a brick:Outside_Air_Flow_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Outdoor-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Flow_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Exhaust_Air_Temperature_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Relief-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Flow_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Flow_Sensor, - brick:Point, - brick:Supply_Air_Flow_Sensor ; + a brick:Return_Air_Temperature_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Inlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Flow_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Temperature_Sensor, - brick:Point, - brick:Supply_Air_Temperature_Sensor ; + a brick:Discharge_Air_Humidity_Sensor ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Temperature_Sensor ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Core_ZN-ZN-Zone-Air-Node-Cooling-Setpoint" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; + rdfs:label "Core_ZN-ZN-Zone-Air-Node-Heating-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Core_ZN-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Zone_Air_Temperature_Sensor ; + rdfs:label "Core_ZN-ZN-Zone-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Fan, - brick:Supply_Fan ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Fan" ; - brick:hasPoint ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . + a brick:Damper_Position_Command ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Fan_Fan_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Energy_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Mixed-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Dewpoint_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Outdoor-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Exhaust_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Relief-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Flow_Sensor, - brick:Point, - brick:Supply_Air_Flow_Sensor ; + a brick:Return_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Inlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Temperature_Sensor, - brick:Point, - brick:Supply_Air_Temperature_Sensor ; + a brick:Discharge_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node-Cooling-Setpoint" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; + rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node-Heating-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Zone_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Fan, - brick:Supply_Fan ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Fan" ; - brick:hasPoint ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . + a brick:Damper_Position_Command ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Fan_Fan_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Energy_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Mixed-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Dewpoint_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Outdoor-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Exhaust_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Relief-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Flow_Sensor, - brick:Point, - brick:Supply_Air_Flow_Sensor ; + a brick:Return_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Inlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Temperature_Sensor, - brick:Point, - brick:Supply_Air_Temperature_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - , - ; + a brick:Discharge_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Cooling_Temperature_Setpoint ; + rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Cooling-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Heating_Temperature_Setpoint ; + rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Heating-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Min_Position_Setpoint_Limit ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Damper_Position_Command ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Fan_Fan_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Energy_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Mixed_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Mixed_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Temperature" ; brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; - rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Cooling-Setpoint" ; - brick:hasTag , - , - , - , - , - ; + a brick:Outside_Air_Dewpoint_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; + a brick:Outside_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Relative_Humidity" ; brick:hasUnit ; - brick:isPointOf . + brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; - brick:hasTag , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . + a brick:Outside_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Discharge_Fan, - brick:Supply_Fan ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Fan" ; - brick:hasPoint ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . + a brick:Exhaust_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Mixed-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; + a brick:Exhaust_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Relative_Humidity" ; brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Outdoor-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; - brick:hasUnit ; + a brick:Exhaust_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Relief-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; - brick:hasUnit ; + a brick:Return_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Flow_Sensor, - brick:Point, - brick:Supply_Air_Flow_Sensor ; + a brick:Return_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Inlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Temperature_Sensor, - brick:Point, - brick:Supply_Air_Temperature_Sensor ; + a brick:Discharge_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node-Cooling-Setpoint" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; + rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node-Heating-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Min_Position_Setpoint_Limit, - brick:Point ; + a brick:Zone_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF_Heating_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER_Cooling_Coil_Total_Cooling_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Min_Position_Setpoint_Limit ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser-Zone-Air-Terminal-Minimum-Air-Flow-Fraction" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Fan, - brick:Supply_Fan ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Fan" ; - brick:hasPoint ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . + a brick:Damper_Position_Command ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser-Zone-Air-Terminal-VAV-Damper-Position" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Electrical_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Fan_Fan_Electricity_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Thermal_Power_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_Air_Heating_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Energy_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil_Heating_Coil_NaturalGas_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . - a brick:Mixed_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Outside_Air_Humidity_Sensor, - brick:Point ; + a brick:Mixed_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Mixed-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Dewpoint_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Dewpoint_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Outside_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Exhaust_Air_Humidity_Sensor, - brick:Point ; + a brick:Outside_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Outdoor-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Exhaust_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Return_Air_Humidity_Sensor ; + a brick:Exhaust_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Relief-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Flow_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Mass_Flow_Rate" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Return_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Flow_Sensor, - brick:Point, - brick:Supply_Air_Flow_Sensor ; + a brick:Return_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Inlet-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Flow_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Mass_Flow_Rate" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Discharge_Air_Temperature_Sensor, - brick:Point, - brick:Supply_Air_Temperature_Sensor ; + a brick:Discharge_Air_Humidity_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Relative_Humidity" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Air_Temperature_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Temperature" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Cooling_Temperature_Setpoint ; + a brick:Zone_Air_Cooling_Temperature_Setpoint ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node-Cooling-Setpoint" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Point, - brick:Zone_Air_Humidity_Sensor ; + a brick:Zone_Air_Heating_Temperature_Setpoint ; + rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node-Heating-Setpoint" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Zone_Air_Humidity_Sensor ; rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - ; brick:hasUnit ; brick:isPointOf . - a brick:Building, - brick:Location ; - rdfs:label "smallOffice" ; - brick:hasTag , - ; - brick:isLocationOf , - , - , - , - . + a brick:Zone_Air_Temperature_Sensor ; + rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node_System_Node_Temperature" ; + brick:hasUnit ; + brick:isPointOf . + + a brick:Discharge_Fan ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-Fan" ; + brick:isPartOf . + + a brick:Discharge_Fan ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Fan" ; + brick:isPartOf . + + a brick:Discharge_Fan ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Fan" ; + brick:isPartOf . + + a brick:Discharge_Fan ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Fan" ; + brick:isPartOf . + + a brick:Discharge_Fan ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Fan" ; + brick:isPartOf . a brick:Heating_Coil ; rdfs:label "Core_ZN-ZN-HP-Htg-Coil-27-Clg-kBtu/hr-7.7HSPF" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; + brick:isPartOf . + + a brick:Cooling_Coil ; + rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER" ; brick:isPartOf . a brick:Heating_Coil ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Gas-Backup-Htg-Coil" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; brick:isPartOf . - a brick:Discharge_Air_Humidity_Sensor, - brick:Point, - brick:Supply_Air_Humidity_Sensor ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-Supply-Outlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; - rdfs:label "Core_ZN-ZN-Zone-Air-Node-Heating-Setpoint" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_1-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; + brick:isPartOf . + + a brick:Cooling_Coil ; + rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER" ; brick:isPartOf . a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Gas-Backup-Htg-Coil" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; brick:isPartOf . - a brick:Discharge_Air_Humidity_Sensor, - brick:Point, - brick:Supply_Air_Humidity_Sensor ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Supply-Outlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; - rdfs:label "Perimeter_ZN_1-ZN-Zone-Air-Node-Heating-Setpoint" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_2-ZN-HP-Htg-Coil-29-Clg-kBtu/hr-7.7HSPF" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; + brick:isPartOf . + + a brick:Cooling_Coil ; + rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER" ; brick:isPartOf . a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Gas-Backup-Htg-Coil" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; brick:isPartOf . - a brick:Discharge_Air_Humidity_Sensor, - brick:Point, - brick:Supply_Air_Humidity_Sensor ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Supply-Outlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; - rdfs:label "Perimeter_ZN_2-ZN-Zone-Air-Node-Heating-Setpoint" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_3-ZN-HP-Htg-Coil-30-Clg-kBtu/hr-7.7HSPF" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; + brick:isPartOf . + + a brick:Cooling_Coil ; + rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER" ; brick:isPartOf . a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Gas-Backup-Htg-Coil" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; brick:isPartOf . - a brick:Discharge_Air_Humidity_Sensor, - brick:Point, - brick:Supply_Air_Humidity_Sensor ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Supply-Outlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; - rdfs:label "Perimeter_ZN_3-ZN-Zone-Air-Node-Heating-Setpoint" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - a brick:Heating_Coil ; rdfs:label "Perimeter_ZN_4-ZN-HP-Htg-Coil-31-Clg-kBtu/hr-7.7HSPF" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; - brick:isPartOf . - - a brick:Heating_Coil ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - ; brick:isPartOf . - a brick:Discharge_Air_Humidity_Sensor, - brick:Point, - brick:Supply_Air_Humidity_Sensor ; - rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Supply-Outlet-Node_System_Node_Relative_Humidity" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:Point, - brick:Zone_Air_Heating_Temperature_Setpoint ; - rdfs:label "Perimeter_ZN_4-ZN-Zone-Air-Node-Heating-Setpoint" ; - brick:hasTag , - , - , - , - , - , - ; - brick:hasUnit ; - brick:isPointOf . - - a brick:HVAC_Zone, - brick:Location ; - rdfs:label "Core_ZN-ZN" ; - brick:hasPoint , - , - , - ; - brick:hasTag , - , - ; - brick:isFedBy ; - brick:isLocationOf . - - a brick:Cooling_Coil ; - rdfs:label "Core_ZN-ZN-PSZ-AC-1-1spd-DX-HP-Clg-Coil-27kBtu/hr-13.0SEER" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - ; - brick:isPartOf . - - a brick:HVAC_Zone, - brick:Location ; - rdfs:label "Perimeter_ZN_1-ZN" ; - brick:hasPoint , - , - , - ; - brick:hasTag , - , - ; - brick:isFedBy ; - brick:isLocationOf . - - a brick:Cooling_Coil ; - rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - ; - brick:isPartOf . - - a brick:HVAC_Zone, - brick:Location ; - rdfs:label "Perimeter_ZN_2-ZN" ; - brick:hasPoint , - , - , - ; - brick:hasTag , - , - ; - brick:isFedBy ; - brick:isLocationOf . - - a brick:Cooling_Coil ; - rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-1spd-DX-HP-Clg-Coil-29kBtu/hr-13.0SEER" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - ; - brick:isPartOf . - - a brick:HVAC_Zone, - brick:Location ; - rdfs:label "Perimeter_ZN_3-ZN" ; - brick:hasPoint , - , - , - ; - brick:hasTag , - , - ; - brick:isFedBy ; - brick:isLocationOf . - - a brick:Cooling_Coil ; - rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-1spd-DX-HP-Clg-Coil-30kBtu/hr-13.0SEER" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - ; - brick:isPartOf . - - a brick:HVAC_Zone, - brick:Location ; - rdfs:label "Perimeter_ZN_4-ZN" ; - brick:hasPoint , - , - , - ; - brick:hasTag , - , - ; - brick:isFedBy ; - brick:isLocationOf . - a brick:Cooling_Coil ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-1spd-DX-HP-Clg-Coil-31kBtu/hr-13.0SEER" ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - ; brick:isPartOf . - brick:isTagOf , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - brick:Mixed_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - . - - a brick:CAV, - brick:Constant_Air_Volume_Box ; + a brick:Heating_Coil ; + rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Gas-Backup-Htg-Coil" ; + brick:isPartOf . + + a brick:CAV ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Diffuser" ; - brick:feeds ; brick:hasLocation ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - , - , - ; brick:isFedBy . - a brick:CAV, - brick:Constant_Air_Volume_Box ; + a brick:CAV ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Diffuser" ; - brick:feeds ; brick:hasLocation ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - , - , - ; brick:isFedBy . - a brick:CAV, - brick:Constant_Air_Volume_Box ; + a brick:CAV ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Diffuser" ; - brick:feeds ; brick:hasLocation ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - , - , - ; brick:isFedBy . - a brick:CAV, - brick:Constant_Air_Volume_Box ; + a brick:CAV ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Diffuser" ; - brick:feeds ; brick:hasLocation ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - , - , - ; brick:isFedBy . - a brick:CAV, - brick:Constant_Air_Volume_Box ; + a brick:CAV ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Diffuser" ; - brick:feeds ; brick:hasLocation ; - brick:hasPoint , - ; - brick:hasTag , - , - , - , - , - , - , - ; brick:isFedBy . - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Exhaust_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Return_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Discharge_Air, - brick:Supply_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Outside_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Discharge_Air, - brick:Supply_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Zone_Air . - - a brick:AHU, - brick:Air_Handler_Unit, - brick:Air_Handling_Unit ; + a brick:HVAC_Zone ; + rdfs:label "Core_ZN-ZN" ; + brick:isFedBy . + + a brick:HVAC_Zone ; + rdfs:label "Perimeter_ZN_1-ZN" ; + brick:isFedBy . + + a brick:HVAC_Zone ; + rdfs:label "Perimeter_ZN_2-ZN" ; + brick:isFedBy . + + a brick:HVAC_Zone ; + rdfs:label "Perimeter_ZN_3-ZN" ; + brick:isFedBy . + + a brick:HVAC_Zone ; + rdfs:label "Perimeter_ZN_4-ZN" ; + brick:isFedBy . + + a brick:Building ; + rdfs:label "smallOffice" . + + a brick:AHU ; rdfs:label "Core_ZN-ZN-PSZ-AC-1-Unitary-HP" ; - brick:feeds ; - brick:hasLocation ; - brick:hasPart , - , - , - ; - brick:hasPoint , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - ; - brick:hasTag , - , - , - , - , - , - . - - a brick:AHU, - brick:Air_Handler_Unit, - brick:Air_Handling_Unit ; + brick:hasLocation . + + a brick:AHU ; rdfs:label "Perimeter_ZN_1-ZN-PSZ-AC-2-Unitary-HP" ; - brick:feeds ; - brick:hasLocation ; - brick:hasPart , - , - , - ; - brick:hasPoint , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - ; - brick:hasTag , - , - , - , - , - , - . - - a brick:AHU, - brick:Air_Handler_Unit, - brick:Air_Handling_Unit ; + brick:hasLocation . + + a brick:AHU ; rdfs:label "Perimeter_ZN_2-ZN-PSZ-AC-3-Unitary-HP" ; - brick:feeds ; - brick:hasLocation ; - brick:hasPart , - , - , - ; - brick:hasPoint , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - ; - brick:hasTag , - , - , - , - , - , - . - - a brick:AHU, - brick:Air_Handler_Unit, - brick:Air_Handling_Unit ; + brick:hasLocation . + + a brick:AHU ; rdfs:label "Perimeter_ZN_3-ZN-PSZ-AC-4-Unitary-HP" ; - brick:feeds ; - brick:hasLocation ; - brick:hasPart , - , - , - ; - brick:hasPoint , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - ; - brick:hasTag , - , - , - , - , - , - . - - a brick:AHU, - brick:Air_Handler_Unit, - brick:Air_Handling_Unit ; + brick:hasLocation . + + a brick:AHU ; rdfs:label "Perimeter_ZN_4-ZN-PSZ-AC-5-Unitary-HP" ; - brick:feeds ; - brick:hasLocation ; - brick:hasPart , - , - , - ; - brick:hasPoint , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - ; - brick:hasTag , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - brick:Air, - brick:Building_Air, - brick:Bypass_Air, - brick:Discharge_Air, - brick:Exhaust_Air, - brick:Mixed_Air, - brick:Outside_Air, - brick:Return_Air, - brick:Supply_Air, - brick:Zone_Air . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . - - brick:isTagOf , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - , - . + brick:hasLocation . diff --git a/tests/unit/test_template_api.py b/tests/unit/test_template_api.py index 67d9538a9..8aeb8f421 100644 --- a/tests/unit/test_template_api.py +++ b/tests/unit/test_template_api.py @@ -1,5 +1,6 @@ -import pytest import warnings + +import pytest from rdflib import Graph, Namespace from buildingmotif import BuildingMOTIF diff --git a/tests/unit/test_utils.py b/tests/unit/test_utils.py index 240b3dd61..1fc28c2bb 100644 --- a/tests/unit/test_utils.py +++ b/tests/unit/test_utils.py @@ -1,5 +1,5 @@ import pytest -from rdflib import Graph, Namespace, URIRef +from rdflib import Graph, Namespace, URIRef, Literal from buildingmotif import BuildingMOTIF from buildingmotif.dataclasses import Model, ShapeCollection @@ -196,21 +196,30 @@ def test_inline_sh_and(bm: BuildingMOTIF, shacl_engine): ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid - assert ( - "Value class is not in classes (brick:Class2, brick:Class3)" - in ctx.report_string - or "Value class is not in classes (brick:Class3, brick:Class2)" - in ctx.report_string - or "Value class is not in classes (, )" - in ctx.report_string - or "Value class is not in classes (, )" - in ctx.report_string - ), ctx.report_string - assert ( - "Less than 1 values on ->brick:relationship" in ctx.report_string - or "Less than 1 values on ->" - in ctx.report_string - ) + + if shacl_engine == 'pyshacl': + assert ( + "Value class is not in classes (brick:Class2, brick:Class3)" + in ctx.report_string + or "Value class is not in classes (brick:Class3, brick:Class2)" + in ctx.report_string + or "Value class is not in classes (, )" + in ctx.report_string + or "Value class is not in classes (, )" + in ctx.report_string + ), ctx.report_string + assert ( + "Less than 1 values on ->brick:relationship" in ctx.report_string + or "Less than 1 values on ->" + in ctx.report_string + ) + elif shacl_engine == 'topquadrant': + assert (None, SH.resultPath, BRICK.relationship) in ctx.report + assert (None, SH.resultMessage, Literal("Property needs to have at least 1 value")) in ctx.report + + assert (None, SH.resultMessage, Literal("Value must be an instance of brick:Class3")) in ctx.report + assert (None, SH.sourceShape, URIRef("urn:model#shape1")) in ctx.report + def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): @@ -250,21 +259,28 @@ def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid, ctx.report_string - assert ( - "Value class is not in classes (brick:Class2, brick:Class3)" - in ctx.report_string - or "Value class is not in classes (brick:Class3, brick:Class2)" - in ctx.report_string - or "Value class is not in classes (, )" - in ctx.report_string - or "Value class is not in classes (, )" - in ctx.report_string - ) - assert ( - "Less than 1 values on ->brick:relationship" in ctx.report_string - or "Less than 1 values on ->" - in ctx.report_string - ) + if shacl_engine == 'pyshacl': + assert ( + "Value class is not in classes (brick:Class2, brick:Class3)" + in ctx.report_string + or "Value class is not in classes (brick:Class3, brick:Class2)" + in ctx.report_string + or "Value class is not in classes (, )" + in ctx.report_string + or "Value class is not in classes (, )" + in ctx.report_string + ) + assert ( + "Less than 1 values on ->brick:relationship" in ctx.report_string + or "Less than 1 values on ->" + in ctx.report_string + ) + elif shacl_engine == 'topquadrant': + assert (None, SH.resultPath, BRICK.relationship) in ctx.report + assert (None, SH.resultMessage, Literal("Property needs to have at least 1 value")) in ctx.report + + assert (None, SH.resultMessage, Literal("Value must be an instance of brick:Class3")) in ctx.report + assert (None, SH.sourceShape, URIRef("urn:model#shape1")) in ctx.report def test_param_name(): From f5e9465c8a562a77746801e0f2370361737ab421 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 18:37:49 -0600 Subject: [PATCH 28/61] add brick-tq-shacl dep --- poetry.lock | 18 +++++++++--------- pyproject.toml | 2 +- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/poetry.lock b/poetry.lock index a8417cb9e..175ea3c1e 100644 --- a/poetry.lock +++ b/poetry.lock @@ -331,13 +331,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.3.1a3" +version = "0.3.1a5" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true python-versions = ">=3.9,<4.0" files = [ - {file = "brick_tq_shacl-0.3.1a3-py3-none-any.whl", hash = "sha256:6f6945b7ad8f70552d1f6e7c377277e2779742237f022449382eac91084f7bc4"}, - {file = "brick_tq_shacl-0.3.1a3.tar.gz", hash = "sha256:8c153c3c4d847a43dae5a2b623f544250c2deb1fa41df2eae222cb5cabd018b0"}, + {file = "brick_tq_shacl-0.3.1a5-py3-none-any.whl", hash = "sha256:83b796483cf7626fcea21cbb42a73518ce0c3c89c2be923fd82afe7064afb51f"}, + {file = "brick_tq_shacl-0.3.1a5.tar.gz", hash = "sha256:a8d9a780f66c83f66611583cca683087fd65951ebda6fa6f95fc7fad1287b19c"}, ] [package.dependencies] @@ -4136,18 +4136,18 @@ files = [ [[package]] name = "zipp" -version = "3.17.0" +version = "3.18.0" description = "Backport of pathlib-compatible object wrapper for zip files" optional = false python-versions = ">=3.8" files = [ - {file = "zipp-3.17.0-py3-none-any.whl", hash = "sha256:0e923e726174922dce09c53c59ad483ff7bbb8e572e00c7f7c46b88556409f31"}, - {file = "zipp-3.17.0.tar.gz", hash = "sha256:84e64a1c28cf7e91ed2078bb8cc8c259cb19b76942096c8d7b84947690cabaf0"}, + {file = "zipp-3.18.0-py3-none-any.whl", hash = "sha256:c1bb803ed69d2cce2373152797064f7e79bc43f0a3748eb494096a867e0ebf79"}, + {file = "zipp-3.18.0.tar.gz", hash = "sha256:df8d042b02765029a09b157efd8e820451045890acc30f8e37dd2f94a060221f"}, ] [package.extras] -docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] -testing = ["big-O", "jaraco.functools", "jaraco.itertools", "more-itertools", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-ignore-flaky", "pytest-mypy (>=0.9.1)", "pytest-ruff"] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-lint"] +testing = ["big-O", "jaraco.functools", "jaraco.itertools", "more-itertools", "pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-ignore-flaky", "pytest-mypy", "pytest-ruff (>=0.2.1)"] [extras] all = ["psycopg2"] @@ -4160,4 +4160,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = "^3.9, <3.12" -content-hash = "48dab4aae39b70186318aa57409f6cf5441a57ce29f6f366dc19ee3f777f1367" +content-hash = "a7a501a033d221d4b1909a48aac6d3f09ddda6f07132ccb39e454fa4bc8b4d6d" diff --git a/pyproject.toml b/pyproject.toml index 9f2a16f5a..e1f44dc2b 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.3.1a3"} +brick-tq-shacl = {optional = true, version="0.3.1a5"} werkzeug="^2.3.7" [tool.poetry.group.dev.dependencies] From 1c29f610d32d56db46d4c67b93bc56a44eb634fe Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 18:40:39 -0600 Subject: [PATCH 29/61] add TODOs --- buildingmotif/dataclasses/library.py | 1 + buildingmotif/dataclasses/template.py | 1 + 2 files changed, 2 insertions(+) diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index 9a9672776..054601a1f 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -276,6 +276,7 @@ def _infer_shapes_from_graph(self, graph: rdflib.Graph): dependency_cache: Dict[int, List[Dict[Any, Any]]] = {} for candidate in candidates: assert isinstance(candidate, rdflib.URIRef) + # TODO: mincount 0 (or unspecified) should be optional args on the generated template partial_body, deps = get_template_parts_from_shape(candidate, graph) templ = self.create_template(str(candidate), partial_body) dependency_cache[templ.id] = deps diff --git a/buildingmotif/dataclasses/template.py b/buildingmotif/dataclasses/template.py index 0fe2e9fbf..98f6afbc1 100644 --- a/buildingmotif/dataclasses/template.py +++ b/buildingmotif/dataclasses/template.py @@ -356,6 +356,7 @@ def evaluate( parameters were provided :rtype: Union[Template, rdflib.Graph] """ + # TODO: handle datatype properties templ = self.in_memory_copy() # put all of the parameter names into the PARAM namespace so they can be # directly subsituted in the template body From 37c29d276481b2f3af5fc070c0782b6d0466ecf3 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 19:02:33 -0600 Subject: [PATCH 30/61] Formatting --- tests/unit/api/test_model.py | 5 +++- tests/unit/dataclasses/test_model.py | 10 +++++-- tests/unit/test_utils.py | 41 ++++++++++++++++++++-------- 3 files changed, 40 insertions(+), 16 deletions(-) diff --git a/tests/unit/api/test_model.py b/tests/unit/api/test_model.py index ee8f30817..b3efdba78 100644 --- a/tests/unit/api/test_model.py +++ b/tests/unit/api/test_model.py @@ -268,7 +268,10 @@ def test_validate_model(client, building_motif, shacl_engine): results = client.post( f"/models/{model.id}/validate", headers={"Content-Type": "application/json"}, - json={"library_ids": [library_1.id, library_2.id], "shacl_engine": shacl_engine}, + json={ + "library_ids": [library_1.id, library_2.id], + "shacl_engine": shacl_engine, + }, ) # Assert diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index d2e6050cb..8596d8659 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -1,6 +1,6 @@ import pytest from rdflib import Graph, Literal, Namespace, URIRef -from rdflib.compare import isomorphic, graph_diff, to_isomorphic +from rdflib.compare import graph_diff, isomorphic, to_isomorphic from rdflib.namespace import FOAF from buildingmotif import BuildingMOTIF @@ -207,14 +207,18 @@ def test_model_compile(bm: BuildingMOTIF, shacl_engine): brick = Library.load(ontology_graph="libraries/brick/Brick-full.ttl") - compiled_model = small_office_model.compile([brick.get_shape_collection()], engine=shacl_engine) + compiled_model = small_office_model.compile( + [brick.get_shape_collection()], engine=shacl_engine + ) precompiled_model = Graph().parse( "tests/unit/fixtures/smallOffice_brick_compiled.ttl", format="ttl" ) # returns in_both, in_first, in_second - _, in_first, _ = graph_diff(to_isomorphic(precompiled_model), to_isomorphic(compiled_model)) + _, in_first, _ = graph_diff( + to_isomorphic(precompiled_model), to_isomorphic(compiled_model) + ) # passes if everything from precompiled_model is in compiled_model assert len(in_first) == 0 diff --git a/tests/unit/test_utils.py b/tests/unit/test_utils.py index 1fc28c2bb..2c6a9b573 100644 --- a/tests/unit/test_utils.py +++ b/tests/unit/test_utils.py @@ -1,5 +1,5 @@ import pytest -from rdflib import Graph, Namespace, URIRef, Literal +from rdflib import Graph, Literal, Namespace, URIRef from buildingmotif import BuildingMOTIF from buildingmotif.dataclasses import Model, ShapeCollection @@ -197,7 +197,7 @@ def test_inline_sh_and(bm: BuildingMOTIF, shacl_engine): ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid - if shacl_engine == 'pyshacl': + if shacl_engine == "pyshacl": assert ( "Value class is not in classes (brick:Class2, brick:Class3)" in ctx.report_string @@ -209,19 +209,27 @@ def test_inline_sh_and(bm: BuildingMOTIF, shacl_engine): in ctx.report_string ), ctx.report_string assert ( - "Less than 1 values on ->brick:relationship" in ctx.report_string + "Less than 1 values on ->brick:relationship" + in ctx.report_string or "Less than 1 values on ->" in ctx.report_string ) - elif shacl_engine == 'topquadrant': + elif shacl_engine == "topquadrant": assert (None, SH.resultPath, BRICK.relationship) in ctx.report - assert (None, SH.resultMessage, Literal("Property needs to have at least 1 value")) in ctx.report + assert ( + None, + SH.resultMessage, + Literal("Property needs to have at least 1 value"), + ) in ctx.report - assert (None, SH.resultMessage, Literal("Value must be an instance of brick:Class3")) in ctx.report + assert ( + None, + SH.resultMessage, + Literal("Value must be an instance of brick:Class3"), + ) in ctx.report assert (None, SH.sourceShape, URIRef("urn:model#shape1")) in ctx.report - def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): sg = Graph() sg.parse( @@ -259,7 +267,7 @@ def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): ctx = model.validate([sc], engine=shacl_engine) assert not ctx.valid, ctx.report_string - if shacl_engine == 'pyshacl': + if shacl_engine == "pyshacl": assert ( "Value class is not in classes (brick:Class2, brick:Class3)" in ctx.report_string @@ -271,15 +279,24 @@ def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): in ctx.report_string ) assert ( - "Less than 1 values on ->brick:relationship" in ctx.report_string + "Less than 1 values on ->brick:relationship" + in ctx.report_string or "Less than 1 values on ->" in ctx.report_string ) - elif shacl_engine == 'topquadrant': + elif shacl_engine == "topquadrant": assert (None, SH.resultPath, BRICK.relationship) in ctx.report - assert (None, SH.resultMessage, Literal("Property needs to have at least 1 value")) in ctx.report + assert ( + None, + SH.resultMessage, + Literal("Property needs to have at least 1 value"), + ) in ctx.report - assert (None, SH.resultMessage, Literal("Value must be an instance of brick:Class3")) in ctx.report + assert ( + None, + SH.resultMessage, + Literal("Value must be an instance of brick:Class3"), + ) in ctx.report assert (None, SH.sourceShape, URIRef("urn:model#shape1")) in ctx.report From 1174e7bdbeb8de61e86fd4a863e2b881c1e44868 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 19:05:30 -0600 Subject: [PATCH 31/61] no more 3.8! --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 123aa8054..c40856991 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -32,7 +32,7 @@ jobs: runs-on: ubuntu-latest strategy: matrix: - python-version: ['3.8', '3.9', '3.10', '3.11'] + python-version: ['3.9', '3.10', '3.11'] steps: - name: checkout uses: actions/checkout@v4 From eef32da879d8fbebf88749aad071832703df00b9 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 20:32:26 -0600 Subject: [PATCH 32/61] ignoring some imported packages without type annotations --- buildingmotif/utils.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index dcab41d99..6017d7d82 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -7,7 +7,7 @@ from pathlib import Path from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple -import pyshacl +import pyshacl # type: ignore from rdflib import BNode, Graph, Literal, URIRef from rdflib.paths import ZeroOrOne from rdflib.term import Node @@ -555,7 +555,9 @@ def shacl_validate( if engine == "topquadrant": try: - from brick_tq_shacl.topquadrant_shacl import validate as tq_validate + from brick_tq_shacl.topquadrant_shacl import ( + validate as tq_validate, # type: ignore + ) return tq_validate(data_graph.skolemize(), (shape_graph or Graph()).skolemize()) # type: ignore except ImportError: From 1bd0a94a2bdf95f2d9f93d1a1a79f498bacc2674 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 20:42:01 -0600 Subject: [PATCH 33/61] more type annotations --- .pre-commit-config.yaml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index ec525039e..f29c77733 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -16,9 +16,9 @@ repos: entry: poetry run flake8 buildingmotif # can't poetry run becuase not present in repository https://github.com/pre-commit/mirrors-mypy - repo: https://github.com/pre-commit/mirrors-mypy - rev: v0.931 + rev: v1.9.0 hooks: - id: mypy args: ["--install-types", "--non-interactive", "--ignore-missing-imports"] additional_dependencies: [sqlalchemy2-stubs <= 0.0.2a20, SQLAlchemy <= 1.4] -exclude: docs/conf.py \ No newline at end of file +exclude: docs/conf.py From 9194ac04c0767df89e0d23ebc0f6879fc97c4873 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 21:39:16 -0600 Subject: [PATCH 34/61] add types, ignore type errors for imports --- .github/workflows/ci.yml | 2 +- .pre-commit-config.yaml | 2 +- poetry.lock | 16 +++++++++++++++- pyproject.toml | 1 + 4 files changed, 18 insertions(+), 3 deletions(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index c40856991..c64b70359 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -51,7 +51,7 @@ jobs: - name: lint run: poetry run flake8 buildingmotif - name: type check - run: poetry run mypy + run: poetry run mypy --ignore-missing-imports - name: unit tests run: poetry run pytest tests/unit --cov=./ --cov-report=xml - name: integration tests diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index f29c77733..edd6f188c 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -19,6 +19,6 @@ repos: rev: v1.9.0 hooks: - id: mypy - args: ["--install-types", "--non-interactive", "--ignore-missing-imports"] + args: ["--install-types", "--non-interactive", "--ignore-missing-imports", "--disable-error-code=import-untyped"] additional_dependencies: [sqlalchemy2-stubs <= 0.0.2a20, SQLAlchemy <= 1.4] exclude: docs/conf.py diff --git a/poetry.lock b/poetry.lock index 175ea3c1e..5fa63f1e3 100644 --- a/poetry.lock +++ b/poetry.lock @@ -3941,6 +3941,20 @@ files = [ docs = ["myst-parser", "pydata-sphinx-theme", "sphinx"] test = ["argcomplete (>=3.0.3)", "mypy (>=1.7.0)", "pre-commit", "pytest (>=7.0,<8.1)", "pytest-mock", "pytest-mypy-testing"] +[[package]] +name = "types-jsonschema" +version = "4.21.0.20240311" +description = "Typing stubs for jsonschema" +optional = false +python-versions = ">=3.8" +files = [ + {file = "types-jsonschema-4.21.0.20240311.tar.gz", hash = "sha256:f7165ce70abd91df490c73b089873afd2899c5e56430ee495b64f851ad01f287"}, + {file = "types_jsonschema-4.21.0.20240311-py3-none-any.whl", hash = "sha256:e872f5661513824edf9698f73a66c9c114713d93eab58699bd0532e7e6db5750"}, +] + +[package.dependencies] +referencing = "*" + [[package]] name = "types-python-dateutil" version = "2.8.19.20240311" @@ -4160,4 +4174,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = "^3.9, <3.12" -content-hash = "a7a501a033d221d4b1909a48aac6d3f09ddda6f07132ccb39e454fa4bc8b4d6d" +content-hash = "fb6de93e051a8368b4153a8368babab99571ad3f52610bd1920e8828fc4ad197" diff --git a/pyproject.toml b/pyproject.toml index e1f44dc2b..7fe00b18a 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -38,6 +38,7 @@ pygit2 = "~1.11.1" jsonschema = "^4.21.1" brick-tq-shacl = {optional = true, version="0.3.1a5"} werkzeug="^2.3.7" +types-jsonschema = "^4.21.0.20240311" [tool.poetry.group.dev.dependencies] black = "^22.3.0" From 5246f9eff171582a774f10d806d1dd552d1649fc Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 22:55:05 -0600 Subject: [PATCH 35/61] update mypy, fix some issues and ignore some others --- buildingmotif/template_matcher.py | 4 +- buildingmotif/utils.py | 4 +- poetry.lock | 63 ++++++++++++++++++------------- pyproject.toml | 4 +- 4 files changed, 42 insertions(+), 33 deletions(-) diff --git a/buildingmotif/template_matcher.py b/buildingmotif/template_matcher.py index 5147a2b02..b18a91311 100644 --- a/buildingmotif/template_matcher.py +++ b/buildingmotif/template_matcher.py @@ -42,7 +42,7 @@ def parents(self, ntype: Node, ontology: Graph) -> Set[Node]: cache = self.sc_cache[id(ontology)] # populate cache if necessary if ntype not in cache: - cache[ntype] = set(ontology.transitive_objects(ntype, RDFS.subClassOf)) + cache[ntype] = set(ontology.transitive_objects(ntype, RDFS.subClassOf)) # type: ignore return cache[ntype] def superproperties(self, ntype: Node, ontology: Graph) -> Set[Node]: @@ -428,7 +428,7 @@ def building_mapping_subgraphs_iter( subgraph = self.building_subgraph_from_mapping(mapping) if not subgraph.connected(): continue - key = tuple(sorted(subgraph.all_nodes())) + key = tuple(sorted(subgraph.all_nodes())) # type: ignore if key in cache: continue cache.add(key) diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 6017d7d82..d149781f9 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -466,7 +466,7 @@ def _inline_sh_node(sg: Graph): sh:node ?child . }""" for row in sg.query(q): - parent, child = row + parent, child = row # type: ignore sg.remove((parent, SH.node, child)) pos = sg.predicate_objects(child) for (p, o) in pos: @@ -486,7 +486,7 @@ def _inline_sh_and(sg: Graph): ?andnode rdf:rest*/rdf:first ?child . }""" for row in sg.query(q): - parent, child, to_remove = row + parent, child, to_remove = row # type: ignore sg.remove((parent, SH["and"], to_remove)) pos = sg.predicate_objects(child) for (p, o) in pos: diff --git a/poetry.lock b/poetry.lock index 5fa63f1e3..51ee85524 100644 --- a/poetry.lock +++ b/poetry.lock @@ -1874,41 +1874,50 @@ files = [ [[package]] name = "mypy" -version = "0.931" +version = "1.9.0" description = "Optional static typing for Python" optional = false -python-versions = ">=3.6" +python-versions = ">=3.8" files = [ - {file = "mypy-0.931-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:3c5b42d0815e15518b1f0990cff7a705805961613e701db60387e6fb663fe78a"}, - {file = "mypy-0.931-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:c89702cac5b302f0c5d33b172d2b55b5df2bede3344a2fbed99ff96bddb2cf00"}, - {file = "mypy-0.931-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:300717a07ad09525401a508ef5d105e6b56646f7942eb92715a1c8d610149714"}, - {file = "mypy-0.931-cp310-cp310-win_amd64.whl", hash = "sha256:7b3f6f557ba4afc7f2ce6d3215d5db279bcf120b3cfd0add20a5d4f4abdae5bc"}, - {file = "mypy-0.931-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:1bf752559797c897cdd2c65f7b60c2b6969ffe458417b8d947b8340cc9cec08d"}, - {file = "mypy-0.931-cp36-cp36m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:4365c60266b95a3f216a3047f1d8e3f895da6c7402e9e1ddfab96393122cc58d"}, - {file = "mypy-0.931-cp36-cp36m-win_amd64.whl", hash = "sha256:1b65714dc296a7991000b6ee59a35b3f550e0073411ac9d3202f6516621ba66c"}, - {file = "mypy-0.931-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:e839191b8da5b4e5d805f940537efcaa13ea5dd98418f06dc585d2891d228cf0"}, - {file = "mypy-0.931-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:50c7346a46dc76a4ed88f3277d4959de8a2bd0a0fa47fa87a4cde36fe247ac05"}, - {file = "mypy-0.931-cp37-cp37m-win_amd64.whl", hash = "sha256:d8f1ff62f7a879c9fe5917b3f9eb93a79b78aad47b533911b853a757223f72e7"}, - {file = "mypy-0.931-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:f9fe20d0872b26c4bba1c1be02c5340de1019530302cf2dcc85c7f9fc3252ae0"}, - {file = "mypy-0.931-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:1b06268df7eb53a8feea99cbfff77a6e2b205e70bf31743e786678ef87ee8069"}, - {file = "mypy-0.931-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:8c11003aaeaf7cc2d0f1bc101c1cc9454ec4cc9cb825aef3cafff8a5fdf4c799"}, - {file = "mypy-0.931-cp38-cp38-win_amd64.whl", hash = "sha256:d9d2b84b2007cea426e327d2483238f040c49405a6bf4074f605f0156c91a47a"}, - {file = "mypy-0.931-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:ff3bf387c14c805ab1388185dd22d6b210824e164d4bb324b195ff34e322d166"}, - {file = "mypy-0.931-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:5b56154f8c09427bae082b32275a21f500b24d93c88d69a5e82f3978018a0266"}, - {file = "mypy-0.931-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:8ca7f8c4b1584d63c9a0f827c37ba7a47226c19a23a753d52e5b5eddb201afcd"}, - {file = "mypy-0.931-cp39-cp39-win_amd64.whl", hash = "sha256:74f7eccbfd436abe9c352ad9fb65872cc0f1f0a868e9d9c44db0893440f0c697"}, - {file = "mypy-0.931-py3-none-any.whl", hash = "sha256:1171f2e0859cfff2d366da2c7092b06130f232c636a3f7301e3feb8b41f6377d"}, - {file = "mypy-0.931.tar.gz", hash = "sha256:0038b21890867793581e4cb0d810829f5fd4441aa75796b53033af3aa30430ce"}, + {file = "mypy-1.9.0-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:f8a67616990062232ee4c3952f41c779afac41405806042a8126fe96e098419f"}, + {file = "mypy-1.9.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:d357423fa57a489e8c47b7c85dfb96698caba13d66e086b412298a1a0ea3b0ed"}, + {file = "mypy-1.9.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:49c87c15aed320de9b438ae7b00c1ac91cd393c1b854c2ce538e2a72d55df150"}, + {file = "mypy-1.9.0-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:48533cdd345c3c2e5ef48ba3b0d3880b257b423e7995dada04248725c6f77374"}, + {file = "mypy-1.9.0-cp310-cp310-win_amd64.whl", hash = "sha256:4d3dbd346cfec7cb98e6cbb6e0f3c23618af826316188d587d1c1bc34f0ede03"}, + {file = "mypy-1.9.0-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:653265f9a2784db65bfca694d1edd23093ce49740b2244cde583aeb134c008f3"}, + {file = "mypy-1.9.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:3a3c007ff3ee90f69cf0a15cbcdf0995749569b86b6d2f327af01fd1b8aee9dc"}, + {file = "mypy-1.9.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2418488264eb41f69cc64a69a745fad4a8f86649af4b1041a4c64ee61fc61129"}, + {file = "mypy-1.9.0-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:68edad3dc7d70f2f17ae4c6c1b9471a56138ca22722487eebacfd1eb5321d612"}, + {file = "mypy-1.9.0-cp311-cp311-win_amd64.whl", hash = "sha256:85ca5fcc24f0b4aeedc1d02f93707bccc04733f21d41c88334c5482219b1ccb3"}, + {file = "mypy-1.9.0-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:aceb1db093b04db5cd390821464504111b8ec3e351eb85afd1433490163d60cd"}, + {file = "mypy-1.9.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:0235391f1c6f6ce487b23b9dbd1327b4ec33bb93934aa986efe8a9563d9349e6"}, + {file = "mypy-1.9.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d4d5ddc13421ba3e2e082a6c2d74c2ddb3979c39b582dacd53dd5d9431237185"}, + {file = "mypy-1.9.0-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:190da1ee69b427d7efa8aa0d5e5ccd67a4fb04038c380237a0d96829cb157913"}, + {file = "mypy-1.9.0-cp312-cp312-win_amd64.whl", hash = "sha256:fe28657de3bfec596bbeef01cb219833ad9d38dd5393fc649f4b366840baefe6"}, + {file = "mypy-1.9.0-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:e54396d70be04b34f31d2edf3362c1edd023246c82f1730bbf8768c28db5361b"}, + {file = "mypy-1.9.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:5e6061f44f2313b94f920e91b204ec600982961e07a17e0f6cd83371cb23f5c2"}, + {file = "mypy-1.9.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:81a10926e5473c5fc3da8abb04119a1f5811a236dc3a38d92015cb1e6ba4cb9e"}, + {file = "mypy-1.9.0-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:b685154e22e4e9199fc95f298661deea28aaede5ae16ccc8cbb1045e716b3e04"}, + {file = "mypy-1.9.0-cp38-cp38-win_amd64.whl", hash = "sha256:5d741d3fc7c4da608764073089e5f58ef6352bedc223ff58f2f038c2c4698a89"}, + {file = "mypy-1.9.0-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:587ce887f75dd9700252a3abbc9c97bbe165a4a630597845c61279cf32dfbf02"}, + {file = "mypy-1.9.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:f88566144752999351725ac623471661c9d1cd8caa0134ff98cceeea181789f4"}, + {file = "mypy-1.9.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:61758fabd58ce4b0720ae1e2fea5cfd4431591d6d590b197775329264f86311d"}, + {file = "mypy-1.9.0-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:e49499be624dead83927e70c756970a0bc8240e9f769389cdf5714b0784ca6bf"}, + {file = "mypy-1.9.0-cp39-cp39-win_amd64.whl", hash = "sha256:571741dc4194b4f82d344b15e8837e8c5fcc462d66d076748142327626a1b6e9"}, + {file = "mypy-1.9.0-py3-none-any.whl", hash = "sha256:a260627a570559181a9ea5de61ac6297aa5af202f06fd7ab093ce74e7181e43e"}, + {file = "mypy-1.9.0.tar.gz", hash = "sha256:3cc5da0127e6a478cddd906068496a97a7618a21ce9b54bde5bf7e539c7af974"}, ] [package.dependencies] -mypy-extensions = ">=0.4.3" -tomli = ">=1.1.0" -typing-extensions = ">=3.10" +mypy-extensions = ">=1.0.0" +tomli = {version = ">=1.1.0", markers = "python_version < \"3.11\""} +typing-extensions = ">=4.1.0" [package.extras] dmypy = ["psutil (>=4.0)"] -python2 = ["typed-ast (>=1.4.0,<2)"] +install-types = ["pip"] +mypyc = ["setuptools (>=50)"] +reports = ["lxml"] [[package]] name = "mypy-extensions" @@ -4174,4 +4183,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = "^3.9, <3.12" -content-hash = "fb6de93e051a8368b4153a8368babab99571ad3f52610bd1920e8828fc4ad197" +content-hash = "8ef4c2eabf59e2e94fe048caa2ed4e6caea5e6856aa8c90a592a442679049a9d" diff --git a/pyproject.toml b/pyproject.toml index 7fe00b18a..e2d301bd9 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -21,7 +21,7 @@ buildingmotif = 'buildingmotif.bin.cli:app' [tool.poetry.dependencies] python = "^3.9, <3.12" rdflib = ">=7.0" -SQLAlchemy = "^1.4" +SQLAlchemy = "^1.4.44" pyaml = "^21.10.1" networkx = "^2.7.1" types-PyYAML = "^6.0.4" @@ -45,7 +45,7 @@ black = "^22.3.0" isort = "^5.10.1" pre-commit = "^2.17.0" pytest-cov = "^3.0.0" -mypy = "^0.931" +mypy = "v1.9.0" sqlalchemy2-stubs = "^0.0.2-alpha.20" psycopg2-binary = "^2.9.5" jupytext = "^1.13.8" From ab4ee7d86d5460bd1a555d7837a3de700bce1c45 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 22:59:55 -0600 Subject: [PATCH 36/61] fix union type annotation --- buildingmotif/dataclasses/validation.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/buildingmotif/dataclasses/validation.py b/buildingmotif/dataclasses/validation.py index 0906c72f4..5daee063b 100644 --- a/buildingmotif/dataclasses/validation.py +++ b/buildingmotif/dataclasses/validation.py @@ -277,7 +277,7 @@ def as_templates(self) -> List["Template"]: return diffset_to_templates(self.diffset) def get_reasons_with_severity( - self, severity: Union[URIRef | str] + self, severity: Union[URIRef, str] ) -> Dict[Optional[URIRef], Set[GraphDiff]]: """ Like diffset, but only includes ValidationResults with the given severity. From ea59b4a6b717df9bfc97774baea5f04be6971a66 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Wed, 13 Mar 2024 23:23:48 -0600 Subject: [PATCH 37/61] update docker containers --- buildingmotif/api/Dockerfile | 2 +- tests/integration/fixtures/buildingmotif/Dockerfile | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/buildingmotif/api/Dockerfile b/buildingmotif/api/Dockerfile index c31edc202..7d163de7d 100644 --- a/buildingmotif/api/Dockerfile +++ b/buildingmotif/api/Dockerfile @@ -1,4 +1,4 @@ -FROM python:3.8 +FROM python:3.9 # Copy project ADD buildingmotif /opt/buildingmotif diff --git a/tests/integration/fixtures/buildingmotif/Dockerfile b/tests/integration/fixtures/buildingmotif/Dockerfile index fccfae549..84a49ac66 100644 --- a/tests/integration/fixtures/buildingmotif/Dockerfile +++ b/tests/integration/fixtures/buildingmotif/Dockerfile @@ -1,4 +1,4 @@ -FROM python:3.8 +FROM python:3.9 WORKDIR /home/buildingmotif @@ -15,4 +15,4 @@ COPY notebooks notebooks COPY migrations migrations COPY docs docs -RUN poetry install \ No newline at end of file +RUN poetry install From 9804f10a7ede25959af00e1cf3e98221760097ff Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 15 Mar 2024 12:55:02 -0600 Subject: [PATCH 38/61] 3.8.1 python for higher --- poetry.lock | 300 +++++++++++++++++++++++++++++-------------------- pyproject.toml | 4 +- 2 files changed, 181 insertions(+), 123 deletions(-) diff --git a/poetry.lock b/poetry.lock index 51ee85524..9627bf7eb 100644 --- a/poetry.lock +++ b/poetry.lock @@ -16,13 +16,13 @@ pygments = ">=1.5" [[package]] name = "alabaster" -version = "0.7.16" -description = "A light, configurable Sphinx theme" +version = "0.7.13" +description = "A configurable sidebar-enabled Sphinx theme" optional = false -python-versions = ">=3.9" +python-versions = ">=3.6" files = [ - {file = "alabaster-0.7.16-py3-none-any.whl", hash = "sha256:b46733c07dce03ae4e150330b975c75737fa60f0a7c591b6c8bf4928a28e2c92"}, - {file = "alabaster-0.7.16.tar.gz", hash = "sha256:75a8b99c28a5dad50dd7f8ccdd447a121ddb3892da9e53d1ca5cca3106d58d65"}, + {file = "alabaster-0.7.13-py3-none-any.whl", hash = "sha256:1ee19aca801bbabb5ba3f5f258e4422dfa86f82f3e9cefb0859b283cdd7f62a3"}, + {file = "alabaster-0.7.13.tar.gz", hash = "sha256:a27a4a084d5e690e16e01e03ad2b2e552c61a65469419b907243193de1a84ae2"}, ] [[package]] @@ -37,6 +37,8 @@ files = [ ] [package.dependencies] +importlib-metadata = {version = "*", markers = "python_version < \"3.9\""} +importlib-resources = {version = "*", markers = "python_version < \"3.9\""} Mako = "*" SQLAlchemy = ">=1.3.0" typing-extensions = ">=4" @@ -215,6 +217,9 @@ files = [ {file = "Babel-2.14.0.tar.gz", hash = "sha256:6919867db036398ba21eb5c7a0f6b28ab8cbc3ae7a73a44ebe34ae74a4e7d363"}, ] +[package.dependencies] +pytz = {version = ">=2015.7", markers = "python_version < \"3.9\""} + [package.extras] dev = ["freezegun (>=1.0,<2.0)", "pytest (>=6.0)", "pytest-cov"] @@ -233,6 +238,17 @@ files = [ bacpypes = "*" colorama = "*" +[[package]] +name = "backcall" +version = "0.2.0" +description = "Specifications for callback functions passed in to an API" +optional = false +python-versions = "*" +files = [ + {file = "backcall-0.2.0-py2.py3-none-any.whl", hash = "sha256:fbbce6a29f263178a1f7915c1940bde0ec2b2a967566fe1c65c1dfb7422bd255"}, + {file = "backcall-0.2.0.tar.gz", hash = "sha256:5cbdbf27be5e7cfadb448baf0aa95508f91f2bbc6c6437cd9cd06e2a4c215e1e"}, +] + [[package]] name = "bacpypes" version = "0.18.7" @@ -331,13 +347,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.3.1a5" +version = "0.3.1" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true -python-versions = ">=3.9,<4.0" +python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "brick_tq_shacl-0.3.1a5-py3-none-any.whl", hash = "sha256:83b796483cf7626fcea21cbb42a73518ce0c3c89c2be923fd82afe7064afb51f"}, - {file = "brick_tq_shacl-0.3.1a5.tar.gz", hash = "sha256:a8d9a780f66c83f66611583cca683087fd65951ebda6fa6f95fc7fad1287b19c"}, + {file = "brick_tq_shacl-0.3.1-py3-none-any.whl", hash = "sha256:254c849e9c59038d1edf2fe1e6236cef8664dd7fb5015e3957f21bcf89603093"}, + {file = "brick_tq_shacl-0.3.1.tar.gz", hash = "sha256:3eee9f5d76a07473bbd41240d67bb24e82314ddb605e593ae93bf2cd61e93774"}, ] [package.dependencies] @@ -572,63 +588,63 @@ test = ["pytest"] [[package]] name = "coverage" -version = "7.4.3" +version = "7.4.4" description = "Code coverage measurement for Python" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.4.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8580b827d4746d47294c0e0b92854c85a92c2227927433998f0d3320ae8a71b6"}, - {file = "coverage-7.4.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:718187eeb9849fc6cc23e0d9b092bc2348821c5e1a901c9f8975df0bc785bfd4"}, - {file = "coverage-7.4.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:767b35c3a246bcb55b8044fd3a43b8cd553dd1f9f2c1eeb87a302b1f8daa0524"}, - {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ae7f19afe0cce50039e2c782bff379c7e347cba335429678450b8fe81c4ef96d"}, - {file = "coverage-7.4.3-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba3a8aaed13770e970b3df46980cb068d1c24af1a1968b7818b69af8c4347efb"}, - {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:ee866acc0861caebb4f2ab79f0b94dbfbdbfadc19f82e6e9c93930f74e11d7a0"}, - {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:506edb1dd49e13a2d4cac6a5173317b82a23c9d6e8df63efb4f0380de0fbccbc"}, - {file = "coverage-7.4.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd6545d97c98a192c5ac995d21c894b581f1fd14cf389be90724d21808b657e2"}, - {file = "coverage-7.4.3-cp310-cp310-win32.whl", hash = "sha256:f6a09b360d67e589236a44f0c39218a8efba2593b6abdccc300a8862cffc2f94"}, - {file = "coverage-7.4.3-cp310-cp310-win_amd64.whl", hash = "sha256:18d90523ce7553dd0b7e23cbb28865db23cddfd683a38fb224115f7826de78d0"}, - {file = "coverage-7.4.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:cbbe5e739d45a52f3200a771c6d2c7acf89eb2524890a4a3aa1a7fa0695d2a47"}, - {file = "coverage-7.4.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:489763b2d037b164846ebac0cbd368b8a4ca56385c4090807ff9fad817de4113"}, - {file = "coverage-7.4.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:451f433ad901b3bb00184d83fd83d135fb682d780b38af7944c9faeecb1e0bfe"}, - {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fcc66e222cf4c719fe7722a403888b1f5e1682d1679bd780e2b26c18bb648cdc"}, - {file = "coverage-7.4.3-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b3ec74cfef2d985e145baae90d9b1b32f85e1741b04cd967aaf9cfa84c1334f3"}, - {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:abbbd8093c5229c72d4c2926afaee0e6e3140de69d5dcd918b2921f2f0c8baba"}, - {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:35eb581efdacf7b7422af677b92170da4ef34500467381e805944a3201df2079"}, - {file = "coverage-7.4.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:8249b1c7334be8f8c3abcaaa996e1e4927b0e5a23b65f5bf6cfe3180d8ca7840"}, - {file = "coverage-7.4.3-cp311-cp311-win32.whl", hash = "sha256:cf30900aa1ba595312ae41978b95e256e419d8a823af79ce670835409fc02ad3"}, - {file = "coverage-7.4.3-cp311-cp311-win_amd64.whl", hash = "sha256:18c7320695c949de11a351742ee001849912fd57e62a706d83dfc1581897fa2e"}, - {file = "coverage-7.4.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b51bfc348925e92a9bd9b2e48dad13431b57011fd1038f08316e6bf1df107d10"}, - {file = "coverage-7.4.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:d6cdecaedea1ea9e033d8adf6a0ab11107b49571bbb9737175444cea6eb72328"}, - {file = "coverage-7.4.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3b2eccb883368f9e972e216c7b4c7c06cabda925b5f06dde0650281cb7666a30"}, - {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6c00cdc8fa4e50e1cc1f941a7f2e3e0f26cb2a1233c9696f26963ff58445bac7"}, - {file = "coverage-7.4.3-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b9a4a8dd3dcf4cbd3165737358e4d7dfbd9d59902ad11e3b15eebb6393b0446e"}, - {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:062b0a75d9261e2f9c6d071753f7eef0fc9caf3a2c82d36d76667ba7b6470003"}, - {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:ebe7c9e67a2d15fa97b77ea6571ce5e1e1f6b0db71d1d5e96f8d2bf134303c1d"}, - {file = "coverage-7.4.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:c0a120238dd71c68484f02562f6d446d736adcc6ca0993712289b102705a9a3a"}, - {file = "coverage-7.4.3-cp312-cp312-win32.whl", hash = "sha256:37389611ba54fd6d278fde86eb2c013c8e50232e38f5c68235d09d0a3f8aa352"}, - {file = "coverage-7.4.3-cp312-cp312-win_amd64.whl", hash = "sha256:d25b937a5d9ffa857d41be042b4238dd61db888533b53bc76dc082cb5a15e914"}, - {file = "coverage-7.4.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:28ca2098939eabab044ad68850aac8f8db6bf0b29bc7f2887d05889b17346454"}, - {file = "coverage-7.4.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:280459f0a03cecbe8800786cdc23067a8fc64c0bd51dc614008d9c36e1659d7e"}, - {file = "coverage-7.4.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6c0cdedd3500e0511eac1517bf560149764b7d8e65cb800d8bf1c63ebf39edd2"}, - {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9a9babb9466fe1da12417a4aed923e90124a534736de6201794a3aea9d98484e"}, - {file = "coverage-7.4.3-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dec9de46a33cf2dd87a5254af095a409ea3bf952d85ad339751e7de6d962cde6"}, - {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:16bae383a9cc5abab9bb05c10a3e5a52e0a788325dc9ba8499e821885928968c"}, - {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2c854ce44e1ee31bda4e318af1dbcfc929026d12c5ed030095ad98197eeeaed0"}, - {file = "coverage-7.4.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:ce8c50520f57ec57aa21a63ea4f325c7b657386b3f02ccaedeccf9ebe27686e1"}, - {file = "coverage-7.4.3-cp38-cp38-win32.whl", hash = "sha256:708a3369dcf055c00ddeeaa2b20f0dd1ce664eeabde6623e516c5228b753654f"}, - {file = "coverage-7.4.3-cp38-cp38-win_amd64.whl", hash = "sha256:1bf25fbca0c8d121a3e92a2a0555c7e5bc981aee5c3fdaf4bb7809f410f696b9"}, - {file = "coverage-7.4.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:3b253094dbe1b431d3a4ac2f053b6d7ede2664ac559705a704f621742e034f1f"}, - {file = "coverage-7.4.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77fbfc5720cceac9c200054b9fab50cb2a7d79660609200ab83f5db96162d20c"}, - {file = "coverage-7.4.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6679060424faa9c11808598504c3ab472de4531c571ab2befa32f4971835788e"}, - {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4af154d617c875b52651dd8dd17a31270c495082f3d55f6128e7629658d63765"}, - {file = "coverage-7.4.3-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8640f1fde5e1b8e3439fe482cdc2b0bb6c329f4bb161927c28d2e8879c6029ee"}, - {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:69b9f6f66c0af29642e73a520b6fed25ff9fd69a25975ebe6acb297234eda501"}, - {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:0842571634f39016a6c03e9d4aba502be652a6e4455fadb73cd3a3a49173e38f"}, - {file = "coverage-7.4.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:a78ed23b08e8ab524551f52953a8a05d61c3a760781762aac49f8de6eede8c45"}, - {file = "coverage-7.4.3-cp39-cp39-win32.whl", hash = "sha256:c0524de3ff096e15fcbfe8f056fdb4ea0bf497d584454f344d59fce069d3e6e9"}, - {file = "coverage-7.4.3-cp39-cp39-win_amd64.whl", hash = "sha256:0209a6369ccce576b43bb227dc8322d8ef9e323d089c6f3f26a597b09cb4d2aa"}, - {file = "coverage-7.4.3-pp38.pp39.pp310-none-any.whl", hash = "sha256:7cbde573904625509a3f37b6fecea974e363460b556a627c60dc2f47e2fffa51"}, - {file = "coverage-7.4.3.tar.gz", hash = "sha256:276f6077a5c61447a48d133ed13e759c09e62aff0dc84274a68dc18660104d52"}, + {file = "coverage-7.4.4-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:e0be5efd5127542ef31f165de269f77560d6cdef525fffa446de6f7e9186cfb2"}, + {file = "coverage-7.4.4-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:ccd341521be3d1b3daeb41960ae94a5e87abe2f46f17224ba5d6f2b8398016cf"}, + {file = "coverage-7.4.4-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:09fa497a8ab37784fbb20ab699c246053ac294d13fc7eb40ec007a5043ec91f8"}, + {file = "coverage-7.4.4-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:b1a93009cb80730c9bca5d6d4665494b725b6e8e157c1cb7f2db5b4b122ea562"}, + {file = "coverage-7.4.4-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:690db6517f09336559dc0b5f55342df62370a48f5469fabf502db2c6d1cffcd2"}, + {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:09c3255458533cb76ef55da8cc49ffab9e33f083739c8bd4f58e79fecfe288f7"}, + {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:8ce1415194b4a6bd0cdcc3a1dfbf58b63f910dcb7330fe15bdff542c56949f87"}, + {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:b91cbc4b195444e7e258ba27ac33769c41b94967919f10037e6355e998af255c"}, + {file = "coverage-7.4.4-cp310-cp310-win32.whl", hash = "sha256:598825b51b81c808cb6f078dcb972f96af96b078faa47af7dfcdf282835baa8d"}, + {file = "coverage-7.4.4-cp310-cp310-win_amd64.whl", hash = "sha256:09ef9199ed6653989ebbcaacc9b62b514bb63ea2f90256e71fea3ed74bd8ff6f"}, + {file = "coverage-7.4.4-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:0f9f50e7ef2a71e2fae92774c99170eb8304e3fdf9c8c3c7ae9bab3e7229c5cf"}, + {file = "coverage-7.4.4-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:623512f8ba53c422fcfb2ce68362c97945095b864cda94a92edbaf5994201083"}, + {file = "coverage-7.4.4-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0513b9508b93da4e1716744ef6ebc507aff016ba115ffe8ecff744d1322a7b63"}, + {file = "coverage-7.4.4-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:40209e141059b9370a2657c9b15607815359ab3ef9918f0196b6fccce8d3230f"}, + {file = "coverage-7.4.4-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8a2b2b78c78293782fd3767d53e6474582f62443d0504b1554370bde86cc8227"}, + {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:73bfb9c09951125d06ee473bed216e2c3742f530fc5acc1383883125de76d9cd"}, + {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:1f384c3cc76aeedce208643697fb3e8437604b512255de6d18dae3f27655a384"}, + {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:54eb8d1bf7cacfbf2a3186019bcf01d11c666bd495ed18717162f7eb1e9dd00b"}, + {file = "coverage-7.4.4-cp311-cp311-win32.whl", hash = "sha256:cac99918c7bba15302a2d81f0312c08054a3359eaa1929c7e4b26ebe41e9b286"}, + {file = "coverage-7.4.4-cp311-cp311-win_amd64.whl", hash = "sha256:b14706df8b2de49869ae03a5ccbc211f4041750cd4a66f698df89d44f4bd30ec"}, + {file = "coverage-7.4.4-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:201bef2eea65e0e9c56343115ba3814e896afe6d36ffd37bab783261db430f76"}, + {file = "coverage-7.4.4-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:41c9c5f3de16b903b610d09650e5e27adbfa7f500302718c9ffd1c12cf9d6818"}, + {file = "coverage-7.4.4-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d898fe162d26929b5960e4e138651f7427048e72c853607f2b200909794ed978"}, + {file = "coverage-7.4.4-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3ea79bb50e805cd6ac058dfa3b5c8f6c040cb87fe83de10845857f5535d1db70"}, + {file = "coverage-7.4.4-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ce4b94265ca988c3f8e479e741693d143026632672e3ff924f25fab50518dd51"}, + {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:00838a35b882694afda09f85e469c96367daa3f3f2b097d846a7216993d37f4c"}, + {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:fdfafb32984684eb03c2d83e1e51f64f0906b11e64482df3c5db936ce3839d48"}, + {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:69eb372f7e2ece89f14751fbcbe470295d73ed41ecd37ca36ed2eb47512a6ab9"}, + {file = "coverage-7.4.4-cp312-cp312-win32.whl", hash = "sha256:137eb07173141545e07403cca94ab625cc1cc6bc4c1e97b6e3846270e7e1fea0"}, + {file = "coverage-7.4.4-cp312-cp312-win_amd64.whl", hash = "sha256:d71eec7d83298f1af3326ce0ff1d0ea83c7cb98f72b577097f9083b20bdaf05e"}, + {file = "coverage-7.4.4-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:d5ae728ff3b5401cc320d792866987e7e7e880e6ebd24433b70a33b643bb0384"}, + {file = "coverage-7.4.4-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:cc4f1358cb0c78edef3ed237ef2c86056206bb8d9140e73b6b89fbcfcbdd40e1"}, + {file = "coverage-7.4.4-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8130a2aa2acb8788e0b56938786c33c7c98562697bf9f4c7d6e8e5e3a0501e4a"}, + {file = "coverage-7.4.4-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:cf271892d13e43bc2b51e6908ec9a6a5094a4df1d8af0bfc360088ee6c684409"}, + {file = "coverage-7.4.4-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a4cdc86d54b5da0df6d3d3a2f0b710949286094c3a6700c21e9015932b81447e"}, + {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:ae71e7ddb7a413dd60052e90528f2f65270aad4b509563af6d03d53e979feafd"}, + {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:38dd60d7bf242c4ed5b38e094baf6401faa114fc09e9e6632374388a404f98e7"}, + {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:aa5b1c1bfc28384f1f53b69a023d789f72b2e0ab1b3787aae16992a7ca21056c"}, + {file = "coverage-7.4.4-cp38-cp38-win32.whl", hash = "sha256:dfa8fe35a0bb90382837b238fff375de15f0dcdb9ae68ff85f7a63649c98527e"}, + {file = "coverage-7.4.4-cp38-cp38-win_amd64.whl", hash = "sha256:b2991665420a803495e0b90a79233c1433d6ed77ef282e8e152a324bbbc5e0c8"}, + {file = "coverage-7.4.4-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:3b799445b9f7ee8bf299cfaed6f5b226c0037b74886a4e11515e569b36fe310d"}, + {file = "coverage-7.4.4-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:b4d33f418f46362995f1e9d4f3a35a1b6322cb959c31d88ae56b0298e1c22357"}, + {file = "coverage-7.4.4-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:aadacf9a2f407a4688d700e4ebab33a7e2e408f2ca04dbf4aef17585389eff3e"}, + {file = "coverage-7.4.4-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7c95949560050d04d46b919301826525597f07b33beba6187d04fa64d47ac82e"}, + {file = "coverage-7.4.4-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ff7687ca3d7028d8a5f0ebae95a6e4827c5616b31a4ee1192bdfde697db110d4"}, + {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:5fc1de20b2d4a061b3df27ab9b7c7111e9a710f10dc2b84d33a4ab25065994ec"}, + {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:c74880fc64d4958159fbd537a091d2a585448a8f8508bf248d72112723974cbd"}, + {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:742a76a12aa45b44d236815d282b03cfb1de3b4323f3e4ec933acfae08e54ade"}, + {file = "coverage-7.4.4-cp39-cp39-win32.whl", hash = "sha256:d89d7b2974cae412400e88f35d86af72208e1ede1a541954af5d944a8ba46c57"}, + {file = "coverage-7.4.4-cp39-cp39-win_amd64.whl", hash = "sha256:9ca28a302acb19b6af89e90f33ee3e1906961f94b54ea37de6737b7ca9d8827c"}, + {file = "coverage-7.4.4-pp38.pp39.pp310-none-any.whl", hash = "sha256:b2c5edc4ac10a7ef6605a966c58929ec6c1bd0917fb8c15cb3363f65aa40e677"}, + {file = "coverage-7.4.4.tar.gz", hash = "sha256:c901df83d097649e257e803be22592aedfd5182f07b3cc87d640bbb9afd50f49"}, ] [package.dependencies] @@ -1048,6 +1064,24 @@ docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.link perf = ["ipython"] testing = ["flufl.flake8", "importlib-resources (>=1.3)", "packaging", "pyfakefs", "pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy", "pytest-perf (>=0.9.2)", "pytest-ruff (>=0.2.1)"] +[[package]] +name = "importlib-resources" +version = "6.3.0" +description = "Read resources from Python packages" +optional = false +python-versions = ">=3.8" +files = [ + {file = "importlib_resources-6.3.0-py3-none-any.whl", hash = "sha256:783407aa1cd05550e3aa123e8f7cfaebee35ffa9cb0242919e2d1e4172222705"}, + {file = "importlib_resources-6.3.0.tar.gz", hash = "sha256:166072a97e86917a9025876f34286f549b9caf1d10b35a1b372bffa1600c6569"}, +] + +[package.dependencies] +zipp = {version = ">=3.1.0", markers = "python_version < \"3.10\""} + +[package.extras] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] +testing = ["jaraco.collections", "pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy", "pytest-ruff (>=0.2.1)", "zipp (>=3.17)"] + [[package]] name = "iniconfig" version = "2.0.0" @@ -1094,40 +1128,42 @@ test = ["flaky", "ipyparallel", "pre-commit", "pytest (>=7.0)", "pytest-asyncio [[package]] name = "ipython" -version = "8.18.1" +version = "8.12.3" description = "IPython: Productive Interactive Computing" optional = false -python-versions = ">=3.9" +python-versions = ">=3.8" files = [ - {file = "ipython-8.18.1-py3-none-any.whl", hash = "sha256:e8267419d72d81955ec1177f8a29aaa90ac80ad647499201119e2f05e99aa397"}, - {file = "ipython-8.18.1.tar.gz", hash = "sha256:ca6f079bb33457c66e233e4580ebfc4128855b4cf6370dddd73842a9563e8a27"}, + {file = "ipython-8.12.3-py3-none-any.whl", hash = "sha256:b0340d46a933d27c657b211a329d0be23793c36595acf9e6ef4164bc01a1804c"}, + {file = "ipython-8.12.3.tar.gz", hash = "sha256:3910c4b54543c2ad73d06579aa771041b7d5707b033bd488669b4cf544e3b363"}, ] [package.dependencies] +appnope = {version = "*", markers = "sys_platform == \"darwin\""} +backcall = "*" colorama = {version = "*", markers = "sys_platform == \"win32\""} decorator = "*" -exceptiongroup = {version = "*", markers = "python_version < \"3.11\""} jedi = ">=0.16" matplotlib-inline = "*" pexpect = {version = ">4.3", markers = "sys_platform != \"win32\""} -prompt-toolkit = ">=3.0.41,<3.1.0" +pickleshare = "*" +prompt-toolkit = ">=3.0.30,<3.0.37 || >3.0.37,<3.1.0" pygments = ">=2.4.0" stack-data = "*" traitlets = ">=5" typing-extensions = {version = "*", markers = "python_version < \"3.10\""} [package.extras] -all = ["black", "curio", "docrepr", "exceptiongroup", "ipykernel", "ipyparallel", "ipywidgets", "matplotlib", "matplotlib (!=3.2.0)", "nbconvert", "nbformat", "notebook", "numpy (>=1.22)", "pandas", "pickleshare", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio (<0.22)", "qtconsole", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "trio", "typing-extensions"] +all = ["black", "curio", "docrepr", "ipykernel", "ipyparallel", "ipywidgets", "matplotlib", "matplotlib (!=3.2.0)", "nbconvert", "nbformat", "notebook", "numpy (>=1.21)", "pandas", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio", "qtconsole", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "trio", "typing-extensions"] black = ["black"] -doc = ["docrepr", "exceptiongroup", "ipykernel", "matplotlib", "pickleshare", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio (<0.22)", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "typing-extensions"] +doc = ["docrepr", "ipykernel", "matplotlib", "pytest (<7)", "pytest (<7.1)", "pytest-asyncio", "setuptools (>=18.5)", "sphinx (>=1.3)", "sphinx-rtd-theme", "stack-data", "testpath", "typing-extensions"] kernel = ["ipykernel"] nbconvert = ["nbconvert"] nbformat = ["nbformat"] notebook = ["ipywidgets", "notebook"] parallel = ["ipyparallel"] qtconsole = ["qtconsole"] -test = ["pickleshare", "pytest (<7.1)", "pytest-asyncio (<0.22)", "testpath"] -test-extra = ["curio", "matplotlib (!=3.2.0)", "nbformat", "numpy (>=1.22)", "pandas", "pickleshare", "pytest (<7.1)", "pytest-asyncio (<0.22)", "testpath", "trio"] +test = ["pytest (<7.1)", "pytest-asyncio", "testpath"] +test-extra = ["curio", "matplotlib (!=3.2.0)", "nbformat", "numpy (>=1.21)", "pandas", "pytest (<7.1)", "pytest-asyncio", "testpath", "trio"] [[package]] name = "ipywidgets" @@ -1279,9 +1315,11 @@ files = [ attrs = ">=22.2.0" fqdn = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} idna = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} +importlib-resources = {version = ">=1.4.0", markers = "python_version < \"3.9\""} isoduration = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} jsonpointer = {version = ">1.13", optional = true, markers = "extra == \"format-nongpl\""} jsonschema-specifications = ">=2023.03.6" +pkgutil-resolve-name = {version = ">=1.3.10", markers = "python_version < \"3.9\""} referencing = ">=0.28.4" rfc3339-validator = {version = "*", optional = true, markers = "extra == \"format-nongpl\""} rfc3986-validator = {version = ">0.1.0", optional = true, markers = "extra == \"format-nongpl\""} @@ -1305,6 +1343,7 @@ files = [ ] [package.dependencies] +importlib-resources = {version = ">=1.4.0", markers = "python_version < \"3.9\""} referencing = ">=0.31.0" [[package]] @@ -1555,19 +1594,20 @@ test = ["jupyter-server (>=2.0.0)", "pytest (>=7.0)", "pytest-jupyter[server] (> [[package]] name = "jupyterlab" -version = "4.1.4" +version = "4.1.5" description = "JupyterLab computational environment" optional = false python-versions = ">=3.8" files = [ - {file = "jupyterlab-4.1.4-py3-none-any.whl", hash = "sha256:f92c3f2b12b88efcf767205f49be9b2f86b85544f9c4f342bb5e9904a16cf931"}, - {file = "jupyterlab-4.1.4.tar.gz", hash = "sha256:e03c82c124ad8a0892e498b9dde79c50868b2c267819aca3f55ce47c57ebeb1d"}, + {file = "jupyterlab-4.1.5-py3-none-any.whl", hash = "sha256:3bc843382a25e1ab7bc31d9e39295a9f0463626692b7995597709c0ab236ab2c"}, + {file = "jupyterlab-4.1.5.tar.gz", hash = "sha256:c9ad75290cb10bfaff3624bf3fbb852319b4cce4c456613f8ebbaa98d03524db"}, ] [package.dependencies] async-lru = ">=1.0.0" httpx = ">=0.25.0" importlib-metadata = {version = ">=4.8.3", markers = "python_version < \"3.10\""} +importlib-resources = {version = ">=1.4", markers = "python_version < \"3.9\""} ipykernel = "*" jinja2 = ">=3.0.3" jupyter-core = "*" @@ -2045,13 +2085,13 @@ webpdf = ["playwright"] [[package]] name = "nbformat" -version = "5.10.2" +version = "5.10.3" description = "The Jupyter Notebook format" optional = false python-versions = ">=3.8" files = [ - {file = "nbformat-5.10.2-py3-none-any.whl", hash = "sha256:7381189a0d537586b3f18bae5dbad347d7dd0a7cf0276b09cdcd5c24d38edd99"}, - {file = "nbformat-5.10.2.tar.gz", hash = "sha256:c535b20a0d4310167bf4d12ad31eccfb0dc61e6392d6f8c570ab5b45a06a49a3"}, + {file = "nbformat-5.10.3-py3-none-any.whl", hash = "sha256:d9476ca28676799af85385f409b49d95e199951477a159a576ef2a675151e5e8"}, + {file = "nbformat-5.10.3.tar.gz", hash = "sha256:60ed5e910ef7c6264b87d644f276b1b49e24011930deef54605188ddeb211685"}, ] [package.dependencies] @@ -2166,13 +2206,13 @@ setuptools = "*" [[package]] name = "notebook" -version = "7.1.1" +version = "7.1.2" description = "Jupyter Notebook - A web-based notebook environment for interactive computing" optional = false python-versions = ">=3.8" files = [ - {file = "notebook-7.1.1-py3-none-any.whl", hash = "sha256:197d8e0595acabf4005851c8716e952a81b405f7aefb648067a761fbde267ce7"}, - {file = "notebook-7.1.1.tar.gz", hash = "sha256:818e7420fa21f402e726afb9f02df7f3c10f294c02e383ed19852866c316108b"}, + {file = "notebook-7.1.2-py3-none-any.whl", hash = "sha256:fc6c24b9aef18d0cd57157c9c47e95833b9b0bdc599652639acf0bdb61dc7d5f"}, + {file = "notebook-7.1.2.tar.gz", hash = "sha256:efc2c80043909e0faa17fce9e9b37c059c03af0ec99a4d4db84cb21d9d2e936a"}, ] [package.dependencies] @@ -2305,6 +2345,28 @@ files = [ [package.dependencies] ptyprocess = ">=0.5" +[[package]] +name = "pickleshare" +version = "0.7.5" +description = "Tiny 'shelve'-like database with concurrency support" +optional = false +python-versions = "*" +files = [ + {file = "pickleshare-0.7.5-py2.py3-none-any.whl", hash = "sha256:9649af414d74d4df115d5d718f82acb59c9d418196b7b4290ed47a12ce62df56"}, + {file = "pickleshare-0.7.5.tar.gz", hash = "sha256:87683d47965c1da65cdacaf31c8441d12b8044cdec9aca500cd78fc2c683afca"}, +] + +[[package]] +name = "pkgutil-resolve-name" +version = "1.3.10" +description = "Resolve a name to an object." +optional = false +python-versions = ">=3.6" +files = [ + {file = "pkgutil_resolve_name-1.3.10-py3-none-any.whl", hash = "sha256:ca27cc078d25c5ad71a9de0a7a330146c4e014c2462d9af19c6b828280649c5e"}, + {file = "pkgutil_resolve_name-1.3.10.tar.gz", hash = "sha256:357d6c9e6a755653cfd78893817c0853af365dd51ec97f3d358a819373bbd174"}, +] + [[package]] name = "platformdirs" version = "4.2.0" @@ -2626,13 +2688,13 @@ files = [ [[package]] name = "pydata-sphinx-theme" -version = "0.15.2" +version = "0.14.4" description = "Bootstrap-based Sphinx theme from the PyData community" optional = false -python-versions = ">=3.9" +python-versions = ">=3.8" files = [ - {file = "pydata_sphinx_theme-0.15.2-py3-none-any.whl", hash = "sha256:0c5fa1fa98a9b26dae590666ff576f27e26c7ba708fee754ecb9e07359ed4588"}, - {file = "pydata_sphinx_theme-0.15.2.tar.gz", hash = "sha256:4243fee85b3afcfae9df64f83210a04e7182e53bc3db8841ffff6d21d95ae320"}, + {file = "pydata_sphinx_theme-0.14.4-py3-none-any.whl", hash = "sha256:ac15201f4c2e2e7042b0cad8b30251433c1f92be762ddcefdb4ae68811d918d9"}, + {file = "pydata_sphinx_theme-0.14.4.tar.gz", hash = "sha256:f5d7a2cb7a98e35b9b49d3b02cec373ad28958c2ed5c9b1ffe6aff6c56e9de5b"}, ] [package.dependencies] @@ -3551,6 +3613,7 @@ files = [ ] [package.dependencies] +importlib-resources = {version = "*", markers = "python_version < \"3.9\""} sphinx = ">=4,<5.1" [package.extras] @@ -3618,18 +3681,17 @@ sphinx = ["matplotlib", "myst-nb", "numpy", "sphinx-book-theme", "sphinx-design" [[package]] name = "sphinxcontrib-applehelp" -version = "1.0.8" +version = "1.0.4" description = "sphinxcontrib-applehelp is a Sphinx extension which outputs Apple help books" optional = false -python-versions = ">=3.9" +python-versions = ">=3.8" files = [ - {file = "sphinxcontrib_applehelp-1.0.8-py3-none-any.whl", hash = "sha256:cb61eb0ec1b61f349e5cc36b2028e9e7ca765be05e49641c97241274753067b4"}, - {file = "sphinxcontrib_applehelp-1.0.8.tar.gz", hash = "sha256:c40a4f96f3776c4393d933412053962fac2b84f4c99a7982ba42e09576a70619"}, + {file = "sphinxcontrib-applehelp-1.0.4.tar.gz", hash = "sha256:828f867945bbe39817c210a1abfd1bc4895c8b73fcaade56d45357a348a07d7e"}, + {file = "sphinxcontrib_applehelp-1.0.4-py3-none-any.whl", hash = "sha256:29d341f67fb0f6f586b23ad80e072c8e6ad0b48417db2bde114a4c9746feb228"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] -standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] @@ -3652,34 +3714,32 @@ Sphinx = ">=2.1" [[package]] name = "sphinxcontrib-devhelp" -version = "1.0.6" -description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp documents" +version = "1.0.2" +description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp document." optional = false -python-versions = ">=3.9" +python-versions = ">=3.5" files = [ - {file = "sphinxcontrib_devhelp-1.0.6-py3-none-any.whl", hash = "sha256:6485d09629944511c893fa11355bda18b742b83a2b181f9a009f7e500595c90f"}, - {file = "sphinxcontrib_devhelp-1.0.6.tar.gz", hash = "sha256:9893fd3f90506bc4b97bdb977ceb8fbd823989f4316b28c3841ec128544372d3"}, + {file = "sphinxcontrib-devhelp-1.0.2.tar.gz", hash = "sha256:ff7f1afa7b9642e7060379360a67e9c41e8f3121f2ce9164266f61b9f4b338e4"}, + {file = "sphinxcontrib_devhelp-1.0.2-py2.py3-none-any.whl", hash = "sha256:8165223f9a335cc1af7ffe1ed31d2871f325254c0423bc0c4c7cd1c1e4734a2e"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] -standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sphinxcontrib-htmlhelp" -version = "2.0.5" +version = "2.0.1" description = "sphinxcontrib-htmlhelp is a sphinx extension which renders HTML help files" optional = false -python-versions = ">=3.9" +python-versions = ">=3.8" files = [ - {file = "sphinxcontrib_htmlhelp-2.0.5-py3-none-any.whl", hash = "sha256:393f04f112b4d2f53d93448d4bce35842f62b307ccdc549ec1585e950bc35e04"}, - {file = "sphinxcontrib_htmlhelp-2.0.5.tar.gz", hash = "sha256:0dc87637d5de53dd5eec3a6a01753b1ccf99494bd756aafecd74b4fa9e729015"}, + {file = "sphinxcontrib-htmlhelp-2.0.1.tar.gz", hash = "sha256:0cbdd302815330058422b98a113195c9249825d681e18f11e8b1f78a2f11efff"}, + {file = "sphinxcontrib_htmlhelp-2.0.1-py3-none-any.whl", hash = "sha256:c38cb46dccf316c79de6e5515e1770414b797162b23cd3d06e67020e1d2a6903"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] -standalone = ["Sphinx (>=5)"] test = ["html5lib", "pytest"] [[package]] @@ -3698,34 +3758,32 @@ test = ["flake8", "mypy", "pytest"] [[package]] name = "sphinxcontrib-qthelp" -version = "1.0.7" -description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp documents" +version = "1.0.3" +description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp document." optional = false -python-versions = ">=3.9" +python-versions = ">=3.5" files = [ - {file = "sphinxcontrib_qthelp-1.0.7-py3-none-any.whl", hash = "sha256:e2ae3b5c492d58fcbd73281fbd27e34b8393ec34a073c792642cd8e529288182"}, - {file = "sphinxcontrib_qthelp-1.0.7.tar.gz", hash = "sha256:053dedc38823a80a7209a80860b16b722e9e0209e32fea98c90e4e6624588ed6"}, + {file = "sphinxcontrib-qthelp-1.0.3.tar.gz", hash = "sha256:4c33767ee058b70dba89a6fc5c1892c0d57a54be67ddd3e7875a18d14cba5a72"}, + {file = "sphinxcontrib_qthelp-1.0.3-py2.py3-none-any.whl", hash = "sha256:bd9fc24bcb748a8d51fd4ecaade681350aa63009a347a8c14e637895444dfab6"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] -standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] name = "sphinxcontrib-serializinghtml" -version = "1.1.10" -description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)" +version = "1.1.5" +description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)." optional = false -python-versions = ">=3.9" +python-versions = ">=3.5" files = [ - {file = "sphinxcontrib_serializinghtml-1.1.10-py3-none-any.whl", hash = "sha256:326369b8df80a7d2d8d7f99aa5ac577f51ea51556ed974e7716cfd4fca3f6cb7"}, - {file = "sphinxcontrib_serializinghtml-1.1.10.tar.gz", hash = "sha256:93f3f5dc458b91b192fe10c397e324f262cf163d79f3282c158e8436a2c4511f"}, + {file = "sphinxcontrib-serializinghtml-1.1.5.tar.gz", hash = "sha256:aa5f6de5dfdf809ef505c4895e51ef5c9eac17d0f287933eb49ec495280b6952"}, + {file = "sphinxcontrib_serializinghtml-1.1.5-py2.py3-none-any.whl", hash = "sha256:352a9a00ae864471d3a7ead8d7d79f5fc0b57e8b3f95e9867eb9eb28999b92fd"}, ] [package.extras] lint = ["docutils-stubs", "flake8", "mypy"] -standalone = ["Sphinx (>=5)"] test = ["pytest"] [[package]] @@ -3966,13 +4024,13 @@ referencing = "*" [[package]] name = "types-python-dateutil" -version = "2.8.19.20240311" +version = "2.9.0.20240315" description = "Typing stubs for python-dateutil" optional = false python-versions = ">=3.8" files = [ - {file = "types-python-dateutil-2.8.19.20240311.tar.gz", hash = "sha256:51178227bbd4cbec35dc9adffbf59d832f20e09842d7dcb8c73b169b8780b7cb"}, - {file = "types_python_dateutil-2.8.19.20240311-py3-none-any.whl", hash = "sha256:ef813da0809aca76472ca88807addbeea98b19339aebe56159ae2f4b4f70857a"}, + {file = "types-python-dateutil-2.9.0.20240315.tar.gz", hash = "sha256:c1f6310088eb9585da1b9f811765b989ed2e2cdd4203c1a367e944b666507e4e"}, + {file = "types_python_dateutil-2.9.0.20240315-py3-none-any.whl", hash = "sha256:78aa9124f360df90bb6e85eb1a4d06e75425445bf5ecb13774cb0adef7ff3956"}, ] [[package]] @@ -4159,13 +4217,13 @@ files = [ [[package]] name = "zipp" -version = "3.18.0" +version = "3.18.1" description = "Backport of pathlib-compatible object wrapper for zip files" optional = false python-versions = ">=3.8" files = [ - {file = "zipp-3.18.0-py3-none-any.whl", hash = "sha256:c1bb803ed69d2cce2373152797064f7e79bc43f0a3748eb494096a867e0ebf79"}, - {file = "zipp-3.18.0.tar.gz", hash = "sha256:df8d042b02765029a09b157efd8e820451045890acc30f8e37dd2f94a060221f"}, + {file = "zipp-3.18.1-py3-none-any.whl", hash = "sha256:206f5a15f2af3dbaee80769fb7dc6f249695e940acca08dfb2a4769fe61e538b"}, + {file = "zipp-3.18.1.tar.gz", hash = "sha256:2884ed22e7d8961de1c9a05142eb69a247f120291bc0206a00a7642f09b5b715"}, ] [package.extras] @@ -4182,5 +4240,5 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" -python-versions = "^3.9, <3.12" -content-hash = "8ef4c2eabf59e2e94fe048caa2ed4e6caea5e6856aa8c90a592a442679049a9d" +python-versions = "^3.8.1, <3.12" +content-hash = "f82c5a06eabff25b7155392f9c1e0e45e14316b0f7b0d75b790ec6ef7ffe6b24" diff --git a/pyproject.toml b/pyproject.toml index e2d301bd9..4c4f1b03b 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -19,7 +19,7 @@ documentation = "https://nrel.github.io/BuildingMOTIF" buildingmotif = 'buildingmotif.bin.cli:app' [tool.poetry.dependencies] -python = "^3.9, <3.12" +python = "^3.8.1, <3.12" rdflib = ">=7.0" SQLAlchemy = "^1.4.44" pyaml = "^21.10.1" @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.3.1a5"} +brick-tq-shacl = {optional = true, version="0.3.1"} werkzeug="^2.3.7" types-jsonschema = "^4.21.0.20240311" From 0427587d3770f5b2169b0905b28c0c60aee2f15f Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 15 Mar 2024 12:56:01 -0600 Subject: [PATCH 39/61] add back python 3.8 --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index c64b70359..6aaa37516 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -32,7 +32,7 @@ jobs: runs-on: ubuntu-latest strategy: matrix: - python-version: ['3.9', '3.10', '3.11'] + python-version: ['3.8.1', '3.9', '3.10', '3.11'] steps: - name: checkout uses: actions/checkout@v4 From ec350db91441687ec43323311e4cb3a10497f097 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 17 Mar 2024 14:58:20 -0600 Subject: [PATCH 40/61] change 3.8 version --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 6aaa37516..b71529c98 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -32,7 +32,7 @@ jobs: runs-on: ubuntu-latest strategy: matrix: - python-version: ['3.8.1', '3.9', '3.10', '3.11'] + python-version: ['3.8', '3.9', '3.10', '3.11'] steps: - name: checkout uses: actions/checkout@v4 From f7116c6fdaec3e0da9c8bd242e6f83ea75a4e8d0 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 17 Mar 2024 15:42:31 -0600 Subject: [PATCH 41/61] add test for finding reasons with a given severity --- buildingmotif/dataclasses/validation.py | 2 +- tests/unit/dataclasses/test_model.py | 84 +++++++++++++++++++++++++ 2 files changed, 85 insertions(+), 1 deletion(-) diff --git a/buildingmotif/dataclasses/validation.py b/buildingmotif/dataclasses/validation.py index 5daee063b..d70fe9035 100644 --- a/buildingmotif/dataclasses/validation.py +++ b/buildingmotif/dataclasses/validation.py @@ -292,7 +292,7 @@ def get_reasons_with_severity( :rtype: Dict[Optional[URIRef], Set[GraphDiff]] """ - if isinstance(severity, str): + if not isinstance(severity, URIRef): severity = SH[severity] # check if the severity is a valid SHACL severity diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index ed9ab50df..7905c0062 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -274,3 +274,87 @@ def test_validate_with_manifest(clean_building_motif, shacl_engine): ctx = model.validate(None, engine=shacl_engine) assert not ctx.valid, "Model validated but it should throw an error" + + +def test_get_validation_severity(clean_building_motif, shacl_engine): + NS = Namespace("urn:ex/") + g = Graph() + g.parse( + data=""" + @prefix rdf: . + @prefix rdfs: . + @prefix skos: . + @prefix brick: . + @prefix sh: . + @prefix : . + :a a :Class . # will fail all shapes + """ + ) + + manifest_g = Graph() + manifest_g.parse( + data=""" + @prefix rdf: . + @prefix rdfs: . + @prefix skos: . + @prefix brick: . + @prefix sh: . + @prefix : . + :shape_warning a sh:NodeShape ; + sh:targetClass :Class ; + sh:property [ + sh:path rdfs:label ; + sh:minCount 1 ; + sh:severity sh:Warning ; + ] . + :shape_violation1 a sh:NodeShape ; + sh:targetClass :Class ; + sh:property [ + sh:path brick:hasPoint ; + sh:minCount 1 ; + sh:severity sh:Violation ; + ] . + :shape_violation2 a sh:NodeShape ; + sh:targetClass :Class ; + sh:property [ + sh:path brick:feeds ; + sh:minCount 1 ; + sh:severity sh:Violation ; + ] . + :shape_info a sh:NodeShape ; + sh:targetClass :Class ; + sh:property [ + sh:path brick:hasPart ; + sh:minCount 1 ; + sh:severity sh:Info ; + ] . + + """ + ) + + model = Model.create(name=NS) + model.add_graph(g) + manifest = model.get_manifest() + manifest.add_graph(manifest_g) + + ctx = model.validate(None, engine=shacl_engine) + assert not ctx.valid, "Model validated but it should throw an error" + + # check that only valid severity values are accepted + with pytest.raises(ValueError): + reasons = ctx.get_reasons_with_severity("Nonexist") + + for severity in ["Violation", SH.Violation]: + reasons = ctx.get_reasons_with_severity(severity) + assert set(reasons.keys()) == {NS["a"]} + assert len(reasons[NS["a"]]) == 2, f"Expected 2 violations, got {reasons}" + + for severity in ["Info", SH.Info]: + reasons = ctx.get_reasons_with_severity(severity) + assert set(reasons.keys()) == {NS["a"]} + assert len(reasons[NS["a"]]) == 1, f"Expected 1 info, got {reasons}" + + for severity in ["Warning", SH.Warning]: + reasons = ctx.get_reasons_with_severity(severity) + assert set(reasons.keys()) == {NS["a"]} + assert len(reasons[NS["a"]]) == 1, f"Expected 1 warning, got {reasons}" From 695290bae94858b5dcc223153a22f075e418e937 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 18 Mar 2024 10:34:46 -0600 Subject: [PATCH 42/61] update brick-tq-shacl, fix type signature --- buildingmotif/dataclasses/model.py | 2 +- buildingmotif/utils.py | 4 +++- poetry.lock | 8 ++++---- pyproject.toml | 2 +- 4 files changed, 9 insertions(+), 7 deletions(-) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index 4e7cf5ac4..cdd9b7041 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -196,7 +196,7 @@ def validate( data_graph.serialize("/tmp/data_graph.ttl", format="turtle") # validate the data graph - valid, report_g, report_str = shacl_validate(data_graph, shapeg, engine) + valid, report_g, report_str = shacl_validate(data_graph, shapeg, engine=engine) return ValidationContext( shape_collections, shapeg, diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index c1e624058..b64a06a5c 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -545,7 +545,9 @@ def skip_uri(uri: URIRef) -> bool: def shacl_validate( - data_graph: Graph, shape_graph: Optional[Graph] = None, engine="topquadrant" + data_graph: Graph, + shape_graph: Optional[Graph] = None, + engine: Optional[str] = "topquadrant", ) -> Tuple[bool, Graph, str]: """ Validate the data graph against the shape graph. diff --git a/poetry.lock b/poetry.lock index 09653409d..b6da0a513 100644 --- a/poetry.lock +++ b/poetry.lock @@ -347,13 +347,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.3.1" +version = "0.3.2a1" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "brick_tq_shacl-0.3.1-py3-none-any.whl", hash = "sha256:254c849e9c59038d1edf2fe1e6236cef8664dd7fb5015e3957f21bcf89603093"}, - {file = "brick_tq_shacl-0.3.1.tar.gz", hash = "sha256:3eee9f5d76a07473bbd41240d67bb24e82314ddb605e593ae93bf2cd61e93774"}, + {file = "brick_tq_shacl-0.3.2a1-py3-none-any.whl", hash = "sha256:b4dccaefb73f036db73cef38e3dbbd9186fade6ceec8f36dc874df0ca48f683c"}, + {file = "brick_tq_shacl-0.3.2a1.tar.gz", hash = "sha256:3d81f08852e15b0347492741509026bf98d436040e1d06b75bece0f26817eeaf"}, ] [package.dependencies] @@ -4226,4 +4226,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = ">=3.8.1, <3.12" -content-hash = "168c4d55a7a9ae7b3728fc3326faa98c206a05a26169f8e24314bc6a25b8d586" +content-hash = "63bd2b45bd2e055dca70ef784eee7d50347e8b24e1a705cd023ce4f2f39db0d8" diff --git a/pyproject.toml b/pyproject.toml index eeddfb7b8..e8a7a5212 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.3.1"} +brick-tq-shacl = {optional = true, version="0.3.2a1"} werkzeug="^2.3.7" types-jsonschema = "^4.21.0.20240311" From e4098acdcaf5f6ec7f373084bd3f60578d236bbb Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 18 Mar 2024 10:40:54 -0600 Subject: [PATCH 43/61] remove debug serializations --- buildingmotif/dataclasses/model.py | 3 --- 1 file changed, 3 deletions(-) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index cdd9b7041..36d4413f4 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -189,11 +189,8 @@ def validate( # validation through the interpretation of the validation report shapeg = shapeg.skolemize() - shapeg.serialize("/tmp/shapeg.ttl", format="turtle") - # TODO: do we want to preserve the materialized triples added to data_graph via reasoning? data_graph = copy_graph(self.graph) - data_graph.serialize("/tmp/data_graph.ttl", format="turtle") # validate the data graph valid, report_g, report_str = shacl_validate(data_graph, shapeg, engine=engine) From 2b8893f5228690634a36221169ea1fb1045074c9 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 18 Mar 2024 13:29:33 -0600 Subject: [PATCH 44/61] bump shacl version --- poetry.lock | 14 +++++++------- pyproject.toml | 2 +- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/poetry.lock b/poetry.lock index b6da0a513..eba7a8dac 100644 --- a/poetry.lock +++ b/poetry.lock @@ -347,13 +347,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.3.2a1" +version = "0.3.2a3" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "brick_tq_shacl-0.3.2a1-py3-none-any.whl", hash = "sha256:b4dccaefb73f036db73cef38e3dbbd9186fade6ceec8f36dc874df0ca48f683c"}, - {file = "brick_tq_shacl-0.3.2a1.tar.gz", hash = "sha256:3d81f08852e15b0347492741509026bf98d436040e1d06b75bece0f26817eeaf"}, + {file = "brick_tq_shacl-0.3.2a3-py3-none-any.whl", hash = "sha256:dc754f745da107eb7df499131872bfa6035010bed1cf83f28f2ddf7761255c64"}, + {file = "brick_tq_shacl-0.3.2a3.tar.gz", hash = "sha256:88350facde258eaedff3503f985874a89bfb13b79b381470a85d9aedc6082039"}, ] [package.dependencies] @@ -1496,13 +1496,13 @@ test = ["ipykernel", "pre-commit", "pytest (<8)", "pytest-cov", "pytest-timeout" [[package]] name = "jupyter-events" -version = "0.9.1" +version = "0.10.0" description = "Jupyter Event System library" optional = false python-versions = ">=3.8" files = [ - {file = "jupyter_events-0.9.1-py3-none-any.whl", hash = "sha256:e51f43d2c25c2ddf02d7f7a5045f71fc1d5cb5ad04ef6db20da961c077654b9b"}, - {file = "jupyter_events-0.9.1.tar.gz", hash = "sha256:a52e86f59eb317ee71ff2d7500c94b963b8a24f0b7a1517e2e653e24258e15c7"}, + {file = "jupyter_events-0.10.0-py3-none-any.whl", hash = "sha256:4b72130875e59d57716d327ea70d3ebc3af1944d3717e5a498b8a06c6c159960"}, + {file = "jupyter_events-0.10.0.tar.gz", hash = "sha256:670b8229d3cc882ec782144ed22e0d29e1c2d639263f92ca8383e66682845e22"}, ] [package.dependencies] @@ -4226,4 +4226,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = ">=3.8.1, <3.12" -content-hash = "63bd2b45bd2e055dca70ef784eee7d50347e8b24e1a705cd023ce4f2f39db0d8" +content-hash = "41f507e87d350ab00bf499b2c94fd7053b15093d27a2ab7e6feff752d3024a82" diff --git a/pyproject.toml b/pyproject.toml index e8a7a5212..397e04e28 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.3.2a1"} +brick-tq-shacl = {optional = true, version="0.3.2a3"} werkzeug="^2.3.7" types-jsonschema = "^4.21.0.20240311" From b06f8c1865fb7add4933d84759f701859c698619 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 19 Mar 2024 11:44:37 -0600 Subject: [PATCH 45/61] fixing skolemization for validation --- buildingmotif/dataclasses/model.py | 10 +++++-- buildingmotif/utils.py | 48 +++++++++++++++++++++++++++--- poetry.lock | 8 ++--- pyproject.toml | 2 +- tests/unit/api/test_model.py | 8 ++--- 5 files changed, 60 insertions(+), 16 deletions(-) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index 36d4413f4..acb154e8b 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -8,13 +8,14 @@ from buildingmotif import get_building_motif from buildingmotif.dataclasses.shape_collection import ShapeCollection from buildingmotif.dataclasses.validation import ValidationContext -from buildingmotif.namespaces import A +from buildingmotif.namespaces import OWL, A from buildingmotif.utils import ( Triple, copy_graph, rewrite_shape_graph, shacl_inference, shacl_validate, + skolemize_shapes, ) if TYPE_CHECKING: @@ -185,9 +186,12 @@ def validate( # inline sh:node for interpretability shapeg = rewrite_shape_graph(shapeg) + # remove imports from sg + shapeg.remove((None, OWL.imports, None)) + # skolemize the shape graph so we have consistent identifiers across # validation through the interpretation of the validation report - shapeg = shapeg.skolemize() + shapeg = skolemize_shapes(shapeg) # TODO: do we want to preserve the materialized triples added to data_graph via reasoning? data_graph = copy_graph(self.graph) @@ -223,7 +227,7 @@ def compile( for shape_collection in shape_collections: ontology_graph += shape_collection.graph - ontology_graph = ontology_graph.skolemize() + ontology_graph = skolemize_shapes(ontology_graph) model_graph = copy_graph(self.graph).skolemize() diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index b64a06a5c..1bba5cd25 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -570,7 +570,7 @@ def shacl_validate( validate as tq_validate, # type: ignore ) - return tq_validate(data_graph.skolemize(), (shape_graph or Graph()).skolemize()) # type: ignore + return tq_validate(data_graph, shape_graph or Graph()) # type: ignore except ImportError: logging.info( "TopQuadrant SHACL engine not available. Using PySHACL instead." @@ -609,9 +609,7 @@ def shacl_inference( try: from brick_tq_shacl.topquadrant_shacl import infer as tq_infer - return tq_infer( - data_graph.skolemize(), (shape_graph or Graph()).skolemize() - ) + return tq_infer(data_graph, shape_graph or Graph()) # type: ignore except ImportError: logging.info( "TopQuadrant SHACL engine not available. Using PySHACL instead." @@ -650,3 +648,45 @@ def shacl_inference( post_compile_length = len(data_graph) # type: ignore attempts -= 1 return data_graph - (shape_graph or Graph()) + + +def skolemize_shapes(g: Graph) -> Graph: + """ + Skolemize the shapes in the graph. + + :param g: the graph to skolemize + :type g: Graph + :return: the skolemized graph + :rtype: Graph + """ + # write a query to update agraph by changing all PropertyShape blank nodes + # to URIRefs + g = copy_graph(g) + property_shapes = list(g.subjects(predicate=RDF.type, object=SH.PropertyShape)) + property_shapes.extend(list(g.objects(predicate=SH.property))) + replacements = {} + for ps in property_shapes: + # if not bnode, skip + if not isinstance(ps, BNode): + continue + # create a new URIRef + new_ps = URIRef(f"urn:well-known/{secrets.token_hex(4)}") + # replace the old BNode with the new URIRef + replacements[ps] = new_ps + # apply the replacements + replace_nodes(g, replacements) + + # name all objects of qualifiedValueShape + qvs = list(g.objects(predicate=SH.qualifiedValueShape)) + replacements = {} + for qv in qvs: + # if not bnode, skip + if not isinstance(qv, BNode): + continue + # create a new URIRef + new_qv = URIRef(f"urn:well-known/{secrets.token_hex(4)}") + # replace the old BNode with the new URIRef + replacements[qv] = new_qv + # apply the replacements + replace_nodes(g, replacements) + return g diff --git a/poetry.lock b/poetry.lock index eba7a8dac..f9cf54136 100644 --- a/poetry.lock +++ b/poetry.lock @@ -347,13 +347,13 @@ files = [ [[package]] name = "brick-tq-shacl" -version = "0.3.2a3" +version = "0.3.2a4" description = "Wraps topquadrant's SHACL implementation in a simple Python wrapper" optional = true python-versions = ">=3.8.1,<4.0.0" files = [ - {file = "brick_tq_shacl-0.3.2a3-py3-none-any.whl", hash = "sha256:dc754f745da107eb7df499131872bfa6035010bed1cf83f28f2ddf7761255c64"}, - {file = "brick_tq_shacl-0.3.2a3.tar.gz", hash = "sha256:88350facde258eaedff3503f985874a89bfb13b79b381470a85d9aedc6082039"}, + {file = "brick_tq_shacl-0.3.2a4-py3-none-any.whl", hash = "sha256:5d54159d1da328daca7cf9b6abe3831865ac68f12244fcff54a682e4bf69f09d"}, + {file = "brick_tq_shacl-0.3.2a4.tar.gz", hash = "sha256:2bad45c69d008c1500b5b7f63d0c09ca7931311da6f264c55e7de81cd423d960"}, ] [package.dependencies] @@ -4226,4 +4226,4 @@ xlsx-ingress = [] [metadata] lock-version = "2.0" python-versions = ">=3.8.1, <3.12" -content-hash = "41f507e87d350ab00bf499b2c94fd7053b15093d27a2ab7e6feff752d3024a82" +content-hash = "e9bd5f48cee921f5e9a11268cb0d9aca4cc673eea5db0275b83a53645395bc46" diff --git a/pyproject.toml b/pyproject.toml index 397e04e28..565dcda98 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -36,7 +36,7 @@ setuptools = "^65.6.3" psycopg2 = {version="^2.9.5", optional=true} pygit2 = "~1.11.1" jsonschema = "^4.21.1" -brick-tq-shacl = {optional = true, version="0.3.2a3"} +brick-tq-shacl = {optional = true, version="0.3.2a4"} werkzeug="^2.3.7" types-jsonschema = "^4.21.0.20240311" diff --git a/tests/unit/api/test_model.py b/tests/unit/api/test_model.py index 3a3e22390..422431092 100644 --- a/tests/unit/api/test_model.py +++ b/tests/unit/api/test_model.py @@ -255,12 +255,12 @@ def test_create_model_bad_name(client, building_motif): def test_validate_model(client, building_motif, shacl_engine): # Set up + brick = Library.load(ontology_graph="tests/unit/fixtures/Brick.ttl") + assert brick is not None library_1 = Library.load(ontology_graph="tests/unit/fixtures/shapes/shape1.ttl") assert library_1 is not None library_2 = Library.load(directory="tests/unit/fixtures/templates") assert library_2 is not None - brick = Library.load(ontology_graph="tests/unit/fixtures/Brick.ttl") - assert brick is not None BLDG = Namespace("urn:building/") model = Model.create(name=BLDG) @@ -271,7 +271,7 @@ def test_validate_model(client, building_motif, shacl_engine): f"/models/{model.id}/validate", headers={"Content-Type": "application/json"}, json={ - "library_ids": [library_1.id, library_2.id], + "library_ids": [library_1.id, library_2.id, brick.id], "shacl_engine": shacl_engine, }, ) @@ -300,7 +300,7 @@ def test_validate_model(client, building_motif, shacl_engine): results = client.post( f"/models/{model.id}/validate", headers={"Content-Type": "application/json"}, - json={"library_ids": [library_1.id, library_2.id]}, + json={"library_ids": [library_1.id, library_2.id, brick.id]}, ) # Assert From 1e4c316f04529cf5373b588db07626497f49ceda Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 19 Mar 2024 19:15:44 -0600 Subject: [PATCH 46/61] update 223p, fix merge error --- .../ashrae/223p/nrel-templates/properties.yml | 1 - libraries/ashrae/223p/ontology/223p.ttl | 58 +++++++++---------- 2 files changed, 29 insertions(+), 30 deletions(-) diff --git a/libraries/ashrae/223p/nrel-templates/properties.yml b/libraries/ashrae/223p/nrel-templates/properties.yml index 846c5533a..1e8afad38 100644 --- a/libraries/ashrae/223p/nrel-templates/properties.yml +++ b/libraries/ashrae/223p/nrel-templates/properties.yml @@ -337,4 +337,3 @@ occupancy-override: rdfs:label "Override-Default"@en . P:name a s223:EnumeratedObservableProperty ; s223:hasEnumerationKind s223:EnumerationKind-Override . ->>>>>>> origin/gtf-update-223p-templates diff --git a/libraries/ashrae/223p/ontology/223p.ttl b/libraries/ashrae/223p/ontology/223p.ttl index a1418fab8..c2e72e736 100644 --- a/libraries/ashrae/223p/ontology/223p.ttl +++ b/libraries/ashrae/223p/ontology/223p.ttl @@ -1052,10 +1052,10 @@ s223:ConcentrationSensor a s223:Class, s223:Controller a s223:Class, sh:NodeShape ; rdfs:label "Controller" ; - rdfs:comment "A device for regulation of a system or component in normal operation, which executes a FunctionBlock." ; + rdfs:comment "A device for regulation of a system or component in normal operation, which executes a Function." ; rdfs:subClassOf s223:Equipment ; - sh:property [ rdfs:comment "If the relation executes is present it must associate the Controller with a FunctionBlock." ; - sh:class s223:FunctionBlock ; + sh:property [ rdfs:comment "If the relation executes is present it must associate the Controller with a Function." ; + sh:class s223:Function ; sh:path s223:executes ] ; sh:rule [ a sh:TripleRule ; rdfs:comment "Infer the hasRole s223:Role-Controller relation for every instance of Controller" ; @@ -1064,10 +1064,10 @@ s223:Controller a s223:Class, sh:subject sh:this ] . s223:ControllerRoleShape a sh:NodeShape ; - rdfs:comment "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + rdfs:comment "Equipment that executes a Function must have a s223:hasRole relation to s223:Role-Controller." ; sh:property [ a sh:PropertyShape ; sh:hasValue s223:Role-Controller ; - sh:message "Equipment that executes a FunctionBlock must have a s223:hasRole relation to s223:Role-Controller." ; + sh:message "Equipment that executes a Function must have a s223:hasRole relation to s223:Role-Controller." ; sh:minCount 1 ; sh:path s223:hasRole ] ; sh:targetSubjectsOf s223:executes . @@ -19545,7 +19545,7 @@ s223:hasFrequency a rdf:Property ; s223:hasInput a rdf:Property ; rdfs:label "has function input" ; - rdfs:comment "The relation hasInput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is used as input." . + rdfs:comment "The relation hasInput is used to relate a Function (see `s223:Function`) to a Property (see `s223:Property`) that is used as input." . s223:hasMeasurementResolution a rdf:Property ; rdfs:label "has measurement resolution" ; @@ -39680,7 +39680,7 @@ s223:hasElectricalPhase a rdf:Property ; s223:hasOutput a rdf:Property ; rdfs:label "has function output" ; - rdfs:comment "The relation hasOutput is used to relate a FunctionBlock (see `s223:FunctionBlock`) to a Property (see `s223:Property`) that is calculated by the FunctionBlock." . + rdfs:comment "The relation hasOutput is used to relate a Function (see `s223:Function`) to a Property (see `s223:Property`) that is calculated by the Function." . qudt:BitEncoding a qudt:BitEncodingType ; rdfs:label "Bit Encoding" ; @@ -45756,10 +45756,10 @@ s223:EnumeratedObservableProperty a s223:Class, rdfs:subClassOf s223:EnumerableProperty, s223:ObservableProperty . -s223:FunctionBlock a s223:Class, +s223:Function a s223:Class, sh:NodeShape ; rdfs:label "Function block" ; - rdfs:comment "A FunctionBlock is used to model transfer and/or transformation of information (i.e. Property). It has relations to input Properties and output Properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; + rdfs:comment "A Function is used to model transfer and/or transformation of information (i.e. Property). It has relations to input Properties and output Properties. The actual algorithms that perform the transformations are described in CDL and are out of scope of the 223 standard." ; rdfs:subClassOf s223:Concept ; sh:or ( [ sh:property [ rdfs:comment "A Function block must be associated with at least one Property using the relation hasInput." ; sh:class s223:Property ; @@ -45922,7 +45922,7 @@ s223:connected a s223:SymmetricProperty, s223:executes a rdf:Property ; rdfs:label "executes" ; - rdfs:comment "The relation executes is used to specify that a Controller (see `s223:Controller`) is responsible for the execution of a FunctionBlock (see `s223:FunctionBlock`). " . + rdfs:comment "The relation executes is used to specify that a Controller (see `s223:Controller`) is responsible for the execution of a Function (see `s223:Function`). " . s223:hasDomainSpace a rdf:Property ; rdfs:label "has domain space" ; @@ -63294,10 +63294,10 @@ Enumerable properties must be associated with an EnumerationKind. sh:class s223:EnumerationKind-Substance ; sh:maxCount 1 ; sh:path s223:ofSubstance ], - [ rdfs:comment "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; - sh:class s223:FunctionBlock ; + [ rdfs:comment "A Property can be associated with at most one Function using the inverse relation hasOutput." ; + sh:class s223:Function ; sh:maxCount 1 ; - sh:message "A Property can be associated with at most one FunctionBlock using the inverse relation hasOutput." ; + sh:message "A Property can be associated with at most one Function using the inverse relation hasOutput." ; sh:path [ sh:inversePath s223:hasOutput ] ], [ rdfs:comment "" ; sh:path s223:ofSubstance ; @@ -70894,8 +70894,8 @@ The graphical depiction of Equipment used in this standard is a rounded cornered [ rdfs:comment "If the relation commandedByProperty is present it must associate the Equipment with a ActuatableProperty." ; sh:class s223:ActuatableProperty ; sh:path s223:commandedByProperty ], - [ rdfs:comment "If the relation executes is present it must associate the Equipment with a FunctionBlock." ; - sh:class s223:FunctionBlock ; + [ rdfs:comment "If the relation executes is present it must associate the Equipment with a Function." ; + sh:class s223:Function ; sh:path s223:executes ], [ rdfs:comment "If the relation hasPhysicalLocation is present it must associate the Equipment with a PhysicalSpace." ; sh:class s223:PhysicalSpace ; @@ -72031,22 +72031,8 @@ unit:CentiM a qudt:DerivedUnit, owl:versionInfo "Created with TopBraid Composer" ; sh:declare [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; sh:prefix "rdfs" ], - [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ], - [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; - sh:prefix "sh" ], - [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; - sh:prefix "s223" ], - [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ], - [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "quantitykind" ], [ a sh:PrefixDeclaration ; sh:namespace "http://purl.org/dc/terms/"^^xsd:anyURI ; sh:prefix "dcterms" ], @@ -72074,6 +72060,14 @@ unit:CentiM a qudt:DerivedUnit, [ a sh:PrefixDeclaration ; sh:namespace "http://www.w3.org/2004/02/skos/core#"^^xsd:anyURI ; sh:prefix "skos" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], + [ sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; + sh:prefix "quantitykind" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], + [ sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; + sh:prefix "qudt" ], [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; sh:prefix "s223" ], [ sh:namespace "http://data.ashrae.org/standard223/1.0/vocab/role#"^^xsd:anyURI ; @@ -72096,6 +72090,12 @@ unit:CentiM a qudt:DerivedUnit, sh:prefix "rdfs" ], [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; sh:prefix "sh" ], + [ sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; + sh:prefix "rdfs" ], + [ sh:namespace "http://www.w3.org/ns/shacl#"^^xsd:anyURI ; + sh:prefix "sh" ], + [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; + sh:prefix "s223" ], [ sh:namespace "http://data.ashrae.org/standard223#"^^xsd:anyURI ; sh:prefix "s223" ] . From aa819d9379923316a0ea3c70dde68e1bb2e65e87 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 19 Mar 2024 19:35:42 -0600 Subject: [PATCH 47/61] fix notebook --- notebooks/223PExample.ipynb | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/notebooks/223PExample.ipynb b/notebooks/223PExample.ipynb index df383e422..02f3f09b1 100644 --- a/notebooks/223PExample.ipynb +++ b/notebooks/223PExample.ipynb @@ -7,7 +7,7 @@ "metadata": {}, "outputs": [], "source": [ - "from rdflib import Namespace\n", + "from rdflib import Namespace, Graph\n", "\n", "from buildingmotif import BuildingMOTIF\n", "from buildingmotif.dataclasses import Library, Model\n", @@ -163,8 +163,11 @@ "source": [ "# fill in all the extra parameters with invented names\n", "for templ in things:\n", + " if isinstance(templ, Graph):\n", + " bldg.add_graph(templ) # template is already complete!\n", + " continue\n", " print(templ.name)\n", - " _, graph = templ.fill(BLDG, include_optional = True)\n", + " _, graph = templ.fill(BLDG, include_optional = True) # invent URIs for things we don't need names for (like ducts)\n", " bldg.add_graph(graph)" ] }, From a1288233d5332fcabff3d9d1e4dc16c112b4a38b Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 12 Apr 2024 08:09:27 -0600 Subject: [PATCH 48/61] fix the merge --- buildingmotif/api/views/model.py | 6 +- buildingmotif/dataclasses/library.py | 2 +- buildingmotif/progressive_creation.py | 137 ------------------ .../unit/fixtures/template-inline-test/1.yml | 18 --- .../test_generate_template_progression.py | 56 ------- 5 files changed, 2 insertions(+), 217 deletions(-) delete mode 100644 buildingmotif/progressive_creation.py delete mode 100644 tests/unit/fixtures/template-inline-test/1.yml delete mode 100644 tests/unit/test_generate_template_progression.py diff --git a/buildingmotif/api/views/model.py b/buildingmotif/api/views/model.py index 28052b4a8..41fc930dd 100644 --- a/buildingmotif/api/views/model.py +++ b/buildingmotif/api/views/model.py @@ -164,7 +164,6 @@ def validate_model(models_id: int) -> flask.Response: return {"message": f"No model with id {models_id}"}, status.HTTP_404_NOT_FOUND shape_collections = [] - shacl_engine = None # no body provided -- default to model manifest and default SHACL engine if request.content_length is None: @@ -197,12 +196,9 @@ def validate_model(models_id: int) -> flask.Response: "message": f"Libraries with ids {nonexistent_libraries} do not exist" }, status.HTTP_400_BAD_REQUEST - # get shacl engine if it is provided - shacl_engine = body.get("shacl_engine", None) - # if shape_collections is empty, model.validate will default # to the model's manifest - vaildation_context = model.validate(shape_collections, engine=shacl_engine) + vaildation_context = model.validate(shape_collections) return { "message": vaildation_context.report_string, diff --git a/buildingmotif/dataclasses/library.py b/buildingmotif/dataclasses/library.py index 88d4cd682..05858c972 100644 --- a/buildingmotif/dataclasses/library.py +++ b/buildingmotif/dataclasses/library.py @@ -248,7 +248,7 @@ def _load_from_ontology( # expand the ontology graph before we insert it into the database. This will ensure # that the output of compiled models will not contain triples that really belong to # the ontology - ontology = shacl_inference(ontology) + ontology = shacl_inference(ontology, engine=get_building_motif().shacl_engine) lib = cls.create(ontology_name, overwrite=overwrite) diff --git a/buildingmotif/progressive_creation.py b/buildingmotif/progressive_creation.py deleted file mode 100644 index c4589a014..000000000 --- a/buildingmotif/progressive_creation.py +++ /dev/null @@ -1,137 +0,0 @@ -from collections import Counter -from secrets import token_hex -from typing import Callable, Dict, List - -from rdflib import Graph -from rdflib.term import Node - -from buildingmotif.dataclasses import Library, Template -from buildingmotif.namespaces import PARAM -from buildingmotif.template_matcher import ( - _ontology_lookup_cache, - get_semantic_feasibility, -) -from buildingmotif.utils import Triple - -# from rdflib.compare import graph_diff - - -def _is_parameterized_triple(triple: Triple) -> bool: - """ - Returns true if a parameter appears in the triple - """ - st = (str(triple[0]), str(triple[1]), str(triple[2])) - return st[0].startswith(PARAM) or st[1].startswith(PARAM) or st[2].startswith(PARAM) - - -def _template_from_triples(lib: Library, triples: List[Triple]) -> Template: - g = Graph() - for t in triples: - g.add(t) - return lib.create_template(token_hex(4), g) - - -def compatible_triples( - a: Triple, b: Triple, sf_func: Callable[[Node, Node], bool] -) -> bool: - """ - Two triples are compatible if: - - they are the same - - they are pairwise semantically feasible - """ - if a == b: - return True - for (a_term, b_term) in zip(a, b): - if not sf_func(a_term, b_term): - return False - return True - - -def progressive_plan(templates: List[Template], context: Graph) -> List[Template]: - """ - We are given a list of templates; this is either a set of templates that - the model author supplies directly or are derived from sets of shapes that - need to be fulfilled. - - We want to optimize the population of these templates: there may be - redundant information between them, or there may be some unique/rare parts - of templates whose populations can be postponed. - """ - # present result as a sequence of (parameterized) triples? - - # greedy algorithm: - # start with the most common (substitutable) triple amongst all templates - # then choose the next most common triple, and so on. - # Yield triples that have parameters; automatically include - # non-parameterized triples - templates = [template.inline_dependencies() for template in templates] - histogram: Counter = Counter() - - inv: Dict[Triple, Template] = {} - - for templ in templates: - cache = _ontology_lookup_cache() - for body_triple in templ.body.triples((None, None, None)): - found = False - for hist_triple in histogram.keys(): - sf_func = get_semantic_feasibility( - templ.body, inv[hist_triple].body, context, cache - ) - if compatible_triples(body_triple, hist_triple, sf_func): - print(body_triple) - print(hist_triple) - print("-" * 50) - found = True - histogram[hist_triple] += 1 - break - if not found: - histogram[body_triple] = 1 - inv[body_triple] = templ - - # Start with the most common triple. We want to generate a sequence of triples - # that maximizes the number of templates that are included in the resulting graph. - # This is analogous to creating a left-biased CDF of (original) templates included - - # idea 1: just iterate through most common histogram - # This has no guarantee that the sequence is optimal *or* connected. - # We probably want to prioritize creating a connected sequence.. - most_common = histogram.most_common() - triples = [triple[0] for triple in most_common] - - template_sequence: List[Template] = [] - - lib = Library.create("temporary") - buffer: List[Triple] = [] - for triple in triples: - buffer.append(triple) - if _is_parameterized_triple(triple): - template_sequence.append(_template_from_triples(lib, buffer)) - buffer.clear() - if len(buffer) > 0: - template_sequence.append(_template_from_triples(lib, buffer)) - - # TODO: need to mark when a new template is satisfied - - # can look at the CDF for a site specification as part of paper evaluation - - # stub of an alternative approach... - # for pair in combinations(templates, 2): - # for pair in permutations(templates, 2): - # t1, t2 = pair[0].in_memory_copy(), pair[1].in_memory_copy() - # print(t1.body.serialize()) - # print("-" * 100) - # print(t2.body.serialize()) - # print("-" * 100) - # tm = TemplateMatcher(t1.body, t2, context) - # for mapping, subgraph in tm.building_mapping_subgraphs_iter( - # size=tm.largest_mapping_size - # ): - # pprint(mapping) - # print(subgraph.serialize()) - - # # both, first, second = graph_diff(pair[0].body, pair[1].body) - # # print(both.serialize()) - # print("*" * 100) - # print("*" * 100) - - return template_sequence diff --git a/tests/unit/fixtures/template-inline-test/1.yml b/tests/unit/fixtures/template-inline-test/1.yml deleted file mode 100644 index d9d56e86b..000000000 --- a/tests/unit/fixtures/template-inline-test/1.yml +++ /dev/null @@ -1,18 +0,0 @@ -parent: - body: > - @prefix P: . - @prefix brick: . - P:name a brick:Equipment ; - brick:hasPoint P:sensor ; - brick:hasPart P:dep . - dependencies: - - template: child - args: {"name": "dep", "child-opt-arg": "sensor"} - -child: - body: > - @prefix P: . - @prefix brick: . - P:name a brick:Equipment ; - brick:hasPoint P:child-opt-arg . - optional: ["child-opt-arg"] diff --git a/tests/unit/test_generate_template_progression.py b/tests/unit/test_generate_template_progression.py deleted file mode 100644 index 21781c50e..000000000 --- a/tests/unit/test_generate_template_progression.py +++ /dev/null @@ -1,56 +0,0 @@ -from typing import Dict - -from rdflib import Namespace -from rdflib.term import Node - -from buildingmotif import BuildingMOTIF -from buildingmotif.dataclasses import Library, Model, Template -from buildingmotif.progressive_creation import progressive_plan - - -def test_generate_valid_progression(bm: BuildingMOTIF): - BLDG = Namespace("urn:bldg#") - model = Model.create(BLDG) - brick = Library.load( - ontology_graph="tests/unit/fixtures/Brick1.3rc1-equip-only.ttl" - ) - templates = Library.load(directory="tests/unit/fixtures/progressive/templates") - tstat_templs = [ - templates.get_template_by_name("tstat"), - templates.get_template_by_name("tstat-location"), - ] - template_sequence = progressive_plan( - tstat_templs, brick.get_shape_collection().graph - ) - - bindings: Dict[str, Node] = {} - for templ in template_sequence: - templ = templ.evaluate(bindings) - if isinstance(templ, Template): - new_bindings, graph = templ.fill(BLDG) - bindings.update(new_bindings) - else: - graph = templ - model.add_graph(graph) - - print(model.graph.serialize()) - - # test that model contains what we expect - q1 = """ - PREFIX brick: - SELECT ?tstat ?temp ?sp WHERE { - ?tstat a brick:Thermostat ; - brick:hasPoint ?temp, ?sp . - ?temp a brick:Temperature_Sensor . - ?sp a brick:Temperature_Setpoint . - }""" - assert len(list(model.graph.query(q1))) == 1 - - q2 = """ - PREFIX brick: - SELECT ?tstat ?room WHERE { - ?tstat a brick:Thermostat ; - brick:hasLocation ?room . - ?room a brick:Room . - }""" - assert len(list(model.graph.query(q2))) == 1 From 1b69e7870e39e3cf21025d2391563aab3293fba5 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 12 Apr 2024 08:31:48 -0600 Subject: [PATCH 49/61] remove qudt from commit --- libraries/qudt/README.md | 5 - libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl | 19 - libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl | 3664 -- .../SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl | 804 - libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl | 6087 --- .../VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl | 3839 -- libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl | 431 - .../VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl | 23896 ------------ ...QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl | 805 - .../VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl | 262 - libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl | 30702 ---------------- .../qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl | 2577 -- 12 files changed, 73091 deletions(-) delete mode 100644 libraries/qudt/README.md delete mode 100644 libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl delete mode 100644 libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl delete mode 100644 libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl delete mode 100644 libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl diff --git a/libraries/qudt/README.md b/libraries/qudt/README.md deleted file mode 100644 index fea824449..000000000 --- a/libraries/qudt/README.md +++ /dev/null @@ -1,5 +0,0 @@ -## QUDT Ontology - -The QUDT files can be downloaded from the GitHub server at https://github.com/qudt/qudt-public-repo. -Specific files can be cherry-picked as needed, or an entire Release can be downloaded as a zip file at https://github.com/qudt/qudt-public-repo/releases. - diff --git a/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl b/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl deleted file mode 100644 index 926715065..000000000 --- a/libraries/qudt/SCHEMA-FACADE_QUDT-v2.1.ttl +++ /dev/null @@ -1,19 +0,0 @@ -# baseURI: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/schema/shacl/qudt -# imports: http://qudt.org/2.1/schema/extensions/functions - -@prefix owl: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix xsd: . - - - a owl:Ontology ; - owl:imports ; - owl:imports ; - owl:versionInfo "Created with TopBraid Composer" ; - rdfs:comment "Facade graph for single place to redirect QUDT schema imports. Note that currently, the functions import uses SPIN and OWL."; - rdfs:label "QUDT SCHEMA Facade graph - v2.1.32" ; -. diff --git a/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl b/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl deleted file mode 100644 index e1ab9da54..000000000 --- a/libraries/qudt/SCHEMA_QUDT_NoOWL-v2.1.ttl +++ /dev/null @@ -1,3664 +0,0 @@ -# baseURI: http://qudt.org/2.1/schema/shacl/qudt -# imports: http://qudt.org/2.1/schema/shacl/overlay/qudt -# imports: http://www.linkedmodel.org/schema/dtype -# imports: http://www.linkedmodel.org/schema/vaem -# imports: http://www.w3.org/2004/02/skos/core -# imports: http://www.w3.org/ns/shacl# - -@prefix dc: . -@prefix dcterms: . -@prefix dtype: . -@prefix owl: . -@prefix prov: . -@prefix quantitykind: . -@prefix qudt: . -@prefix qudt.type: . -@prefix rdf: . -@prefix rdfs: . -@prefix sh: . -@prefix skos: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - -dcterms:abstract - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "abstract" ; -. -dcterms:contributor - a rdf:Property ; - rdfs:label "contributor" ; -. -dcterms:created - a rdf:Property ; - rdfs:label "created" ; -. -dcterms:creator - a rdf:Property ; - rdfs:label "creator" ; -. -dcterms:description - a rdf:Property ; - rdfs:label "description" ; -. -dcterms:isReplacedBy - a rdf:Property ; - rdfs:label "is replaced by" ; -. -dcterms:modified - a rdf:Property ; - rdfs:label "modified" ; -. -dcterms:rights - a rdf:Property ; - rdfs:label "rights" ; -. -dcterms:source - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "source" ; -. -dcterms:subject - a rdf:Property ; - rdfs:label "subject" ; -. -dcterms:title - a rdf:Property ; - rdfs:label "title" ; -. - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_SHACLQUDT-SCHEMA ; - rdfs:isDefinedBy ; - rdfs:label "QUDT SHACL Schema Version 2.1.33" ; - owl:imports ; - owl:imports ; - owl:imports ; - owl:imports ; - owl:imports sh: ; - owl:versionIRI ; -. -qudt:AbstractQuantityKind - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Quantity Kind (abstract)" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:AbstractQuantityKind-broader ; - sh:property qudt:AbstractQuantityKind-latexSymbol ; - sh:property qudt:AbstractQuantityKind-symbol ; -. -qudt:AbstractQuantityKind-broader - a sh:PropertyShape ; - sh:path skos:broader ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; -. -qudt:AbstractQuantityKind-latexSymbol - a sh:PropertyShape ; - sh:path qudt:latexSymbol ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:AbstractQuantityKind-symbol - a sh:PropertyShape ; - sh:path qudt:symbol ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:AngleUnit - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "All units relating to specificaiton of angles. " ; - rdfs:isDefinedBy ; - rdfs:label "Angle unit" ; - rdfs:subClassOf qudt:DimensionlessUnit ; - skos:exactMatch ; -. -qudt:Aspect - a qudt:AspectClass ; - a sh:NodeShape ; - rdfs:comment "An aspect is an abstract type class that defines properties that can be reused."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Aspect" ; - rdfs:subClassOf rdfs:Resource ; -. -qudt:AspectClass - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Aspect Class" ; - rdfs:subClassOf rdfs:Class ; -. -qudt:BaseDimensionMagnitude - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI ; - qudt:informativeReference "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; - rdfs:comment """

A Dimension expresses a magnitude for a base quantiy kind such as mass, length and time.

-

DEPRECATED - each exponent is expressed as a property. Keep until a validaiton of this has been done.

"""^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Base Dimension Magnitude" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:BaseDimensionMagnitude-hasBaseQuantityKind ; - sh:property qudt:BaseDimensionMagnitude-vectorMagnitude ; -. -qudt:BaseDimensionMagnitude-hasBaseQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasBaseQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:BaseDimensionMagnitude-vectorMagnitude - a sh:PropertyShape ; - sh:path qudt:vectorMagnitude ; - rdfs:isDefinedBy ; - sh:datatype xsd:float ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:BigEndian - a qudt:EndianType ; - dtype:literal "big" ; - rdfs:isDefinedBy ; - rdfs:label "Big Endian" ; -. -qudt:BinaryPrefix - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A Binary Prefix is a prefix for multiples of units in data processing, data transmission, and digital information, notably the bit and the byte, to indicate multiplication by a power of 2." ; - rdfs:isDefinedBy ; - rdfs:label "Binary Prefix" ; - rdfs:subClassOf qudt:Prefix ; -. -qudt:BitEncoding - a qudt:BitEncodingType ; - qudt:bits 1 ; - rdfs:isDefinedBy ; - rdfs:label "Bit Encoding" ; -. -qudt:BitEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A bit encoding is a correspondence between the two possible values of a bit, 0 or 1, and some interpretation. For example, in a boolean encoding, a bit denotes a truth value, where 0 corresponds to False and 1 corresponds to True." ; - rdfs:isDefinedBy ; - rdfs:label "Bit Encoding" ; - rdfs:subClassOf qudt:Encoding ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:BitEncoding - ) ; - ] ; -. -qudt:BooleanEncoding - a qudt:BooleanEncodingType ; - qudt:bits 1 ; - rdfs:isDefinedBy ; - rdfs:label "Boolean Encoding" ; -. -qudt:BooleanEncodingType - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Boolean encoding type" ; - rdfs:subClassOf qudt:Encoding ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:BooleanEncoding - qudt:BitEncoding - qudt:OctetEncoding - ) ; - ] ; -. -qudt:ByteEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "This class contains the various ways that information may be encoded into bytes." ; - rdfs:isDefinedBy ; - rdfs:label "Byte Encoding" ; - rdfs:subClassOf qudt:Encoding ; -. -qudt:CT_COUNTABLY-INFINITE - a qudt:CardinalityType ; - dcterms:description "A set of numbers is called countably infinite if there is a way to enumerate them. Formally this is done with a bijection function that associates each number in the set with exactly one of the positive integers. The set of all fractions is also countably infinite. In other words, any set \\(X\\) that has the same cardinality as the set of the natural numbers, or \\(| X | \\; = \\; | \\mathbb N | \\; = \\; \\aleph0\\), is said to be a countably infinite set."^^qudt:LatexString ; - qudt:informativeReference "http://www.math.vanderbilt.edu/~schectex/courses/infinity.pdf"^^xsd:anyURI ; - qudt:literal "countable" ; - rdfs:isDefinedBy ; - rdfs:label "Countably Infinite Cardinality Type" ; -. -qudt:CT_FINITE - a qudt:CardinalityType ; - dcterms:description "Any set \\(X\\) with cardinality less than that of the natural numbers, or \\(| X | \\\\; < \\; | \\\\mathbb N | \\), is said to be a finite set."^^qudt:LatexString ; - qudt:literal "finite" ; - rdfs:isDefinedBy ; - rdfs:label "Finite Cardinality Type" ; -. -qudt:CT_UNCOUNTABLE - a qudt:CardinalityType ; - dcterms:description "Any set with cardinality greater than that of the natural numbers, or \\(| X | \\; > \\; | \\mathbb N | \\), for example \\(| R| \\; = \\; c \\; > |\\mathbb N |\\), is said to be uncountable."^^qudt:LatexString ; - qudt:literal "uncountable" ; - rdfs:isDefinedBy ; - rdfs:label "Uncountable Cardinality Type" ; -. -qudt:CardinalityType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set \\(A = {2, 4, 6}\\) contains 3 elements, and therefore \\(A\\) has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers."^^qudt:LatexString ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cardinal_number"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cardinality"^^xsd:anyURI ; - qudt:plainTextDescription "In mathematics, the cardinality of a set is a measure of the number of elements of the set. For example, the set 'A = {2, 4, 6}' contains 3 elements, and therefore 'A' has a cardinality of 3. There are two approaches to cardinality – one which compares sets directly using bijections and injections, and another which uses cardinal numbers." ; - rdfs:isDefinedBy ; - rdfs:label "Cardinality Type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property qudt:CardinalityType-literal ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:CT_COUNTABLY-INFINITE - qudt:CT_FINITE - qudt:CT_UNCOUNTABLE - ) ; - ] ; -. -qudt:CardinalityType-literal - a sh:PropertyShape ; - sh:path qudt:literal ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:CharEncoding - a qudt:BooleanEncodingType ; - a qudt:CharEncodingType ; - dc:description "7 bits of 1 octet" ; - qudt:bytes 1 ; - rdfs:isDefinedBy ; - rdfs:label "Char Encoding" ; -. -qudt:CharEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "The class of all character encoding schemes, each of which defines a rule or algorithm for encoding character data as a sequence of bits or bytes." ; - rdfs:isDefinedBy ; - rdfs:label "Char Encoding Type" ; - rdfs:subClassOf qudt:Encoding ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:CharEncoding - ) ; - ] ; -. -qudt:Citation - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Provides a simple way of making citations."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Citation" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Citation-description ; - sh:property qudt:Citation-url ; -. -qudt:Citation-description - a sh:PropertyShape ; - sh:path dcterms:description ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:Citation-url - a sh:PropertyShape ; - sh:path qudt:url ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:maxCount 1 ; -. -qudt:Comment - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Comment" ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:Comment-description ; - sh:property qudt:Comment-rationale ; -. -qudt:Comment-description - a sh:PropertyShape ; - sh:path dcterms:description ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Comment-rationale - a sh:PropertyShape ; - sh:path qudt:rationale ; - rdfs:isDefinedBy ; - sh:datatype rdf:HTML ; - sh:minCount 0 ; -. -qudt:Concept - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "The root class for all QUDT concepts."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Concept" ; - rdfs:subClassOf rdfs:Resource ; - sh:property qudt:Concept-abbreviation ; - sh:property qudt:Concept-code ; - sh:property qudt:Concept-deprecated ; - sh:property qudt:Concept-description ; - sh:property qudt:Concept-guidance ; - sh:property qudt:Concept-hasRule ; - sh:property qudt:Concept-id ; - sh:property qudt:Concept-isReplacedBy ; - sh:property qudt:Concept-plainTextDescription ; -. -qudt:Concept-abbreviation - a sh:PropertyShape ; - sh:path qudt:abbreviation ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Concept-code - a sh:PropertyShape ; - sh:path qudt:code ; - rdfs:isDefinedBy ; -. -qudt:Concept-deprecated - a sh:PropertyShape ; - sh:path qudt:deprecated ; - rdfs:isDefinedBy ; - sh:datatype xsd:boolean ; - sh:maxCount 1 ; -. -qudt:Concept-description - a sh:PropertyShape ; - sh:path dcterms:description ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Concept-guidance - a sh:PropertyShape ; - sh:path qudt:guidance ; - rdfs:isDefinedBy ; - sh:datatype rdf:HTML ; -. -qudt:Concept-hasRule - a sh:PropertyShape ; - sh:path qudt:hasRule ; - rdfs:isDefinedBy ; - sh:class qudt:Rule ; -. -qudt:Concept-id - a sh:PropertyShape ; - sh:path qudt:id ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Concept-isReplacedBy - a sh:PropertyShape ; - sh:path dcterms:isReplacedBy ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Concept-plainTextDescription - a sh:PropertyShape ; - sh:path qudt:plainTextDescription ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:ConstantValue - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Used to specify the values of a constant."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Constant value" ; - rdfs:subClassOf qudt:QuantityValue ; - sh:property qudt:ConstantValue-exactConstant ; - sh:property qudt:ConstantValue-informativeReference ; -. -qudt:ConstantValue-exactConstant - a sh:PropertyShape ; - sh:path qudt:exactConstant ; - rdfs:isDefinedBy ; - sh:datatype xsd:boolean ; - sh:maxCount 1 ; -. -qudt:ConstantValue-informativeReference - a sh:PropertyShape ; - sh:path qudt:informativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; -. -qudt:CountingUnit - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Used for all units that express counts. Examples are Atomic Number, Number, Number per Year, Percent and Sample per Second."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Counting Unit" ; - rdfs:subClassOf qudt:DimensionlessUnit ; -. -qudt:CurrencyUnit - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Currency Units have their own subclass of unit because: (a) they have additonal properites such as 'country' and (b) their URIs do not conform to the same rules as other units."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Currency Unit" ; - rdfs:subClassOf qudt:DimensionlessUnit ; - sh:property qudt:CurrencyUnit-currencyCode ; - sh:property qudt:CurrencyUnit-currencyExponent ; - sh:property qudt:CurrencyUnit-currencyNumber ; -. -qudt:CurrencyUnit-currencyCode - a sh:PropertyShape ; - sh:path qudt:currencyCode ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; -. -qudt:CurrencyUnit-currencyExponent - a sh:PropertyShape ; - sh:path qudt:currencyExponent ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; -. -qudt:CurrencyUnit-currencyNumber - a sh:PropertyShape ; - sh:path qudt:currencyNumber ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; -. -qudt:DataEncoding - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "

Data Encoding expresses the properties that specify how data is represented at the bit and byte level. These properties are applicable to describing raw data.

"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Data Encoding" ; - rdfs:subClassOf qudt:Aspect ; - sh:property qudt:DataEncoding-bitOrder ; - sh:property qudt:DataEncoding-byteOrder ; - sh:property qudt:DataEncoding-encoding ; -. -qudt:DataEncoding-bitOrder - a sh:PropertyShape ; - sh:path qudt:bitOrder ; - rdfs:isDefinedBy ; - sh:class qudt:EndianType ; - sh:maxCount 1 ; -. -qudt:DataEncoding-byteOrder - a sh:PropertyShape ; - sh:path qudt:byteOrder ; - rdfs:isDefinedBy ; - sh:class qudt:EndianType ; - sh:maxCount 1 ; -. -qudt:DataEncoding-encoding - a sh:PropertyShape ; - sh:path qudt:encoding ; - rdfs:isDefinedBy ; - sh:class qudt:Encoding ; - sh:maxCount 1 ; -. -qudt:Datatype - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A data type is a definition of a set of values (for example, \"all integers between 0 and 10\"), and the allowable operations on those values; the meaning of the data; and the way values of that type can be stored. Some types are primitive - built-in to the language, with no visible internal structure - e.g. Boolean; others are composite - constructed from one or more other types (of either kind) - e.g. lists, arrays, structures, unions. Object-oriented programming extends this with classes which encapsulate both the structure of a type and the operations that can be performed on it. Some languages provide strong typing, others allow implicit type conversion and/or explicit type conversion." ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data_type"^^xsd:anyURI ; - qudt:informativeReference "http://foldoc.org/data+type"^^xsd:anyURI ; - qudt:informativeReference "http://www.princeton.edu/~achaney/tmve/wiki100k/docs/Data_type.html"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Datatype" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Datatype-ansiSQLName ; - sh:property qudt:Datatype-basis ; - sh:property qudt:Datatype-bounded ; - sh:property qudt:Datatype-cName ; - sh:property qudt:Datatype-cardinality ; - sh:property qudt:Datatype-id ; - sh:property qudt:Datatype-javaName ; - sh:property qudt:Datatype-jsName ; - sh:property qudt:Datatype-matlabName ; - sh:property qudt:Datatype-microsoftSQLServerName ; - sh:property qudt:Datatype-mySQLName ; - sh:property qudt:Datatype-odbcName ; - sh:property qudt:Datatype-oleDBName ; - sh:property qudt:Datatype-oracleSQLName ; - sh:property qudt:Datatype-orderedType ; - sh:property qudt:Datatype-protocolBuffersName ; - sh:property qudt:Datatype-pythonName ; - sh:property qudt:Datatype-vbName ; -. -qudt:Datatype-ansiSQLName - a sh:PropertyShape ; - sh:path qudt:ansiSQLName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-basis - a sh:PropertyShape ; - sh:path qudt:basis ; - rdfs:isDefinedBy ; - sh:class qudt:Datatype ; - sh:maxCount 1 ; -. -qudt:Datatype-bounded - a sh:PropertyShape ; - sh:path qudt:bounded ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Datatype-cName - a sh:PropertyShape ; - sh:path qudt:cName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-cardinality - a sh:PropertyShape ; - sh:path qudt:cardinality ; - rdfs:isDefinedBy ; - sh:class qudt:CardinalityType ; - sh:maxCount 1 ; -. -qudt:Datatype-id - a sh:PropertyShape ; - sh:path qudt:id ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-javaName - a sh:PropertyShape ; - sh:path qudt:javaName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-jsName - a sh:PropertyShape ; - sh:path qudt:jsName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-matlabName - a sh:PropertyShape ; - sh:path qudt:matlabName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-microsoftSQLServerName - a sh:PropertyShape ; - sh:path qudt:microsoftSQLServerName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-mySQLName - a sh:PropertyShape ; - sh:path qudt:mySQLName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; -. -qudt:Datatype-odbcName - a sh:PropertyShape ; - sh:path qudt:odbcName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-oleDBName - a sh:PropertyShape ; - sh:path qudt:oleDBName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-oracleSQLName - a sh:PropertyShape ; - sh:path qudt:oracleSQLName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-orderedType - a sh:PropertyShape ; - sh:path qudt:orderedType ; - rdfs:isDefinedBy ; - sh:class qudt:OrderedType ; - sh:maxCount 1 ; -. -qudt:Datatype-protocolBuffersName - a sh:PropertyShape ; - sh:path qudt:protocolBuffersName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-pythonName - a sh:PropertyShape ; - sh:path qudt:pythonName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Datatype-vbName - a sh:PropertyShape ; - sh:path qudt:vbName ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:DateTimeStringEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "Date Time encodings are logical encodings for expressing date/time quantities as strings by applying unambiguous formatting and parsing rules." ; - rdfs:isDefinedBy ; - rdfs:label "Date Time String Encoding Type" ; - rdfs:subClassOf qudt:StringEncodingType ; - sh:property qudt:DateTimeStringEncodingType-allowedPattern ; -. -qudt:DateTimeStringEncodingType-allowedPattern - a sh:PropertyShape ; - sh:path qudt:allowedPattern ; - rdfs:isDefinedBy ; - sh:minCount 1 ; -. -qudt:DecimalPrefix - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A Decimal Prefix is a prefix for multiples of units that are powers of 10." ; - rdfs:isDefinedBy ; - rdfs:label "Decimal Prefix" ; - rdfs:subClassOf qudt:Prefix ; -. -qudt:DerivedUnit - a rdfs:Class ; - a sh:NodeShape ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Category:SI_derived_units"^^xsd:anyURI ; - rdfs:comment "A DerivedUnit is a type specification for units that are derived from other units."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Derived Unit" ; - rdfs:subClassOf qudt:Unit ; -. -qudt:DimensionlessUnit - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A Dimensionless Unit is a quantity for which all the exponents of the factors corresponding to the base quantities in its quantity dimension are zero."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Dimensionless Unit" ; - rdfs:subClassOf qudt:Unit ; -. -qudt:Discipline - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Discipline" ; - rdfs:subClassOf qudt:Concept ; -. -qudt:DoublePrecisionEncoding - a qudt:FloatingPointEncodingType ; - qudt:bytes 64 ; - rdfs:isDefinedBy ; - rdfs:label "Single Precision Real Encoding" ; -. -qudt:Encoding - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "An encoding is a rule or algorithm that is used to convert data from a native, or unspecified form into a specific form that satisfies the encoding rules. Examples of encodings include character encodings, such as UTF-8." ; - rdfs:isDefinedBy ; - rdfs:label "Encoding" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Encoding-bits ; - sh:property qudt:Encoding-bytes ; -. -qudt:Encoding-bits - a sh:PropertyShape ; - sh:path qudt:bits ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; -. -qudt:Encoding-bytes - a sh:PropertyShape ; - sh:path qudt:bytes ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; -. -qudt:EndianType - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Endianness"^^xsd:anyURI ; - qudt:plainTextDescription "In computing, endianness is the ordering used to represent some kind of data as a sequence of smaller units. Typical cases are the order in which integer values are stored as bytes in computer memory (relative to a given memory addressing scheme) and the transmission order over a network or other medium. When specifically talking about bytes, endianness is also referred to simply as byte order. Most computer processors simply store integers as sequences of bytes, so that, conceptually, the encoded value can be obtained by simple concatenation. For an 'n-byte' integer value this allows 'n!' (n factorial) possible representations (one for each byte permutation). The two most common of them are: increasing numeric significance with increasing memory addresses, known as little-endian, and its opposite, called big-endian." ; - rdfs:isDefinedBy ; - rdfs:label "Endian Type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt.type:LittleEndian - qudt.type:BigEndian - ) ; - ] ; -. -qudt:EnumeratedQuantity - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Enumerated Quantity" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:EnumeratedQuantity-enumeratedValue ; - sh:property qudt:EnumeratedQuantity-enumeration ; -. -qudt:EnumeratedQuantity-enumeratedValue - a sh:PropertyShape ; - sh:path qudt:enumeratedValue ; - rdfs:isDefinedBy ; - sh:class qudt:EnumeratedValue ; - sh:maxCount 1 ; -. -qudt:EnumeratedQuantity-enumeration - a sh:PropertyShape ; - sh:path qudt:enumeration ; - rdfs:isDefinedBy ; - sh:class qudt:Enumeration ; - sh:maxCount 1 ; -. -qudt:EnumeratedValue - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description """

This class is for all enumerated and/or coded values. For example, it contains the dimension objects that are the basis elements in some abstract vector space associated with a quantity kind system. Another use is for the base dimensions for quantity systems. Each quantity kind system that defines a base set has a corresponding ordered enumeration whose elements are the dimension objects for the base quantity kinds. The order of the dimensions in the enumeration determines the canonical order of the basis elements in the corresponding abstract vector space.

- -

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

- -

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Enumerated Value" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - rdfs:subClassOf dtype:EnumeratedValue ; - sh:property qudt:EnumeratedValue-abbreviation ; - sh:property qudt:EnumeratedValue-description ; - sh:property qudt:EnumeratedValue-symbol ; -. -qudt:EnumeratedValue-abbreviation - a sh:PropertyShape ; - sh:path qudt:abbreviation ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:EnumeratedValue-description - a sh:PropertyShape ; - sh:path dcterms:description ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:EnumeratedValue-symbol - a sh:PropertyShape ; - sh:path qudt:symbol ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Enumeration - a rdfs:Class ; - a sh:NodeShape ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Enumeration"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Enumerated_type"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Enumeration"^^xsd:anyURI ; - rdfs:comment """

An enumeration is a set of literals from which a single value is selected. Each literal can have a tag as an integer within a standard encoding appropriate to the range of integer values. Consistency of enumeration types will allow them, and the enumerated values, to be referred to unambiguously either through symbolic name or encoding. Enumerated values are also controlled vocabularies and as such need to be standardized. Without this consistency enumeration literals can be stated differently and result in data conflicts and misinterpretations.

- -

The tags are a set of positive whole numbers, not necessarily contiguous and having no numerical significance, each corresponding to the associated literal identifier. An order attribute can also be given on the enumeration elements. An enumeration can itself be a member of an enumeration. This allows enumerations to be enumerated in a selection. Enumerations are also subclasses of Scalar Datatype. This allows them to be used as the reference of a datatype specification.

"""^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Enumeration" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf dtype:Enumeration ; - sh:property qudt:Enumeration-abbreviation ; - sh:property qudt:Enumeration-default ; - sh:property qudt:Enumeration-element ; -. -qudt:Enumeration-abbreviation - a sh:PropertyShape ; - sh:path qudt:abbreviation ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Enumeration-default - a sh:PropertyShape ; - sh:path qudt:default ; - rdfs:isDefinedBy ; - sh:class qudt:EnumeratedValue ; - sh:maxCount 1 ; -. -qudt:Enumeration-element - a sh:PropertyShape ; - sh:path qudt:element ; - rdfs:isDefinedBy ; - sh:class qudt:EnumeratedValue ; - sh:minCount 1 ; -. -qudt:EnumerationScale - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Enumeration scale" ; - rdfs:subClassOf qudt:Scale ; - rdfs:subClassOf dtype:Enumeration ; -. -qudt:Figure - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Figure" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Figure-figureCaption ; - sh:property qudt:Figure-figureLabel ; - sh:property qudt:Figure-height ; - sh:property qudt:Figure-image ; - sh:property qudt:Figure-imageLocation ; - sh:property qudt:Figure-landscape ; - sh:property qudt:Figure-width ; -. -qudt:Figure-figureCaption - a sh:PropertyShape ; - sh:path qudt:figureCaption ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Figure-figureLabel - a sh:PropertyShape ; - sh:path qudt:figureLabel ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Figure-height - a sh:PropertyShape ; - sh:path qudt:height ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Figure-image - a sh:PropertyShape ; - sh:path qudt:image ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:maxCount 1 ; -. -qudt:Figure-imageLocation - a sh:PropertyShape ; - sh:path qudt:imageLocation ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:Figure-landscape - a sh:PropertyShape ; - sh:path qudt:landscape ; - rdfs:isDefinedBy ; - sh:datatype xsd:boolean ; - sh:maxCount 1 ; -. -qudt:Figure-width - a sh:PropertyShape ; - sh:path qudt:width ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:FloatingPointEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A \"Encoding\" with the following instance(s): \"Double Precision Encoding\", \"Single Precision Real Encoding\"." ; - rdfs:isDefinedBy ; - rdfs:label "Floating Point Encoding" ; - rdfs:subClassOf qudt:Encoding ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:DoublePrecisionEncoding - qudt:IEEE754_1985RealEncoding - qudt:SinglePrecisionRealEncoding - ) ; - ] ; -. -qudt:IEEE754_1985RealEncoding - a qudt:FloatingPointEncodingType ; - qudt:bytes 32 ; - rdfs:isDefinedBy ; - rdfs:label "IEEE 754 1985 Real Encoding" ; -. -qudt:ISO8601-UTCDateTime-BasicFormat - a qudt:DateTimeStringEncodingType ; - qudt:allowedPattern "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}.[0-9]+Z" ; - qudt:allowedPattern "[0-9]{4}[0-9]{2}[0-9]{2}T[0-9]{2}[0-9]{2}[0-9]{2}Z" ; - rdfs:isDefinedBy ; - rdfs:label "ISO 8601 UTC Date Time - Basic Format" ; -. -qudt:IntegerEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "The encoding scheme for integer types" ; - rdfs:isDefinedBy ; - rdfs:label "Integer Encoding" ; - rdfs:subClassOf qudt:Encoding ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:LongUnsignedIntegerEncoding - qudt:ShortUnsignedIntegerEncoding - qudt:ShortUnsignedIntegerEncoding - qudt:SignedIntegerEncoding - qudt:UnsignedIntegerEncoding - ) ; - ] ; -. -qudt:IntervalScale - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; - rdfs:comment """

The interval type allows for the degree of difference between items, but not the ratio between them. Examples include temperature with the Celsius scale, which has two defined points (the freezing and boiling point of water at specific conditions) and then separated into 100 intervals, date when measured from an arbitrary epoch (such as AD), percentage such as a percentage return on a stock,[16] location in Cartesian coordinates, and direction measured in degrees from true or magnetic north. Ratios are not meaningful since 20 °C cannot be said to be \"twice as hot\" as 10 °C, nor can multiplication/division be carried out between any two dates directly. However, ratios of differences can be expressed; for example, one difference can be twice another. Interval type variables are sometimes also called \"scaled variables\", but the formal mathematical term is an affine space (in this case an affine line).

-

Characteristics: median, percentile & Monotonic increasing (order (<) & totally ordered set

"""^^rdf:HTML ; - rdfs:comment "median, percentile & Monotonic increasing (order (<)) & totally ordered set"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Interval scale" ; - rdfs:seeAlso qudt:NominalScale ; - rdfs:seeAlso qudt:OrdinalScale ; - rdfs:seeAlso qudt:RatioScale ; - rdfs:subClassOf qudt:Scale ; -. -qudt:LatexString - a rdfs:Datatype ; - a sh:NodeShape ; - rdfs:comment "A type of string in which some characters may be wrapped with '\\(' and '\\) characters for LaTeX rendering." ; - rdfs:isDefinedBy ; - rdfs:label "Latex String" ; - rdfs:subClassOf xsd:string ; -. -qudt:LittleEndian - a qudt:EndianType ; - dtype:literal "little" ; - rdfs:isDefinedBy ; - rdfs:label "Little Endian" ; -. -qudt:LogarithmicUnit - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Logarithmic units are abstract mathematical units that can be used to express any quantities (physical or mathematical) that are defined on a logarithmic scale, that is, as being proportional to the value of a logarithm function. Examples of logarithmic units include common units of information and entropy, such as the bit, and the byte, as well as units of relative signal strength magnitude such as the decibel."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Logarithmic Unit" ; - rdfs:subClassOf qudt:DimensionlessUnit ; -. -qudt:LongUnsignedIntegerEncoding - a qudt:IntegerEncodingType ; - qudt:bytes 8 ; - rdfs:isDefinedBy ; - rdfs:label "Long Unsigned Integer Encoding" ; -. -qudt:MathsFunctionType - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Maths Function Type" ; - rdfs:subClassOf qudt:Concept ; -. -qudt:NIST_SP811_Comment - a rdfs:Class ; - a sh:NodeShape ; - dc:description "National Institute of Standards and Technology (NIST) Special Publication 811 Comments on some quantities and their units" ; - rdfs:isDefinedBy ; - rdfs:label "NIST SP~811 Comment" ; - rdfs:subClassOf qudt:Comment ; -. -qudt:NominalScale - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; - rdfs:comment "A nominal scale differentiates between items or subjects based only on their names or (meta-)categories and other qualitative classifications they belong to; thus dichotomous data involves the construction of classifications as well as the classification of items. Discovery of an exception to a classification can be viewed as progress. Numbers may be used to represent the variables but the numbers do not have numerical value or relationship: For example, a Globally unique identifier. Examples of these classifications include gender, nationality, ethnicity, language, genre, style, biological species, and form. In a university one could also use hall of affiliation as an example."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Nominal scale" ; - rdfs:seeAlso qudt:IntervalScale ; - rdfs:seeAlso qudt:OrdinalScale ; - rdfs:seeAlso qudt:RatioScale ; - rdfs:subClassOf qudt:Scale ; -. -qudt:OctetEncoding - a qudt:BooleanEncodingType ; - a qudt:ByteEncodingType ; - qudt:bytes 1 ; - rdfs:isDefinedBy ; - rdfs:label "OCTET Encoding" ; -. -qudt:OrderedType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "Describes how a data or information structure is ordered." ; - rdfs:isDefinedBy ; - rdfs:label "Ordered type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property qudt:OrderedType-literal ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:Unordered - qudt:PartiallyOrdered - qudt:TotallyOrdered - ) ; - ] ; -. -qudt:OrderedType-literal - a sh:PropertyShape ; - sh:path qudt:literal ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:OrdinalScale - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; - rdfs:comment "The ordinal type allows for rank order (1st, 2nd, 3rd, etc.) by which data can be sorted, but still does not allow for relative degree of difference between them. Examples include, on one hand, dichotomous data with dichotomous (or dichotomized) values such as 'sick' vs. 'healthy' when measuring health, 'guilty' vs. 'innocent' when making judgments in courts, 'wrong/false' vs. 'right/true' when measuring truth value, and, on the other hand, non-dichotomous data consisting of a spectrum of values, such as 'completely agree', 'mostly agree', 'mostly disagree', 'completely disagree' when measuring opinion."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Ordinal scale" ; - rdfs:seeAlso qudt:IntervalScale ; - rdfs:seeAlso qudt:NominalScale ; - rdfs:seeAlso qudt:RatioScale ; - rdfs:subClassOf qudt:Scale ; - sh:property qudt:OrdinalScale-order ; -. -qudt:OrdinalScale-order - a sh:PropertyShape ; - sh:path qudt:order ; - rdfs:isDefinedBy ; - sh:datatype xsd:nonNegativeInteger ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:Organization - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Organization" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Organization-url ; -. -qudt:Organization-url - a sh:PropertyShape ; - sh:path qudt:url ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:PartiallyOrdered - a qudt:OrderedType ; - qudt:literal "partial" ; - qudt:plainTextDescription "Partial ordered structure." ; - rdfs:isDefinedBy ; - rdfs:label "Partially Ordered" ; -. -qudt:PhysicalConstant - a rdfs:Class ; - a sh:NodeShape ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Physical_constant"^^xsd:anyURI ; - rdfs:comment "A physical constant is a physical quantity that is generally believed to be both universal in nature and constant in time. It can be contrasted with a mathematical constant, which is a fixed numerical value but does not directly involve any physical measurement. There are many physical constants in science, some of the most widely recognized being the speed of light in vacuum c, Newton's gravitational constant G, Planck's constant h, the electric permittivity of free space ε0, and the elementary charge e. Physical constants can take many dimensional forms, or may be dimensionless depending on the system of quantities and units used."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Physical Constant" ; - rdfs:subClassOf qudt:Quantity ; - sh:property qudt:PhysicalConstant-applicableSystem ; - sh:property qudt:PhysicalConstant-applicableUnit ; - sh:property qudt:PhysicalConstant-dbpediaMatch ; - sh:property qudt:PhysicalConstant-exactConstant ; - sh:property qudt:PhysicalConstant-exactMatch ; - sh:property qudt:PhysicalConstant-hasDimensionVector ; - sh:property qudt:PhysicalConstant-informativeReference ; - sh:property qudt:PhysicalConstant-isoNormativeReference ; - sh:property qudt:PhysicalConstant-latexDefinition ; - sh:property qudt:PhysicalConstant-latexSymbol ; - sh:property qudt:PhysicalConstant-mathMLdefinition ; - sh:property qudt:PhysicalConstant-normativeReference ; - sh:property qudt:PhysicalConstant-symbol ; - sh:property qudt:PhysicalConstant-ucumCode ; -. -qudt:PhysicalConstant-applicableSystem - a sh:PropertyShape ; - sh:path qudt:applicableSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:PhysicalConstant-applicableUnit - a sh:PropertyShape ; - sh:path qudt:applicableUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:PhysicalConstant-dbpediaMatch - a sh:PropertyShape ; - sh:path qudt:dbpediaMatch ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:PhysicalConstant-exactConstant - a sh:PropertyShape ; - sh:path qudt:exactConstant ; - rdfs:isDefinedBy ; - sh:datatype xsd:boolean ; -. -qudt:PhysicalConstant-exactMatch - a sh:PropertyShape ; - sh:path qudt:exactMatch ; - rdfs:isDefinedBy ; - sh:class qudt:PhysicalConstant ; -. -qudt:PhysicalConstant-hasDimensionVector - a sh:PropertyShape ; - sh:path qudt:hasDimensionVector ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; -. -qudt:PhysicalConstant-informativeReference - a sh:PropertyShape ; - sh:path qudt:informativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; -. -qudt:PhysicalConstant-isoNormativeReference - a sh:PropertyShape ; - sh:path qudt:isoNormativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; -. -qudt:PhysicalConstant-latexDefinition - a sh:PropertyShape ; - sh:path qudt:latexDefinition ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:maxCount 1 ; -. -qudt:PhysicalConstant-latexSymbol - a sh:PropertyShape ; - sh:path qudt:latexSymbol ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:PhysicalConstant-mathMLdefinition - a sh:PropertyShape ; - sh:path qudt:mathMLdefinition ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:PhysicalConstant-normativeReference - a sh:PropertyShape ; - sh:path qudt:normativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; -. -qudt:PhysicalConstant-symbol - a sh:PropertyShape ; - sh:path qudt:symbol ; - rdfs:isDefinedBy ; -. -qudt:PhysicalConstant-ucumCode - a sh:PropertyShape ; - sh:path qudt:ucumCode ; - rdfs:isDefinedBy ; - sh:datatype qudt:UCUMcs ; -. -qudt:PlaneAngleUnit - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Plane Angle Unit" ; - rdfs:subClassOf qudt:AngleUnit ; -. -qudt:Prefix - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Prefix" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:Prefix-exactMatch ; - sh:property qudt:Prefix-latexSymbol ; - sh:property qudt:Prefix-prefixMultiplier ; - sh:property qudt:Prefix-symbol ; - sh:property qudt:Prefix-ucumCode ; -. -qudt:Prefix-exactMatch - a sh:PropertyShape ; - sh:path qudt:exactMatch ; - rdfs:isDefinedBy ; - sh:class qudt:Prefix ; -. -qudt:Prefix-latexSymbol - a sh:PropertyShape ; - sh:path qudt:latexSymbol ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:Prefix-prefixMultiplier - a sh:PropertyShape ; - sh:path qudt:prefixMultiplier ; - rdfs:isDefinedBy ; - sh:datatype xsd:double ; - sh:maxCount 1 ; -. -qudt:Prefix-symbol - a sh:PropertyShape ; - sh:path qudt:symbol ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:Prefix-ucumCode - a sh:PropertyShape ; - sh:path qudt:ucumCode ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:pattern "[\\x21,\\x23-\\x27,\\x2a,\\x2c,\\x30-\\x3c,\\x3e-\\x5a,\\x5c,\\x5e-\\x7a,\\x7c,\\x7e]+" ; -. -qudt:Quantifiable - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "

Quantifiable ascribes to some thing the capability of being measured, observed, or counted.

"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Quantifiable" ; - rdfs:subClassOf qudt:Aspect ; - sh:property qudt:Quantifiable-dataEncoding ; - sh:property qudt:Quantifiable-dataType ; - sh:property qudt:Quantifiable-hasUnit ; - sh:property qudt:Quantifiable-relativeStandardUncertainty ; - sh:property qudt:Quantifiable-standardUncertainty ; - sh:property qudt:Quantifiable-unit ; - sh:property qudt:Quantifiable-value ; -. -qudt:Quantifiable-dataEncoding - a sh:PropertyShape ; - sh:path qudt:dataEncoding ; - rdfs:isDefinedBy ; - sh:class qudt:DataEncoding ; - sh:maxCount 1 ; -. -qudt:Quantifiable-dataType - a sh:PropertyShape ; - sh:path qudt:dataType ; - rdfs:isDefinedBy ; - sh:class qudt:Datatype ; - sh:maxCount 1 ; -. -qudt:Quantifiable-hasUnit - a sh:PropertyShape ; - sh:path qudt:hasUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:maxCount 1 ; -. -qudt:Quantifiable-relativeStandardUncertainty - a sh:PropertyShape ; - sh:path qudt:relativeStandardUncertainty ; - rdfs:isDefinedBy ; - sh:datatype xsd:double ; - sh:maxCount 1 ; -. -qudt:Quantifiable-standardUncertainty - a sh:PropertyShape ; - sh:path qudt:standardUncertainty ; - rdfs:isDefinedBy ; - sh:datatype xsd:double ; - sh:maxCount 1 ; -. -qudt:Quantifiable-unit - a sh:PropertyShape ; - sh:path qudt:unit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:maxCount 1 ; -. -qudt:Quantifiable-value - a sh:PropertyShape ; - sh:path qudt:value ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Quantity - a rdfs:Class ; - a sh:NodeShape ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quantity"^^xsd:anyURI ; - rdfs:comment """

A quantity is the measurement of an observable property of a particular object, event, or physical system. A quantity is always associated with the context of measurement (i.e. the thing measured, the measured value, the accuracy of measurement, etc.) whereas the underlying quantity kind is independent of any particular measurement. Thus, length is a quantity kind while the height of a rocket is a specific quantity of length; its magnitude that may be expressed in meters, feet, inches, etc. Examples of physical quantities include physical constants, such as the speed of light in a vacuum, Planck's constant, the electric permittivity of free space, and the fine structure constant.

- -

In other words, quantities are quantifiable aspects of the world, such as the duration of a movie, the distance between two points, velocity of a car, the pressure of the atmosphere, and a person's weight; and units are used to describe their numerical measure. - -

Many quantity kinds are related to each other by various physical laws, and as a result, the associated units of some quantity kinds can be expressed as products (or ratios) of powers of other quantity kinds (e.g., momentum is mass times velocity and velocity is defined as distance divided by time). In this way, some quantities can be calculated from other measured quantities using their associations to the quantity kinds in these expressions. These quantity kind relationships are also discussed in dimensional analysis. Those that cannot be so expressed can be regarded as \"fundamental\" in this sense.

-

A quantity is distinguished from a \"quantity kind\" in that the former carries a value and the latter is a type specifier.

"""^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Quantity" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Quantifiable ; - sh:property qudt:Quantity-hasQuantityKind ; - sh:property qudt:Quantity-isDeltaQuantity ; - sh:property qudt:Quantity-quantityValue ; -. -qudt:Quantity-hasQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:minCount 0 ; -. -qudt:Quantity-isDeltaQuantity - a sh:PropertyShape ; - sh:path qudt:isDeltaQuantity ; - rdfs:isDefinedBy ; - sh:datatype xsd:boolean ; -. -qudt:Quantity-quantityValue - a sh:PropertyShape ; - sh:path qudt:quantityValue ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityValue ; -. -qudt:QuantityKind - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=112-01-04"^^xsd:anyURI ; - rdfs:comment "A Quantity Kind is any observable property that can be measured and quantified numerically. Familiar examples include physical properties such as length, mass, time, force, energy, power, electric charge, etc. Less familiar examples include currency, interest rate, price to earning ratio, and information capacity."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Quantity Kind" ; - rdfs:subClassOf qudt:AbstractQuantityKind ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:QuantityKind-applicableCGSUnit ; - sh:property qudt:QuantityKind-applicableISOUnit ; - sh:property qudt:QuantityKind-applicableImperialUnit ; - sh:property qudt:QuantityKind-applicableSIUnit ; - sh:property qudt:QuantityKind-applicableUSCustomaryUnit ; - sh:property qudt:QuantityKind-applicableUnit ; - sh:property qudt:QuantityKind-baseCGSUnitDimensions ; - sh:property qudt:QuantityKind-baseISOUnitDimensions ; - sh:property qudt:QuantityKind-baseImperialUnitDimensions ; - sh:property qudt:QuantityKind-baseSIUnitDimensions ; - sh:property qudt:QuantityKind-baseUSCustomaryUnitDimensions ; - sh:property qudt:QuantityKind-belongsToSystemOfQuantities ; - sh:property qudt:QuantityKind-dimensionVectorForSI ; - sh:property qudt:QuantityKind-exactMatch ; - sh:property qudt:QuantityKind-expression ; - sh:property qudt:QuantityKind-generalization ; - sh:property qudt:QuantityKind-hasDimensionVector ; - sh:property qudt:QuantityKind-latexDefinition ; - sh:property qudt:QuantityKind-mathMLdefinition ; - sh:property qudt:QuantityKind-qkdvDenominator ; - sh:property qudt:QuantityKind-qkdvNumerator ; -. -qudt:QuantityKind-applicableCGSUnit - a sh:PropertyShape ; - sh:path qudt:applicableCGSUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-applicableISOUnit - a sh:PropertyShape ; - sh:path qudt:applicableISOUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-applicableImperialUnit - a sh:PropertyShape ; - sh:path qudt:applicableImperialUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-applicableSIUnit - a sh:PropertyShape ; - sh:path qudt:applicableSIUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-applicableUSCustomaryUnit - a sh:PropertyShape ; - sh:path qudt:applicableUSCustomaryUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-applicableUnit - a sh:PropertyShape ; - sh:path qudt:applicableUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:minCount 0 ; -. -qudt:QuantityKind-baseCGSUnitDimensions - a sh:PropertyShape ; - sh:path qudt:baseCGSUnitDimensions ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:QuantityKind-baseISOUnitDimensions - a sh:PropertyShape ; - sh:path qudt:baseISOUnitDimensions ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:QuantityKind-baseImperialUnitDimensions - a sh:PropertyShape ; - sh:path qudt:baseImperialUnitDimensions ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:QuantityKind-baseSIUnitDimensions - a sh:PropertyShape ; - sh:path qudt:baseSIUnitDimensions ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:QuantityKind-baseUSCustomaryUnitDimensions - a sh:PropertyShape ; - sh:path qudt:baseUSCustomaryUnitDimensions ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:QuantityKind-belongsToSystemOfQuantities - a sh:PropertyShape ; - sh:path qudt:belongsToSystemOfQuantities ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfQuantityKinds ; -. -qudt:QuantityKind-dimensionVectorForSI - a sh:PropertyShape ; - sh:path qudt:dimensionVectorForSI ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector_SI ; - sh:maxCount 1 ; -. -qudt:QuantityKind-exactMatch - a sh:PropertyShape ; - sh:path qudt:exactMatch ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; -. -qudt:QuantityKind-expression - a sh:PropertyShape ; - sh:path qudt:expression ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:QuantityKind-generalization - a sh:PropertyShape ; - sh:path qudt:generalization ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:maxCount 1 ; -. -qudt:QuantityKind-hasDimensionVector - a sh:PropertyShape ; - sh:path qudt:hasDimensionVector ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; - sh:minCount 1 ; - sh:severity sh:Info ; -. -qudt:QuantityKind-latexDefinition - a sh:PropertyShape ; - sh:path qudt:latexDefinition ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:maxCount 1 ; -. -qudt:QuantityKind-mathMLdefinition - a sh:PropertyShape ; - sh:path qudt:mathMLdefinition ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:QuantityKind-qkdvDenominator - a sh:PropertyShape ; - sh:path qudt:qkdvDenominator ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; -. -qudt:QuantityKind-qkdvNumerator - a sh:PropertyShape ; - sh:path qudt:qkdvNumerator ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; -. -qudt:QuantityKindDimensionVector - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensional_analysis"^^xsd:anyURI ; - qudt:informativeReference "http://web.mit.edu/2.25/www/pdf/DA_unified.pdf"^^xsd:anyURI ; - rdfs:comment """

A Quantity Kind Dimension Vector describes the dimensionality of a quantity kind in the context of a system of units. In the SI system of units, the dimensions of a quantity kind are expressed as a product of the basic physical dimensions mass (\\(M\\)), length (\\(L\\)), time (\\(T\\)) current (\\(I\\)), amount of substance (\\(N\\)), luminous intensity (\\(J\\)) and absolute temperature (\\(\\theta\\)) as \\(dim \\, Q = L^{\\alpha} \\, M^{\\beta} \\, T^{\\gamma} \\, I ^{\\delta} \\, \\theta ^{\\epsilon} \\, N^{\\eta} \\, J ^{\\nu}\\).

- -

The rational powers of the dimensional exponents, \\(\\alpha, \\, \\beta, \\, \\gamma, \\, \\delta, \\, \\epsilon, \\, \\eta, \\, \\nu\\), are positive, negative, or zero.

- -

For example, the dimension of the physical quantity kind \\(\\it{speed}\\) is \\(\\boxed{length/time}\\), \\(L/T\\) or \\(LT^{-1}\\), and the dimension of the physical quantity kind force is \\(\\boxed{mass \\times acceleration}\\) or \\(\\boxed{mass \\times (length/time)/time}\\), \\(ML/T^2\\) or \\(MLT^{-2}\\) respectively.

"""^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Quantity Kind Dimension Vector" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForLength ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForMass ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature ; - sh:property qudt:QuantityKindDimensionVector-dimensionExponentForTime ; - sh:property qudt:QuantityKindDimensionVector-dimensionlessExponent ; - sh:property qudt:QuantityKindDimensionVector-hasReferenceQuantityKind ; - sh:property qudt:QuantityKindDimensionVector-latexDefinition ; - sh:property qudt:QuantityKindDimensionVector-latexSymbol ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForAmountOfSubstance ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForElectricCurrent - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForElectricCurrent ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForLength - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForLength ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForLuminousIntensity ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForMass - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForMass ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForThermodynamicTemperature ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForTime - a sh:PropertyShape ; - sh:path qudt:dimensionExponentForTime ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-dimensionlessExponent - a sh:PropertyShape ; - sh:path qudt:dimensionlessExponent ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:QuantityKindDimensionVector-hasReferenceQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasReferenceQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; -. -qudt:QuantityKindDimensionVector-latexDefinition - a sh:PropertyShape ; - sh:path qudt:latexDefinition ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:maxCount 1 ; -. -qudt:QuantityKindDimensionVector-latexSymbol - a sh:PropertyShape ; - sh:path qudt:latexSymbol ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:QuantityKindDimensionVector_CGS - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A CGS Dimension Vector is used to specify the dimensions for a C.G.S. quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "CGS Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector ; -. -qudt:QuantityKindDimensionVector_CGS-EMU - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A CGS EMU Dimension Vector is used to specify the dimensions for EMU C.G.S. quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "CGS EMU Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; -. -qudt:QuantityKindDimensionVector_CGS-ESU - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A CGS ESU Dimension Vector is used to specify the dimensions for ESU C.G.S. quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "CGS ESU Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; -. -qudt:QuantityKindDimensionVector_CGS-GAUSS - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A CGS GAUSS Dimension Vector is used to specify the dimensions for Gaussioan C.G.S. quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "CGS GAUSS Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; -. -qudt:QuantityKindDimensionVector_CGS-LH - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A CGS LH Dimension Vector is used to specify the dimensions for Lorentz-Heaviside C.G.S. quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "CGS LH Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector_CGS ; -. -qudt:QuantityKindDimensionVector_ISO - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "ISO Dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector ; -. -qudt:QuantityKindDimensionVector_Imperial - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Imperial dimension vector" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector ; -. -qudt:QuantityKindDimensionVector_SI - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Quantity Kind Dimension vector (SI)" ; - rdfs:subClassOf qudt:QuantityKindDimensionVector ; -. -qudt:QuantityType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "\\(\\textit{Quantity Type}\\) is an enumeration of quanity kinds. It specializes \\(\\boxed{dtype:EnumeratedValue}\\) by constrinaing \\(\\boxed{dtype:value}\\) to instances of \\(\\boxed{qudt:QuantityKind}\\)."^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Quantity type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property qudt:QuantityType-value ; -. -qudt:QuantityType-value - a sh:PropertyShape ; - sh:path dtype:value ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; -. -qudt:QuantityValue - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A Quantity Value expresses the magnitude and kind of a quantity and is given by the product of a numerical value n and a unit of measure U. The number multiplying the unit is referred to as the numerical value of the quantity expressed in that unit. Refer to NIST SP 811 section 7 for more on quantity values."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Quantity value" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Quantifiable ; - sh:property qudt:QuantityValue-hasUnit ; - sh:property qudt:QuantityValue-unit ; -. -qudt:QuantityValue-hasUnit - a sh:PropertyShape ; - sh:path qudt:hasUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:maxCount 1 ; -. -qudt:QuantityValue-unit - a sh:PropertyShape ; - sh:path qudt:unit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; - sh:maxCount 1 ; -. -qudt:RatioScale - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Level_of_measurement"^^xsd:anyURI ; - rdfs:comment "The ratio type takes its name from the fact that measurement is the estimation of the ratio between a magnitude of a continuous quantity and a unit magnitude of the same kind (Michell, 1997, 1999). A ratio scale possesses a meaningful (unique and non-arbitrary) zero value. Most measurement in the physical sciences and engineering is done on ratio scales. Examples include mass, length, duration, plane angle, energy and electric charge. In contrast to interval scales, ratios are now meaningful because having a non-arbitrary zero point makes it meaningful to say, for example, that one object has \"twice the length\" of another (= is \"twice as long\"). Very informally, many ratio scales can be described as specifying \"how much\" of something (i.e. an amount or magnitude) or \"how many\" (a count). The Kelvin temperature scale is a ratio scale because it has a unique, non-arbitrary zero point called absolute zero."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Ratio scale" ; - rdfs:seeAlso qudt:IntervalScale ; - rdfs:seeAlso qudt:NominalScale ; - rdfs:seeAlso qudt:OrdinalScale ; - rdfs:subClassOf qudt:Scale ; -. -qudt:Rule - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Rule" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:Rule-example ; - sh:property qudt:Rule-rationale ; - sh:property qudt:Rule-ruleType ; -. -qudt:Rule-example - a sh:PropertyShape ; - sh:path qudt:example ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:Rule-rationale - a sh:PropertyShape ; - sh:path qudt:rationale ; - rdfs:isDefinedBy ; - sh:datatype rdf:HTML ; - sh:minCount 0 ; -. -qudt:Rule-ruleType - a sh:PropertyShape ; - sh:path qudt:ruleType ; - rdfs:isDefinedBy ; - sh:class qudt:RuleType ; -. -qudt:RuleType - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Rule Type" ; - rdfs:subClassOf qudt:EnumeratedValue ; -. -qudt:SIGNED - a qudt:SignednessType ; - dtype:literal "signed" ; - rdfs:isDefinedBy ; - rdfs:label "Signed" ; -. -qudt:ScalarDatatype - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "Scalar data types are those that have a single value. The permissible values are defined over a domain that may be integers, float, character or boolean. Often a scalar data type is referred to as a primitive data type." ; - rdfs:isDefinedBy ; - rdfs:label "Scalar Datatype" ; - rdfs:subClassOf qudt:Datatype ; - sh:property qudt:ScalarDatatype-bits ; - sh:property qudt:ScalarDatatype-bytes ; - sh:property qudt:ScalarDatatype-length ; - sh:property qudt:ScalarDatatype-maxExclusive ; - sh:property qudt:ScalarDatatype-maxInclusive ; - sh:property qudt:ScalarDatatype-minExclusive ; - sh:property qudt:ScalarDatatype-minInclusive ; - sh:property qudt:ScalarDatatype-rdfsDatatype ; -. -qudt:ScalarDatatype-bits - a sh:PropertyShape ; - sh:path qudt:bits ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-bytes - a sh:PropertyShape ; - sh:path qudt:bytes ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-length - a sh:PropertyShape ; - sh:path qudt:length ; - rdfs:isDefinedBy ; - sh:datatype xsd:integer ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-maxExclusive - a sh:PropertyShape ; - sh:path qudt:maxExclusive ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-maxInclusive - a sh:PropertyShape ; - sh:path qudt:maxInclusive ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-minExclusive - a sh:PropertyShape ; - sh:path qudt:minExclusive ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-minInclusive - a sh:PropertyShape ; - sh:path qudt:minInclusive ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:ScalarDatatype-rdfsDatatype - a sh:PropertyShape ; - sh:path qudt:rdfsDatatype ; - rdfs:isDefinedBy ; - sh:class rdfs:Datatype ; - sh:maxCount 1 ; -. -qudt:Scale - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "Scales (also called \"scales of measurement\" or \"levels of measurement\") are expressions that typically refer to the theory of scale types."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Scale" ; - rdfs:subClassOf qudt:Concept ; - sh:property qudt:Scale-dataStructure ; - sh:property qudt:Scale-permissibleMaths ; - sh:property qudt:Scale-permissibleTransformation ; - sh:property qudt:Scale-scaleType ; -. -qudt:Scale-dataStructure - a sh:PropertyShape ; - sh:path qudt:dataStructure ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Scale-permissibleMaths - a sh:PropertyShape ; - sh:path qudt:permissibleMaths ; - rdfs:isDefinedBy ; - sh:class qudt:MathsFunctionType ; -. -qudt:Scale-permissibleTransformation - a sh:PropertyShape ; - sh:path qudt:permissibleTransformation ; - rdfs:isDefinedBy ; - sh:class qudt:TransformType ; -. -qudt:Scale-scaleType - a sh:PropertyShape ; - sh:path qudt:scaleType ; - rdfs:isDefinedBy ; - sh:class qudt:ScaleType ; - sh:maxCount 1 ; -. -qudt:ScaleType - a rdfs:Class ; - a sh:NodeShape ; - qudt:plainTextDescription "Scales, or scales of measurement (or categorization) provide ways of quantifying measurements, values and other enumerated values according to a normative frame of reference. Four different types of scales are typically used. These are interval, nominal, ordinal and ratio scales." ; - rdfs:isDefinedBy ; - rdfs:label "Scale type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property qudt:ScaleType-dataStructure ; - sh:property qudt:ScaleType-permissibleMaths ; - sh:property qudt:ScaleType-permissibleTransformation ; -. -qudt:ScaleType-dataStructure - a sh:PropertyShape ; - sh:path qudt:dataStructure ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:ScaleType-permissibleMaths - a sh:PropertyShape ; - sh:path qudt:permissibleMaths ; - rdfs:isDefinedBy ; - sh:class qudt:MathsFunctionType ; -. -qudt:ScaleType-permissibleTransformation - a sh:PropertyShape ; - sh:path qudt:permissibleTransformation ; - rdfs:isDefinedBy ; - sh:class qudt:TransformType ; -. -qudt:ShortSignedIntegerEncoding - a qudt:IntegerEncodingType ; - qudt:bytes 2 ; - rdfs:isDefinedBy ; - rdfs:label "Short Signed Integer Encoding" ; -. -qudt:ShortUnsignedIntegerEncoding - a qudt:BooleanEncodingType ; - a qudt:IntegerEncodingType ; - qudt:bytes 2 ; - rdfs:isDefinedBy ; - rdfs:label "Short Unsigned Integer Encoding" ; -. -qudt:SignedIntegerEncoding - a qudt:IntegerEncodingType ; - qudt:bytes 4 ; - rdfs:isDefinedBy ; - rdfs:label "Signed Integer Encoding" ; -. -qudt:SignednessType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "Specifics whether a value should be signed or unsigned." ; - rdfs:isDefinedBy ; - rdfs:label "Signedness type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - sh:property [ - a sh:PropertyShape ; - sh:path [ - sh:inversePath rdf:type ; - ] ; - rdfs:isDefinedBy ; - sh:in ( - qudt:SIGNED - qudt:UNSIGNED - ) ; - ] ; -. -qudt:SinglePrecisionRealEncoding - a qudt:FloatingPointEncodingType ; - qudt:bytes 32 ; - rdfs:isDefinedBy ; - rdfs:label "Single Precision Real Encoding" ; -. -qudt:SolidAngleUnit - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; - rdfs:isDefinedBy ; - rdfs:label "Solid Angle Unit" ; - rdfs:subClassOf qudt:AngleUnit ; -. -qudt:Statement - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Statement" ; - rdfs:subClassOf rdf:Statement ; -. -qudt:StringEncodingType - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A \"Encoding\" with the following instance(s): \"UTF-16 String\", \"UTF-8 Encoding\"." ; - rdfs:isDefinedBy ; - rdfs:label "String Encoding Type" ; - rdfs:subClassOf qudt:Encoding ; -. -qudt:StructuredDatatype - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A \"Structured Datatype\", in contrast to scalar data types, is used to characterize classes of more complex data structures, such as linked or indexed lists, trees, ordered trees, and multi-dimensional file formats." ; - rdfs:isDefinedBy ; - rdfs:label "Structured Data Type" ; - rdfs:subClassOf qudt:Datatype ; - sh:property qudt:StructuredDatatype-elementType ; -. -qudt:StructuredDatatype-elementType - a sh:PropertyShape ; - sh:path qudt:elementType ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; -. -qudt:Symbol - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Symbol" ; - rdfs:subClassOf qudt:Concept ; -. -qudt:SystemOfQuantityKinds - a rdfs:Class ; - a sh:NodeShape ; - rdfs:comment "A system of quantity kinds is a set of one or more quantity kinds together with a set of zero or more algebraic equations that define relationships between quantity kinds in the set. In the physical sciences, the equations relating quantity kinds are typically physical laws and definitional relations, and constants of proportionality. Examples include Newton’s First Law of Motion, Coulomb’s Law, and the definition of velocity as the instantaneous change in position. In almost all cases, the system identifies a subset of base quantity kinds. The base set is chosen so that all other quantity kinds of interest can be derived from the base quantity kinds and the algebraic equations. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind. From a scientific point of view, the division of quantities into base quantities and derived quantities is a matter of convention."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "System of Quantity Kinds" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:SystemOfQuantityKinds-baseDimensionEnumeration ; - sh:property qudt:SystemOfQuantityKinds-hasBaseQuantityKind ; - sh:property qudt:SystemOfQuantityKinds-hasQuantityKind ; - sh:property qudt:SystemOfQuantityKinds-hasUnitSystem ; - sh:property qudt:SystemOfQuantityKinds-systemDerivedQuantityKind ; - sh:property [] ; -. -qudt:SystemOfQuantityKinds-baseDimensionEnumeration - a sh:PropertyShape ; - sh:path qudt:baseDimensionEnumeration ; - rdfs:isDefinedBy ; - sh:class qudt:Enumeration ; - sh:maxCount 1 ; -. -qudt:SystemOfQuantityKinds-hasBaseQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasBaseQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:minCount 0 ; -. -qudt:SystemOfQuantityKinds-hasQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:minCount 0 ; -. -qudt:SystemOfQuantityKinds-hasUnitSystem - a sh:PropertyShape ; - sh:path qudt:hasUnitSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; - sh:maxCount 1 ; -. -qudt:SystemOfQuantityKinds-informativeReference - a sh:PropertyShape ; - sh:path qudt:informativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:SystemOfQuantityKinds-systemDerivedQuantityKind - a sh:PropertyShape ; - sh:path qudt:systemDerivedQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:minCount 0 ; -. -qudt:SystemOfUnits - a rdfs:Class ; - a sh:NodeShape ; - qudt:informativeReference "http://dbpedia.org/resource/Category:Systems_of_units"^^xsd:anyURI ; - qudt:informativeReference "http://www.ieeeghn.org/wiki/index.php/System_of_Measurement_Units"^^xsd:anyURI ; - rdfs:comment "A system of units is a set of units which are chosen as the reference scales for some set of quantity kinds together with the definitions of each unit. Units may be defined by experimental observation or by proportion to another unit not included in the system. If the unit system is explicitly associated with a quantity kind system, then the unit system must define at least one unit for each quantity kind."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "System of Units" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:SystemOfUnits-applicablePhysicalConstant ; - sh:property qudt:SystemOfUnits-hasAllowedUnit ; - sh:property qudt:SystemOfUnits-hasBaseUnit ; - sh:property qudt:SystemOfUnits-hasCoherentUnit ; - sh:property qudt:SystemOfUnits-hasDefinedUnit ; - sh:property qudt:SystemOfUnits-hasDerivedCoherentUnit ; - sh:property qudt:SystemOfUnits-hasDerivedUnit ; - sh:property qudt:SystemOfUnits-hasUnit ; - sh:property qudt:SystemOfUnits-prefix ; -. -qudt:SystemOfUnits-applicablePhysicalConstant - a sh:PropertyShape ; - sh:path qudt:applicablePhysicalConstant ; - rdfs:isDefinedBy ; - sh:class qudt:PhysicalConstant ; -. -qudt:SystemOfUnits-hasAllowedUnit - a sh:PropertyShape ; - sh:path qudt:hasAllowedUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasBaseUnit - a sh:PropertyShape ; - sh:path qudt:hasBaseUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasCoherentUnit - a sh:PropertyShape ; - sh:path qudt:hasCoherentUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasDefinedUnit - a sh:PropertyShape ; - sh:path qudt:hasDefinedUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasDerivedCoherentUnit - a sh:PropertyShape ; - sh:path qudt:hasDerivedCoherentUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasDerivedUnit - a sh:PropertyShape ; - sh:path qudt:hasDerivedUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-hasUnit - a sh:PropertyShape ; - sh:path qudt:hasUnit ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:SystemOfUnits-prefix - a sh:PropertyShape ; - sh:path qudt:prefix ; - rdfs:isDefinedBy ; - sh:class qudt:Prefix ; -. -qudt:TotallyOrdered - a qudt:OrderedType ; - qudt:literal "total" ; - qudt:plainTextDescription "Totally ordered structure." ; - rdfs:isDefinedBy ; - rdfs:label "Totally Ordered" ; -. -qudt:TransformType - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Transform type" ; - rdfs:subClassOf qudt:EnumeratedValue ; - skos:prefLabel "Transform type" ; -. -qudt:UCUMcs - a rdfs:Datatype ; - a sh:NodeShape ; - dcterms:source ; - rdfs:comment "Lexical pattern for the case-sensitive version of UCUM code" ; - rdfs:isDefinedBy ; - rdfs:label "case-sensitive UCUM code" ; - rdfs:seeAlso ; - rdfs:subClassOf xsd:string ; -. -qudt:UNSIGNED - a qudt:SignednessType ; - dtype:literal "unsigned" ; - rdfs:isDefinedBy ; - rdfs:label "Unsigned" ; -. -qudt:UTF16-StringEncoding - a qudt:StringEncodingType ; - rdfs:isDefinedBy ; - rdfs:label "UTF-16 String" ; -. -qudt:UTF8-StringEncoding - a qudt:StringEncodingType ; - qudt:bytes 8 ; - rdfs:isDefinedBy ; - rdfs:label "UTF-8 Encoding" ; -. -qudt:Unit - a rdfs:Class ; - a sh:NodeShape ; - dcterms:description "A unit of measure, or unit, is a particular quantity value that has been chosen as a scale for measuring other quantities the same kind (more generally of equivalent dimension). For example, the meter is a quantity of length that has been rigorously defined and standardized by the BIPM (International Board of Weights and Measures). Any measurement of the length can be expressed as a number multiplied by the unit meter. More formally, the value of a physical quantity Q with respect to a unit (U) is expressed as the scalar multiple of a real number (n) and U, as \\(Q = nU\\)."^^qudt:LatexString ; - qudt:informativeReference "http://dbpedia.org/resource/Category:Units_of_measure"^^xsd:anyURI ; - qudt:informativeReference "http://www.allmeasures.com/Fullconversion.asp"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Unit" ; - rdfs:subClassOf qudt:Concept ; - rdfs:subClassOf qudt:Verifiable ; - sh:property qudt:Unit-applicableSystem ; - sh:property qudt:Unit-conversionMultiplier ; - sh:property qudt:Unit-conversionOffset ; - sh:property qudt:Unit-definedUnitOfSystem ; - sh:property qudt:Unit-derivedCoherentUnitOfSystem ; - sh:property qudt:Unit-derivedUnitOfSystem ; - sh:property qudt:Unit-exactMatch ; - sh:property qudt:Unit-expression ; - sh:property qudt:Unit-hasDimensionVector ; - sh:property qudt:Unit-hasQuantityKind ; - sh:property qudt:Unit-iec61360Code ; - sh:property qudt:Unit-latexDefinition ; - sh:property qudt:Unit-latexSymbol ; - sh:property qudt:Unit-mathMLdefinition ; - sh:property qudt:Unit-omUnit ; - sh:property qudt:Unit-prefix ; - sh:property qudt:Unit-qkdvDenominator ; - sh:property qudt:Unit-qkdvNumerator ; - sh:property qudt:Unit-siUnitsExpression ; - sh:property qudt:Unit-symbol ; - sh:property qudt:Unit-ucumCode ; - sh:property qudt:Unit-udunitsCode ; - sh:property qudt:Unit-uneceCommonCode ; - sh:property qudt:Unit-unitOfSystem ; -. -qudt:Unit-applicableSystem - a sh:PropertyShape ; - sh:path qudt:applicableSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:Unit-conversionMultiplier - a sh:PropertyShape ; - sh:path qudt:conversionMultiplier ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:or ( - [ - sh:datatype xsd:decimal ; - ] - [ - sh:datatype xsd:double ; - ] - [ - sh:datatype xsd:float ; - ] - ) ; -. -qudt:Unit-conversionOffset - a sh:PropertyShape ; - sh:path qudt:conversionOffset ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:or ( - [ - sh:datatype xsd:decimal ; - ] - [ - sh:datatype xsd:double ; - ] - [ - sh:datatype xsd:float ; - ] - ) ; -. -qudt:Unit-definedUnitOfSystem - a sh:PropertyShape ; - sh:path qudt:definedUnitOfSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:Unit-derivedCoherentUnitOfSystem - a sh:PropertyShape ; - sh:path qudt:derivedCoherentUnitOfSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:Unit-derivedUnitOfSystem - a sh:PropertyShape ; - sh:path qudt:derivedUnitOfSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:Unit-exactMatch - a sh:PropertyShape ; - sh:path qudt:exactMatch ; - rdfs:isDefinedBy ; - sh:class qudt:Unit ; -. -qudt:Unit-expression - a sh:PropertyShape ; - sh:path qudt:expression ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:Unit-hasDimensionVector - a sh:PropertyShape ; - sh:path qudt:hasDimensionVector ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:Unit-hasQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:minCount 1 ; - sh:severity sh:Info ; -. -qudt:Unit-iec61360Code - a sh:PropertyShape ; - sh:path qudt:iec61360Code ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; -. -qudt:Unit-latexDefinition - a sh:PropertyShape ; - sh:path qudt:latexDefinition ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:Unit-latexSymbol - a sh:PropertyShape ; - sh:path qudt:latexSymbol ; - rdfs:isDefinedBy ; - sh:datatype qudt:LatexString ; - sh:minCount 0 ; -. -qudt:Unit-mathMLdefinition - a sh:PropertyShape ; - sh:path qudt:mathMLdefinition ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:maxCount 1 ; -. -qudt:Unit-omUnit - a sh:PropertyShape ; - sh:path qudt:omUnit ; - rdfs:isDefinedBy ; -. -qudt:Unit-prefix - a sh:PropertyShape ; - sh:path qudt:prefix ; - rdfs:isDefinedBy ; - sh:class qudt:Prefix ; - sh:maxCount 1 ; -. -qudt:Unit-qkdvDenominator - a sh:PropertyShape ; - sh:path qudt:qkdvDenominator ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; -. -qudt:Unit-qkdvNumerator - a sh:PropertyShape ; - sh:path qudt:qkdvNumerator ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKindDimensionVector ; - sh:maxCount 1 ; -. -qudt:Unit-siUnitsExpression - a sh:PropertyShape ; - sh:path qudt:siUnitsExpression ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; - sh:minCount 0 ; -. -qudt:Unit-symbol - a sh:PropertyShape ; - sh:path qudt:symbol ; - rdfs:isDefinedBy ; - sh:minCount 0 ; -. -qudt:Unit-ucumCode - a sh:PropertyShape ; - sh:path qudt:ucumCode ; - rdfs:isDefinedBy ; - sh:datatype qudt:UCUMcs ; - sh:pattern "[\\x21-\\x7e]+" ; -. -qudt:Unit-udunitsCode - a sh:PropertyShape ; - sh:path qudt:udunitsCode ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; -. -qudt:Unit-uneceCommonCode - a sh:PropertyShape ; - sh:path qudt:uneceCommonCode ; - rdfs:isDefinedBy ; - sh:datatype xsd:string ; -. -qudt:Unit-unitOfSystem - a sh:PropertyShape ; - sh:path qudt:isUnitOfSystem ; - rdfs:isDefinedBy ; - sh:class qudt:SystemOfUnits ; -. -qudt:Unordered - a qudt:OrderedType ; - qudt:literal "unordered" ; - qudt:plainTextDescription "Unordered structure." ; - rdfs:isDefinedBy ; - rdfs:label "Unordered" ; -. -qudt:UnsignedIntegerEncoding - a qudt:IntegerEncodingType ; - qudt:bytes 4 ; - rdfs:isDefinedBy ; - rdfs:label "Unsigned Integer Encoding" ; -. -qudt:UserQuantityKind - a rdfs:Class ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "User Quantity Kind" ; - rdfs:subClassOf qudt:AbstractQuantityKind ; - sh:property qudt:UserQuantityKind-hasQuantityKind ; -. -qudt:UserQuantityKind-hasQuantityKind - a sh:PropertyShape ; - sh:path qudt:hasQuantityKind ; - rdfs:isDefinedBy ; - sh:class qudt:QuantityKind ; - sh:maxCount 1 ; - sh:minCount 1 ; -. -qudt:Verifiable - a qudt:AspectClass ; - a sh:NodeShape ; - rdfs:comment "An aspect class that holds properties that provide external knowledge and specifications of a given resource." ; - rdfs:isDefinedBy ; - rdfs:label "Verifiable" ; - rdfs:subClassOf qudt:Aspect ; - sh:property qudt:Verifiable-dbpediaMatch ; - sh:property qudt:Verifiable-informativeReference ; - sh:property qudt:Verifiable-isoNormativeReference ; - sh:property qudt:Verifiable-normativeReference ; -. -qudt:Verifiable-dbpediaMatch - a sh:PropertyShape ; - sh:path qudt:dbpediaMatch ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:Verifiable-informativeReference - a sh:PropertyShape ; - sh:path qudt:informativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:Verifiable-isoNormativeReference - a sh:PropertyShape ; - sh:path qudt:isoNormativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:Verifiable-normativeReference - a sh:PropertyShape ; - sh:path qudt:normativeReference ; - rdfs:isDefinedBy ; - sh:datatype xsd:anyURI ; - sh:minCount 0 ; -. -qudt:Wikipedia - a qudt:Organization ; - rdfs:isDefinedBy ; - rdfs:label "Wikipedia" ; -. -qudt:abbreviation - a rdf:Property ; - dcterms:description "An abbreviation for a unit is a short ASCII string that is used in place of the full name for the unit in contexts where non-ASCII characters would be problematic, or where using the abbreviation will enhance readability. When a power of abase unit needs to be expressed, such as squares this can be done using abbreviations rather than symbols. For example, sq ft means square foot, and cu ft means cubic foot."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "abbreviation" ; -. -qudt:acronym - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "acronym" ; -. -qudt:allowedPattern - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "allowed pattern" ; -. -qudt:allowedUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure with a unit system that does not define the unit, but allows its use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; - dcterms:isReplacedBy qudt:applicableSystem ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "allowed unit of system" ; - rdfs:subPropertyOf qudt:isUnitOfSystem ; -. -qudt:ansiSQLName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "ANSI SQL Name" ; -. -qudt:applicableCGSUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable CGS unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicableISOUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable ISO unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicableImperialUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable Imperial unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicablePhysicalConstant - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable physical constant" ; -. -qudt:applicablePlanckUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable Planck unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicableSIUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable SI unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicableSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure with a unit system that may or may not define the unit, but within which the unit is compatible."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "applicable system" ; -. -qudt:applicableUSCustomaryUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "applicable US Customary unit" ; - rdfs:subPropertyOf qudt:applicableUnit ; -. -qudt:applicableUnit - a rdf:Property ; - dcterms:description "See https://github.com/qudt/qudt-public-repo/wiki/Advanced-User-Guide#4-computing-applicable-units-for-a-quantitykind on how `qudt:applicableUnit` is computed from `qudt:hasQuantityKind` and then materialized"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "applicable unit" ; -. -qudt:baseDimensionEnumeration - a rdf:Property ; - dcterms:description "This property associates a system of quantities with an enumeration that enumerates the base dimensions of the system in canonical order."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "base dimension enumeration" ; -. -qudt:baseUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a base unit for the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "is base unit of system" ; - rdfs:subPropertyOf qudt:coherentUnitOfSystem ; -. -qudt:basis - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "basis" ; -. -qudt:belongsToSystemOfQuantities - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "belongs to system of quantities" ; -. -qudt:bitOrder - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "bit order" ; -. -qudt:bits - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "bits" ; -. -qudt:bounded - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "bounded" ; -. -qudt:byteOrder - a rdf:Property ; - dcterms:description "Byte order is an enumeration of two values: 'Big Endian' and 'Little Endian' and is used to denote whether the most signiticant byte is either first or last, respectively." ; - rdfs:isDefinedBy ; - rdfs:label "byte order" ; -. -qudt:bytes - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "bytes" ; -. -qudt:cName - a rdf:Property ; - rdfs:comment "Datatype name in the C programming language" ; - rdfs:isDefinedBy ; - rdfs:label "C Language name" ; -. -qudt:cardinality - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "cardinality" ; -. -qudt:categorizedAs - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "categorized as" ; -. -qudt:citation - a rdf:Property ; - qudt:plainTextDescription "Used to provide an annotation for an informative reference." ; - rdfs:isDefinedBy ; - rdfs:label "citation" ; -. -qudt:code - a rdf:Property ; - dcterms:description "A code is a string that uniquely identifies a QUDT concept. The use of this property has been deprecated."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "code" ; -. -qudt:coherentUnitOfSystem - a rdf:Property ; - dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one. A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. For example, the 'newton' and the 'joule'. These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per second per second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per second per second, and the work done by 1 dyne acting over 1 centimetre. So \\(1 newton = 10^5\\,dyne\\), \\(1 joule = 10^7\\,erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein."^^qudt:LatexString ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "is coherent unit of system" ; - rdfs:subPropertyOf qudt:definedUnitOfSystem ; -. -qudt:coherentUnitSystem - a rdf:Property ; - dcterms:description "

A system of units is coherent with respect to a system of quantities and equations if the system of units is chosen in such a way that the equations between numerical values have exactly the same form (including the numerical factors) as the corresponding equations between the quantities. In such a coherent system, no numerical factor other than the number 1 ever occurs in the expressions for the derived units in terms of the base units. For example, the \\(newton\\) and the \\(joule\\). These two are, respectively, the force that causes one kilogram to be accelerated at 1 metre per (1) second per (1) second, and the work done by 1 newton acting over 1 metre. Being coherent refers to this consistent use of 1. In the old c.g.s. system , with its base units the centimetre and the gram, the corresponding coherent units were the dyne and the erg, respectively the force that causes 1 gram to be accelerated at 1 centimetre per (1) second per (1) second, and the work done by 1 dyne acting over 1 centimetre. So \\(1\\,newton = 10^5 dyne\\), \\(1 joule = 10^7 erg\\), making each of the four compatible in a decimal sense within its respective other system, but not coherent therein.

"^^qudt:LatexString ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Coherence_(units_of_measurement)"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "coherent unit system" ; - rdfs:subPropertyOf qudt:hasUnitSystem ; -. -qudt:conversionMultiplier - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "conversion multiplier" ; -. -qudt:conversionOffset - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "conversion offset" ; -. -qudt:currencyCode - a rdf:Property ; - dcterms:description "Alphabetic Currency Code as defined by ISO 4217. For example, the currency code for the US dollar is USD."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "currency code" ; -. -qudt:currencyExponent - a rdf:Property ; - dcterms:description "The currency exponent indicates the number of decimal places between a major currency unit and its minor currency unit. For example, the US dollar is the major currency unit of the United States, and the US cent is the minor currency unit. Since one cent is 1/100 of a dollar, the US dollar has a currency exponent of 2. However, the Japanese Yen has no minor currency units, so the yen has a currency exponent of 0."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "currency exponent" ; -. -qudt:currencyNumber - a rdf:Property ; - dcterms:description "Numeric Currency Code as defined by ISO 4217. For example, the currency number for the US dollar is 840."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "currency number" ; -. -qudt:dataEncoding - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "data encoding" ; -. -qudt:dataStructure - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "data structure" ; -. -qudt:dataType - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "datatype" ; -. -qudt:dbpediaMatch - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dbpedia match" ; -. -qudt:default - a rdf:Property ; - dcterms:description "The default element in an enumeration"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "default" ; -. -qudt:definedUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure with the unit system that defines the unit."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "defined unit of system" ; - rdfs:subPropertyOf qudt:isUnitOfSystem ; -. -qudt:denominatorDimensionVector - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "denominator dimension vector" ; -. -qudt:deprecated - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "deprecated" ; -. -qudt:derivedCoherentUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units with a proportionality constant of one."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "is coherent derived unit of system" ; - rdfs:subPropertyOf qudt:coherentUnitOfSystem ; - rdfs:subPropertyOf qudt:derivedUnitOfSystem ; -. -qudt:derivedNonCoherentUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure to the unit system in which the unit is derived from the system's base units without proportionality constant of one."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "is non-coherent derived unit of system" ; - rdfs:subPropertyOf qudt:derivedUnitOfSystem ; -. -qudt:derivedQuantityKindOfSystem - a rdf:Property ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "derived quantity kind of system" ; -. -qudt:derivedUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure to the system of units in which it is defined as a derived unit. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "is derived unit of system" ; - rdfs:subPropertyOf qudt:isUnitOfSystem ; -. -qudt:dimensionExponent - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent" ; -. -qudt:dimensionExponentForAmountOfSubstance - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for amount of substance" ; -. -qudt:dimensionExponentForElectricCurrent - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for electric current" ; -. -qudt:dimensionExponentForLength - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for length" ; -. -qudt:dimensionExponentForLuminousIntensity - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for luminous intensity" ; -. -qudt:dimensionExponentForMass - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for mass" ; -. -qudt:dimensionExponentForThermodynamicTemperature - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for thermodynamic temperature" ; -. -qudt:dimensionExponentForTime - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension exponent for time" ; -. -qudt:dimensionInverse - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension inverse" ; -. -qudt:dimensionVectorForSI - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension vector for SI" ; -. -qudt:dimensionlessExponent - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimensionless exponent" ; -. -qudt:element - a rdf:Property ; - dcterms:description "An element of an enumeration"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "element" ; -. -qudt:elementKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "element kind" ; -. -qudt:elementType - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "element type" ; -. -qudt:encoding - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "encoding" ; -. -qudt:exactConstant - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "exact constant" ; -. -qudt:exactMatch - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "exact match" ; -. -qudt:example - a rdf:Property ; - rdfs:comment "The 'qudt:example' property is used to annotate an instance of a class with a reference to a concept that is an example. The type of this property is 'rdf:Property'. This allows both scalar and object ranges."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "example" ; -. -qudt:expression - a rdf:Property ; - dcterms:description "An 'expression' is a finite combination of symbols that are well-formed according to rules that apply to units of measure, quantity kinds and their dimensions."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "expression" ; -. -qudt:fieldCode - a rdf:Property ; - qudt:plainTextDescription "A field code is a generic property for representing unique codes that make up other identifers. For example each QuantityKind class caries a domain code as its field code." ; - rdfs:isDefinedBy ; - rdfs:label "field code" ; -. -qudt:figure - a rdf:Property ; - dcterms:description "Provides a link to an image."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "figure" ; -. -qudt:figureCaption - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "figure caption" ; -. -qudt:figureLabel - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "figure label" ; -. -qudt:floatPercentage - a rdfs:Datatype ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "float percentage" ; - rdfs:subClassOf xsd:float ; - owl:equivalentClass [ - a rdfs:Datatype ; - owl:onDatatype xsd:float ; - owl:withRestrictions ( - [ - xsd:minInclusive "0.00"^^xsd:float ; - ] - [ - xsd:maxInclusive "100.00"^^xsd:float ; - ] - ) ; - ] ; -. -qudt:generalization - a rdf:Property ; - dcterms:description "This deprecated property was intended to relate a quantity kind to its generalization."^^rdf:HTML ; - dcterms:isReplacedBy skos:broader ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "generalization" ; -. -qudt:guidance - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "guidance" ; -. -qudt:hasAllowedUnit - a rdf:Property ; - dcterms:description "This property relates a unit system with a unit of measure that is not defined by or part of the system, but is allowed for use within the system. An allowed unit must be convertible to some dimensionally eqiuvalent unit that is defined by the system."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "allowed unit" ; - rdfs:subPropertyOf qudt:hasUnit ; -. -qudt:hasBaseQuantityKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has base quantity kind" ; - rdfs:subPropertyOf qudt:hasQuantityKind ; -. -qudt:hasBaseUnit - a rdf:Property ; - dcterms:description "This property relates a system of units to a base unit defined within the system. The base units of a system are used to define the derived units of the system by expressing the derived units as products of the base units raised to a rational power."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "base unit" ; - rdfs:subPropertyOf qudt:hasCoherentUnit ; -. -qudt:hasCoherentUnit - a rdf:Property ; - dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "coherent unit" ; - rdfs:subPropertyOf qudt:hasDefinedUnit ; -. -qudt:hasDefinedUnit - a rdf:Property ; - dcterms:description "This property relates a unit system with a unit of measure that is defined by the system."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "defined unit" ; - rdfs:subPropertyOf qudt:hasUnit ; -. -qudt:hasDenominatorPart - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has quantity kind dimension vector denominator part" ; -. -qudt:hasDerivedCoherentUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "derived coherent unit" ; - rdfs:subPropertyOf qudt:hasCoherentUnit ; - rdfs:subPropertyOf qudt:hasDerivedUnit ; -. -qudt:hasDerivedNonCoherentUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has coherent derived unit" ; - rdfs:subPropertyOf qudt:hasDerivedUnit ; -. -qudt:hasDerivedUnit - a rdf:Property ; - dcterms:description "This property relates a system of units to a unit of measure that is defined within the system in terms of the base units for the system. That is, the derived unit is defined as a product of the base units for the system raised to some rational power."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "derived unit" ; -. -qudt:hasDimension - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has dimension" ; -. -qudt:hasDimensionExpression - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "dimension expression" ; -. -qudt:hasDimensionVector - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has dimension vector" ; -. -qudt:hasNonCoherentUnit - a rdf:Property ; - dcterms:description "A coherent unit of measurement for a unit system is a defined unit that may be expressed as a product of powers of the system's base units with the proportionality factor of one."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "has non-coherent unit" ; - rdfs:subPropertyOf qudt:hasDefinedUnit ; -. -qudt:hasNumeratorPart - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has quantity kind dimension vector numerator part" ; -. -qudt:hasPrefixUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "prefix unit" ; - rdfs:subPropertyOf qudt:hasDefinedUnit ; -. -qudt:hasQuantity - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has quantity" ; -. -qudt:hasQuantityKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has quantity kind" ; -. -qudt:hasReferenceQuantityKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has reference quantity kind" ; -. -qudt:hasRule - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has rule" ; -. -qudt:hasUnit - a rdf:Property ; - dcterms:description "This property relates a system of units with a unit of measure that is either a) defined by the system, or b) accepted for use by the system and is convertible to a unit of equivalent dimension that is defined by the system. Systems of units may distinguish between base and derived units. Base units are the units which measure the base quantities for the corresponding system of quantities. The base units are used to define units for all other quantities as products of powers of the base units. Such units are called derived units for the system. Thirdly, c) a reference to the unit of measure of a quantity (variable or constant) of interest"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "has unit" ; -. -qudt:hasUnitSystem - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "has unit system" ; -. -qudt:hasVocabulary - a rdf:Property ; - qudt:plainTextDescription "Used to relate a class to one or more graphs where vocabularies for the class are defined." ; - rdfs:isDefinedBy ; - rdfs:label "has vocabulary" ; -. -qudt:height - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "height" ; -. -qudt:id - a rdf:Property ; - dcterms:description "The \"qudt:id\" is an identifier string that uniquely identifies a QUDT concept. The identifier is constructed using a prefix. For example, units are coded using the pattern: \"UCCCENNNN\", where \"CCC\" is a numeric code or a category and \"NNNN\" is a digit string for a member element of that category. For scaled units there may be an addition field that has the format \"QNN\" where \"NN\" is a digit string representing an exponent power, and \"Q\" is a qualifier that indicates with the code \"P\" that the power is a positive decimal exponent, or the code \"N\" for a negative decimal exponent, or the code \"B\" for binary positive exponents."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "qudt id" ; -. -qudt:iec61360Code - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "iec-61360 code" ; -. -qudt:image - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "image" ; -. -qudt:imageLocation - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "image location" ; -. -qudt:informativeReference - a rdf:Property ; - dcterms:description "Provides a way to reference a source that provided useful but non-normative information."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "informative reference" ; -. -qudt:integerPercentage - a rdfs:Datatype ; - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "integer percentage" ; - rdfs:subClassOf xsd:integer ; - owl:equivalentClass [ - a rdfs:Datatype ; - rdfs:isDefinedBy ; - owl:onDatatype xsd:integer ; - owl:withRestrictions ( - [ - xsd:minInclusive 0 ; - ] - [ - xsd:maxInclusive 100 ; - ] - ) ; - ] ; -. -qudt:isBaseQuantityKindOfSystem - a rdf:Property ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "is base quantity kind of system" ; -. -qudt:isDeltaQuantity - a rdf:Property ; - rdfs:comment "This property is used to identify a Quantity instance that is a measure of a change, or interval, of some property, rather than a measure of its absolute value. This is important for measurements such as temperature differences where the conversion among units would be calculated differently because of offsets." ; - rdfs:isDefinedBy ; - rdfs:label "is Delta Quantity" ; -. -qudt:isDimensionInSystem - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "is dimension in system" ; -. -qudt:isMetricUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "is metric unit" ; -. -qudt:isQuantityKindOf - a rdf:Property ; - dcterms:description "`qudt:isQuantityKindOf` was a strict inverse of `qudt:hasQuantityKind` but is now deprecated."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "is quantity kind of" ; -. -qudt:isUnitOfSystem - a rdf:Property ; - dcterms:description "This property relates a unit of measure with a system of units that either a) defines the unit or b) allows the unit to be used within the system."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "is unit of system" ; -. -qudt:isoNormativeReference - a rdf:Property ; - dcterms:description "Provides a way to reference the ISO unit definition."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "normative reference (ISO)" ; - rdfs:subPropertyOf qudt:normativeReference ; -. -qudt:javaName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "java name" ; -. -qudt:jsName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "Javascript name" ; -. -qudt:landscape - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "landscape" ; -. -qudt:latexDefinition - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "latex definition" ; -. -qudt:latexSymbol - a rdf:Property ; - dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "latex symbol" ; -. -qudt:length - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "length" ; -. -qudt:literal - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "literal" ; - rdfs:subPropertyOf dtype:literal ; -. -qudt:lowerBound - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "lower bound" ; -. -qudt:mathDefinition - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "math definition" ; -. -qudt:mathMLdefinition - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "mathML definition" ; - rdfs:subPropertyOf qudt:mathDefinition ; -. -qudt:matlabName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "matlab name" ; -. -qudt:maxExclusive - a rdf:Property ; - dcterms:description "maxExclusive is the exclusive upper bound of the value space for a datatype with the ordered property. The value of maxExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; - rdfs:isDefinedBy ; - rdfs:label "max exclusive" ; - rdfs:subPropertyOf qudt:upperBound ; -. -qudt:maxInclusive - a rdf:Property ; - dcterms:description "maxInclusive is the inclusive upper bound of the value space for a datatype with the ordered property. The value of maxInclusive must be in the value space of the base type." ; - rdfs:isDefinedBy ; - rdfs:label "max inclusive" ; - rdfs:subPropertyOf qudt:upperBound ; -. -qudt:microsoftSQLServerName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "Microsoft SQL Server name" ; -. -qudt:minExclusive - a rdf:Property ; - dcterms:description "minExclusive is the exclusive lower bound of the value space for a datatype with the ordered property. The value of minExclusive must be in the value space of the base type or be equal to {value} in {base type definition}." ; - rdfs:isDefinedBy ; - rdfs:label "min exclusive" ; - rdfs:subPropertyOf qudt:lowerBound ; -. -qudt:minInclusive - a rdf:Property ; - dcterms:description "minInclusive is the inclusive lower bound of the value space for a datatype with the ordered property. The value of minInclusive must be in the value space of the base type." ; - rdfs:isDefinedBy ; - rdfs:label "min inclusive" ; - rdfs:subPropertyOf qudt:lowerBound ; -. -qudt:mySQLName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "MySQL name" ; -. -qudt:negativeDeltaLimit - a rdf:Property ; - dcterms:description "A negative change limit between consecutive sample values for a parameter. The Negative Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "negative delta limit" ; -. -qudt:normativeReference - a rdf:Property ; - dcterms:description "Provides a way to reference information that is an authorative source providing a standard definition"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "normative reference" ; -. -qudt:numeratorDimensionVector - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "numerator dimension vector" ; -. -qudt:numericValue - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "numeric value" ; -. -qudt:odbcName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "ODBC name" ; -. -qudt:oleDBName - a rdf:Property ; - dcterms:description "OLE DB (Object Linking and Embedding, Database, sometimes written as OLEDB or OLE-DB), an API designed by Microsoft, allows accessing data from a variety of sources in a uniform manner. The API provides a set of interfaces implemented using the Component Object Model (COM); it is otherwise unrelated to OLE. " ; - qudt:informativeReference "http://en.wikipedia.org/wiki/OLE_DB"^^xsd:anyURI ; - qudt:informativeReference "http://msdn.microsoft.com/en-us/library/windows/desktop/ms714931(v=vs.85).aspx"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "OLE DB name" ; -. -qudt:omUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "om unit" ; -. -qudt:onlineReference - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "online reference" ; -. -qudt:oracleSQLName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "ORACLE SQL name" ; -. -qudt:order - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "order" ; -. -qudt:orderedType - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "ordered type" ; -. -qudt:outOfScope - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "out of scope" ; -. -qudt:permissibleMaths - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "permissible maths" ; -. -qudt:permissibleTransformation - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "permissible transformation" ; -. -qudt:plainTextDescription - a rdf:Property ; - dcterms:description "A plain text description is used to provide a description with only simple ASCII characters for cases where LaTeX , HTML or other markup would not be appropriate."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "description (plain text)" ; -. -qudt:positiveDeltaLimit - a rdf:Property ; - dcterms:description "A positive change limit between consecutive sample values for a parameter. The Positive Delta may be the encoded value or engineering units value depending on whether or not a Calibrator is defined."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Positive delta limit" ; -. -qudt:prefix - a rdf:Property ; - rdfs:comment "Associates a unit with the appropriate prefix, if any." ; - rdfs:isDefinedBy ; - rdfs:label "prefix" ; -. -qudt:prefixMultiplier - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "prefix multiplier" ; -. -qudt:protocolBuffersName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "protocol buffers name" ; -. -qudt:pythonName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "python name" ; -. -qudt:qkdvDenominator - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "denominator dimension vector" ; -. -qudt:qkdvNumerator - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "numerator dimension vector" ; -. -qudt:quantity - a rdf:Property ; - dcterms:description "a property to relate an observable thing with a quantity (qud:Quantity)"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "quantity" ; -. -qudt:quantityValue - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "quantity value" ; -. -qudt:rationale - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "rationale" ; -. -qudt:rdfsDatatype - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "rdfs datatype" ; -. -qudt:reference - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "reference" ; -. -qudt:referenceUnit - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "reference unit" ; -. -qudt:relativeStandardUncertainty - a rdf:Property ; - dcterms:description "The relative standard uncertainty of a measurement is the (absolute) standard uncertainty divided by the magnitude of the exact value."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "relative standard uncertainty" ; -. -qudt:relevantQuantityKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "relevant quantity kind" ; -. -qudt:relevantUnit - a rdf:Property ; - rdfs:comment "This property is used for qudt:Discipline instances to identify the Unit instances that are used within a given discipline." ; - rdfs:isDefinedBy ; - rdfs:label "Relevant Unit" ; -. -qudt:ruleType - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "rule type" ; -. -qudt:scaleType - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "scale type" ; -. -qudt:siUnitsExpression - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "si units expression" ; -. -qudt:specialization - a rdf:Property ; - dcterms:description "This deprecated property originally related a quantity kind to its specialization(s). For example, linear velocity and angular velocity are both specializations of velocity."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "specialization" ; -. -qudt:standardUncertainty - a rdf:Property ; - dcterms:description "The standard uncertainty of a quantity is the estimated standard deviation of the mean taken from a series of measurements."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "standard uncertainty" ; -. -qudt:symbol - a rdf:Property ; - dcterms:description "The symbol is a glyph that is used to represent some concept, typically a unit or a quantity, in a compact form. For example, the symbol for an Ohm is \\(ohm\\). This contrasts with 'unit:abbreviation', which gives a short alphanumeric abbreviation for the unit, 'ohm' for Ohm."^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "symbol" ; - rdfs:subPropertyOf qudt:literal ; -. -qudt:systemDefinition - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "system definition" ; -. -qudt:systemDerivedQuantityKind - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "system derived quantity kind" ; - rdfs:subPropertyOf qudt:hasQuantityKind ; -. -qudt:systemDimension - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "system dimension" ; -. -qudt:ucumCaseInsensitiveCode - a rdf:Property ; - dcterms:description "ucumCode associates a QUDT unit with a UCUM case-insensitive code."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "ucum case-insensitive code" ; - rdfs:subPropertyOf qudt:ucumCode ; -. -qudt:ucumCaseSensitiveCode - a rdf:Property ; - dcterms:description "ucumCode associates a QUDT unit with with a UCUM case-sensitive code."^^rdf:HTML ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "ucum case-sensitive code" ; - rdfs:subPropertyOf qudt:ucumCode ; -. -qudt:ucumCode - a rdf:Property ; - dcterms:description "

ucumCode associates a QUDT unit with its UCUM code (case-sensitive).

In SHACL the values are derived from specific ucum properties using 'sh:values'.

"^^rdf:HTML ; - dcterms:source "https://ucum.org/ucum.html"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "ucum code" ; - rdfs:seeAlso ; - rdfs:subPropertyOf skos:notation ; -. -qudt:udunitsCode - a rdf:Property ; - dcterms:description "The UDUNITS package supports units of physical quantities. Its C library provides for arithmetic manipulation of units and for conversion of numeric values between compatible units. The package contains an extensive unit database, which is in XML format and user-extendable. The package also contains a command-line utility for investigating units and converting values."^^rdf:HTML ; - dcterms:source "https://www.unidata.ucar.edu/software/udunits/"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "udunits code" ; -. -qudt:uneceCommonCode - a rdf:Property ; - dcterms:description "The UN/CEFACT Recommendation 20 provides three character alphabetic and alphanumeric codes for representing units of measurement for length, area, volume/capacity, mass (weight), time, and other quantities used in international trade. The codes are intended for use in manual and/or automated systems for the exchange of information between participants in international trade."^^rdf:HTML ; - dcterms:source "https://service.unece.org/trade/uncefact/vocabulary/rec20/"^^xsd:anyURI ; - dcterms:source "https://unece.org/trade/documents/2021/06/uncefact-rec20-0"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "unece common code" ; -. -qudt:unit - a rdf:Property ; - dcterms:description "A reference to the unit of measure of a quantity (variable or constant) of interest."^^rdf:HTML ; - dcterms:isReplacedBy qudt:hasUnit ; - qudt:deprecated true ; - rdfs:isDefinedBy ; - rdfs:label "unit" ; -. -qudt:unitFor - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "unit for" ; -. -qudt:upperBound - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "upper bound" ; -. -qudt:url - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "url" ; -. -qudt:value - a rdf:Property ; - dcterms:description "A property to relate an observable thing with a value that can be of any simple XSD type"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "value" ; -. -qudt:valueQuantity - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "value for quantity" ; -. -qudt:vbName - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "Vusal Basic name" ; -. -qudt:vectorMagnitude - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "vector magnitude" ; -. -qudt:width - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "width" ; -. -voag:QUDT-SchemaCatalogEntry - a vaem:CatalogEntry ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Schema Catalog Entry" ; -. -voag:supersededBy - a rdf:Property ; - rdfs:isDefinedBy ; - rdfs:label "superseded by" ; -. - - vaem:namespace "http://www.linkedmodel.org/schema/dtype#"^^xsd:anyURI ; - vaem:namespacePrefix "dtype" ; -. -vaem:GMD_SHACLQUDT-SCHEMA - a vaem:GraphMetaData ; - dcterms:contributor "Daniel Mekonnen" ; - dcterms:contributor "David Price" ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "James E. Masters" ; - dcterms:contributor "Simon J D Cox" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2011-04-20"^^xsd:date ; - dcterms:creator "Ralph Hodgson" ; - dcterms:description """

The QUDT, or \"Quantity, Unit, Dimension and Type\" schema defines the base classes properties, and restrictions used for modeling physical quantities, units of measure, and their dimensions in various measurement systems. The goal of the QUDT ontology is to provide a unified model of, measurable quantities, units for measuring different kinds of quantities, the numerical values of quantities in different units of measure and the data structures and data types used to store and manipulate these objects in software.

- -

Except for unit prefixes, all units are specified in separate vocabularies. Descriptions are provided in both HTML and LaTeX formats. A quantity is a measure of an observable phenomenon, that, when associated with something, becomes a property of that thing; a particular object, event, or physical system.

- -

A quantity has meaning in the context of a measurement (i.e. the thing measured, the measured value, the accuracy of measurement, etc.) whereas the underlying quantity kind is independent of any particular measurement. Thus, length is a quantity kind while the height of a rocket is a specific quantity of length; its magnitude that may be expressed in meters, feet, inches, etc. Or, as stated at Wikipedia, in the language of measurement, quantities are quantifiable aspects of the world, such as time, distance, velocity, mass, momentum, energy, and weight, and units are used to describe their measure. Many of these quantities are related to each other by various physical laws, and as a result the units of some of the quantities can be expressed as products (or ratios) of powers of other units (e.g., momentum is mass times velocity and velocity is measured in distance divided by time).

"""^^rdf:HTML ; - dcterms:modified "2023-11-15T09:49:37.276-05:00"^^xsd:dateTime ; - dcterms:rights """ - This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. - -THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. - """ ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "QUDT" ; - dcterms:title "QUDT SHACL Schema - Version 2.1.33" ; - qudt:informativeReference "http://unitsofmeasure.org/trac"^^xsd:anyURI ; - qudt:informativeReference "http://www.bipm.org/en/publications/si-brochure"^^xsd:anyURI ; - qudt:informativeReference "http://www.bipm.org/utils/common/documents/jcgm/JCGM_200_2008.pdf"^^xsd:anyURI ; - qudt:informativeReference "https://books.google.com/books?id=pIlCAAAAIAAJ&dq=dimensional+analysis&hl=en"^^xsd:anyURI ; - qudt:informativeReference "https://www.nist.gov/physical-measurement-laboratory/special-publication-811"^^xsd:anyURI ; - vaem:graphName "qudt" ; - vaem:graphTitle "Quantities, Units, Dimensions and Types (QUDT) SHACL Schema - Version 2.1.33" ; - vaem:hasGraphRole vaem:SHACLSchemaGraph ; - vaem:hasOwner vaem:QUDT ; - vaem:hasSteward vaem:QUDT ; - vaem:intent "Specifies the schema for quantities, units and dimensions. Types are defined in other schemas." ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/11/DOC_SCHEMA-SHACL-QUDT-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/schema/qudt/" ; - vaem:namespacePrefix "qudt" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/10/DOC_SCHEMA-SHACL-QUDT-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/schema/shacl/qudt"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:contributor ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:description ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:rights ; - vaem:usesNonImportedResource dcterms:source ; - vaem:usesNonImportedResource dcterms:subject ; - vaem:usesNonImportedResource dcterms:title ; - vaem:usesNonImportedResource voag:QUDT-Attribution ; - vaem:withAttributionTo voag:QUDT-Attribution ; - rdfs:isDefinedBy ; - rdfs:label "QUDT SHACL Schema Metadata Version 2.1.33" ; - owl:versionIRI ; -. -vaem:QUDT - a vaem:Party ; - dcterms:description "QUDT is a non-profit organization that governs the QUDT ontologies."^^rdf:HTML ; - vaem:graphName "qudt.org" ; - vaem:website "http://www.qudt.org"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "QUDT" ; -. -prov:wasDerivedFrom - a rdf:Property ; - rdfs:label "was derived from" ; -. diff --git a/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl b/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl deleted file mode 100644 index b478b3ddd..000000000 --- a/libraries/qudt/SHACL-SCHEMA-SUPPLEMENT_QUDT-v2.1.ttl +++ /dev/null @@ -1,804 +0,0 @@ -# baseURI: http://qudt.org/2.1/schema/shacl/overlay/qudt -# imports: http://qudt.org/2.1/schema/shacl/qudt -# imports: http://www.w3.org/ns/shacl# - -@prefix dc: . -@prefix dcterms: . -@prefix dtype: . -@prefix owl: . -@prefix prov: . -@prefix qkdv: . -@prefix quantitykind: . -@prefix qudt: . -@prefix qudt.type: . -@prefix rdf: . -@prefix rdfs: . -@prefix sh: . -@prefix skos: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_SHACLQUDTOVERLAY-SCHEMA ; - rdfs:comment "Supplements the generated SHACL Schema with constructs not expressible in the QUDT OWL Ontology" ; - rdfs:label "QUDT SHACL Schema Supplement Version 2.1.32" ; - owl:imports ; - owl:imports sh: ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://purl.org/dc/terms/"^^xsd:anyURI ; - sh:prefix "dcterms" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://qudt.org/schema/qudt/"^^xsd:anyURI ; - sh:prefix "qudt" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://qudt.org/vocab/dimensionvector/"^^xsd:anyURI ; - sh:prefix "qkdv" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - sh:prefix "quantitykind" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - sh:prefix "unit" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://www.w3.org/1999/02/22-rdf-syntax-ns#"^^xsd:anyURI ; - sh:prefix "rdf" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://www.w3.org/2000/01/rdf-schema#"^^xsd:anyURI ; - sh:prefix "rdfs" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://www.w3.org/2002/07/owl#"^^xsd:anyURI ; - sh:prefix "owl" ; - ] ; - sh:declare [ - a sh:PrefixDeclaration ; - sh:namespace "http://www.w3.org/2004/02/skos/core#"^^xsd:anyURI ; - sh:prefix "skos" ; - ] ; -. -qudt:AbstractQuantityKind-qudt_latexSymbol - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:AbstractQuantityKind-qudt_symbol - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:AbstractQuantityKind-skos_broader - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "120"^^xsd:decimal ; -. -qudt:ApplicableUnitsGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "Applicable Units" ; - sh:order "30"^^xsd:decimal ; -. -qudt:Aspect - rdfs:isDefinedBy ; - sh:property qudt:Aspect-rdfs_isDefinedBy ; -. -qudt:Aspect-rdfs_isDefinedBy - a sh:PropertyShape ; - sh:path rdfs:isDefinedBy ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "200"^^xsd:decimal ; -. -qudt:Citation-qudt_description - rdfs:isDefinedBy ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:ClosedWorldShape - a sh:NodeShape ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Ensure that all instances of a class use only the properties defined for that class." ; - sh:message "Predicate {?p} is not defined for instance {$this}." ; - sh:prefixes ; - sh:select """ -SELECT $this ?p ?o -WHERE { -$this a/rdfs:subClassOf* qudt:Concept . -$this ?p ?o . -FILTER(STRSTARTS (str(?p), 'http://qudt.org/schema/qudt')) -FILTER NOT EXISTS {$this a sh:NodeShape} -FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . - ?class sh:property/sh:path ?p . -} -FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . -?class sh:xone/rdf:rest*/rdf:first/sh:property/sh:path ?p . -} -FILTER NOT EXISTS {$this a/rdfs:subClassOf* ?class . -?class sh:or/rdf:rest*/rdf:first/sh:property/sh:path ?p . -} -} -""" ; - ] ; - sh:targetClass qudt:Concept ; -. -qudt:Concept - rdfs:isDefinedBy ; - sh:property qudt:Concept-rdf_type ; - sh:property qudt:Concept-rdfs_isDefinedBy ; - sh:property qudt:Concept-rdfs_label ; - sh:property qudt:Concept-rdfs_seeAlso ; - sh:property qudt:Concept-skos_altLabel ; -. -qudt:Concept-dcterms_description - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:name "dcterms description" ; - sh:order "60"^^xsd:decimal ; -. -qudt:Concept-qudt_abbreviation - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "18"^^xsd:decimal ; -. -qudt:Concept-qudt_code - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "100"^^xsd:decimal ; -. -qudt:Concept-qudt_description - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:name "full description" ; - sh:order "60"^^xsd:decimal ; -. -qudt:Concept-qudt_guidance - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "60"^^xsd:decimal ; -. -qudt:Concept-qudt_hasRule - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "95"^^xsd:decimal ; -. -qudt:Concept-qudt_id - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Concept-qudt_plainTextDescription - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Concept-rdf_type - a sh:PropertyShape ; - sh:path rdf:type ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:minCount 1 ; - sh:name "type" ; - sh:order "10"^^xsd:decimal ; -. -qudt:Concept-rdfs_isDefinedBy - a sh:PropertyShape ; - sh:path rdfs:isDefinedBy ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "200"^^xsd:decimal ; -. -qudt:Concept-rdfs_label - a sh:PropertyShape ; - sh:path rdfs:label ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:minCount 1 ; - sh:order "10"^^xsd:decimal ; - sh:severity sh:Warning ; -. -qudt:Concept-rdfs_seeAlso - a sh:PropertyShape ; - sh:path rdfs:seeAlso ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "900"^^xsd:decimal ; -. -qudt:Concept-skos_altLabel - a sh:PropertyShape ; - sh:path skos:altLabel ; - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "12"^^xsd:decimal ; -. -qudt:DeprecatedPropertyConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Warning about use of a deprecated QUDT property" ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Warns if a deprecated QUDT property is used" ; - sh:message "Resource, '{$this}' uses the property '{?oldpstr}' which will be deprecated. Please use '{?newpstr}' instead." ; - sh:prefixes ; - sh:select """SELECT $this ?p ?oldpstr ?newpstr -WHERE { -?p qudt:deprecated true . -?p a rdf:Property . -$this ?p ?o . -?p dcterms:isReplacedBy ?newp . -BIND (STR(?newp) AS ?newpstr) -BIND (STR(?p) AS ?oldpstr) -}""" ; - ] ; - sh:targetClass qudt:Concept ; -. -qudt:DeprecationConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Warning about use of a deprecated QUDT resource" ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Warns if a deprecated QUDT resource is used" ; - sh:message "Resource, '{?s}' refers to '{?oldqstr}' which has been deprecated. Please refer to '{?newqstr}' instead." ; - sh:prefixes ; - sh:select """SELECT ?s $this ?oldqstr ?newqstr -WHERE { -$this qudt:deprecated true . -?s ?p $this . -FILTER (!STRSTARTS(STR(?s),'http://qudt.org')) . -$this dcterms:isReplacedBy ?newq . -BIND (STR(?newq) AS ?newqstr) -BIND (STR($this) AS ?oldqstr) -}""" ; - ] ; - sh:targetClass qudt:Concept ; -. -qudt:EnumeratedValue-qudt_description - rdfs:isDefinedBy ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:ExactMatchGoesBothWaysConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Ensure that if A qudt:exactMatch B then B qudt:exactMatch A" ; - sh:message "Missing triple: {$t} qudt:exactMatch {$this} ." ; - sh:prefixes ; - sh:select """ -SELECT $this ?t -WHERE { -$this qudt:exactMatch ?t . -FILTER NOT EXISTS {?t qudt:exactMatch $this } -} -""" ; - ] ; - sh:targetClass qudt:Concept ; -. -qudt:HTMLOrStringOrLangStringOrLatexString - a rdf:List ; - rdf:first [ - sh:datatype rdf:HTML ; - ] ; - rdf:rest ( - [ - sh:datatype xsd:string ; - ] - [ - sh:datatype rdf:langString ; - ] - [ - sh:datatype qudt:LatexString ; - ] - ) ; - rdfs:comment "Defines an rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either rdf:HTML, xsd:string or rdf:langString, or a qudt:LatexString" ; - rdfs:isDefinedBy ; - rdfs:label "HTML or string or langString or LatexString" ; -. -qudt:IdentifiersAndDescriptionsPropertyGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "Identifiers and Descriptions" ; - sh:order "10"^^xsd:decimal ; -. -qudt:InconsistentDimensionVectorInSKOSHierarchyConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Checks that a QuantityKind has the same dimension vector as any skos:broader QuantityKind" ; - sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its skos:broader, {$qk} with dimension vector {$qdv}" ; - sh:prefixes ; - sh:select """ -SELECT $this ?udv ?qk ?qdv -WHERE { -$this qudt:hasDimensionVector ?udv . -$this skos:broader* ?qk . -?qk qudt:hasDimensionVector ?qdv . -FILTER (?udv != ?qdv) . -} -""" ; - ] ; - sh:targetClass qudt:QuantityKind ; -. -qudt:InconsistentUnitAndDimensionVectorConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Checks that a Unit and its QuantityKind have the same dimension vector" ; - sh:message "Unit {$this} has dimension vector {$udv} which is not the same as the dimension vector of its quantity kind {$qk} with dimension vector {$qdv}" ; - sh:prefixes ; - sh:select """ -SELECT $this ?udv ?qk ?qdv -WHERE { -$this qudt:hasDimensionVector ?udv . -$this qudt:hasQuantityKind ?qk . -?qk qudt:hasDimensionVector ?qdv . -FILTER (?udv != qkdv:NotApplicable) . -FILTER (?qdv != qkdv:NotApplicable) . -FILTER (?udv != ?qdv) . -} -""" ; - ] ; - sh:targetClass qudt:Unit ; -. -qudt:Narratable - a qudt:AspectClass ; - a sh:NodeShape ; - rdfs:comment "

Narratable specifies properties that provide for documentation and references.

"^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Narratable" ; - rdfs:subClassOf qudt:Aspect ; -. -qudt:NumericUnionList - a rdf:List ; - rdf:first [ - sh:datatype xsd:string ; - ] ; - rdf:rest ( - [ - sh:datatype xsd:nonNegativeInteger ; - ] - [ - sh:datatype xsd:positiveInteger ; - ] - [ - sh:datatype xsd:integer ; - ] - [ - sh:datatype xsd:int ; - ] - [ - sh:datatype xsd:float ; - ] - [ - sh:datatype xsd:double ; - ] - [ - sh:datatype xsd:decimal ; - ] - ) ; - rdfs:comment "An rdf:List that can be used in property constraints as value for sh:or to indicate that all values of a property must be either xsd:integer, xsd:float, xsd:double or xsd:decimal." ; - rdfs:isDefinedBy ; - rdfs:label "Numeric Union List" ; -. -qudt:PhysicalConstant-qudt_latexSymbol - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:PropertiesGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "Properties" ; - sh:order "20"^^xsd:decimal ; -. -qudt:Quantifiable-qudt_value - a sh:PropertyShape ; - sh:path qudt:value ; - rdfs:isDefinedBy ; - sh:maxCount 1 ; - sh:or ( - [ - sh:datatype xsd:float ; - ] - [ - sh:datatype xsd:double ; - ] - [ - sh:datatype xsd:integer ; - ] - [ - sh:datatype xsd:decimal ; - ] - ) ; -. -qudt:Quantity-qudt_description - rdfs:isDefinedBy ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_applicableCGSUnit - rdfs:isDefinedBy ; - sh:deactivated true ; -. -qudt:QuantityKind-qudt_applicableSIUnit - rdfs:isDefinedBy ; - sh:deactivated true ; -. -qudt:QuantityKind-qudt_applicableUSCustomaryUnit - rdfs:isDefinedBy ; - sh:deactivated true ; -. -qudt:QuantityKind-qudt_applicableUnit - rdfs:isDefinedBy ; - sh:group qudt:ApplicableUnitsGroup ; - sh:order "10"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_baseCGSUnitDimensions - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_baseISOUnitDimensions - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_baseImperialUnitDimensions - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_baseSIUnitDimensions - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_baseUSCustomaryUnitDimensions - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:QuantityKind-qudt_belongsToSystemOfQuantities - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "90"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_dimensionVectorForSI - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "100"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_expression - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:name "symbol expression" ; - sh:order "10"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_hasDimensionVector - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "50"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_latexDefinition - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_mathMLdefinition - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "70"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_qkdvDenominator - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "61"^^xsd:decimal ; -. -qudt:QuantityKind-qudt_qkdvNumerator - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "60"^^xsd:decimal ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForAmountOfSubstance - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForLength - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForLuminousIntensity - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForMass - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForThermodynamicTemperature - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionExponentForTime - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector-dimensionlessExponent - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityKindDimensionVector_dimensionExponentForElectricCurrent - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:QuantityValue-value - rdfs:isDefinedBy ; - sh:or qudt:NumericUnionList ; -. -qudt:Rule-example - rdfs:isDefinedBy ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:Rule-qudt_example - rdfs:isDefinedBy ; - sh:or qudt:HTMLOrStringOrLangStringOrLatexString ; -. -qudt:UniqueSymbolTypeRestrictedPropertyConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - rdfs:label "Unique symbol type restricted property constraint" ; - sh:deactivated true ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Checks that a resource has a unique symbol within its type hierarchy below qudt:Concept" ; - sh:message "Resource, '{$this}' of type '{?myType}', has non-unique symbol, '{?symbol}', that conflicts with '{?another}' of type '{?anotherType}'" ; - sh:prefixes ; - sh:select """SELECT DISTINCT $this ?symbol ?another ?myType ?anotherType -WHERE {{ - $this qudt:symbol ?symbol . - ?another qudt:symbol ?symbol . - FILTER (?another != $this) - } - $this a ?myType . - ?myType + qudt:Concept . - ?another a ?anotherType . - ?anotherType + qudt:Concept . - FILTER (?myType = ?anotherType) -}""" ; - ] ; - sh:targetClass qudt:Unit ; -. -qudt:Unit - rdfs:isDefinedBy ; - rdfs:subClassOf qudt:Narratable ; -. -qudt:Unit-qudt_applicableSystem - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "62"^^xsd:decimal ; -. -qudt:Unit-qudt_conversionMultiplier - rdfs:isDefinedBy ; - sh:group qudt:UnitConversionGroup ; - sh:order "10"^^xsd:decimal ; -. -qudt:Unit-qudt_conversionOffset - rdfs:isDefinedBy ; - sh:group qudt:UnitConversionGroup ; - sh:order "20"^^xsd:decimal ; -. -qudt:Unit-qudt_denominatorDimensionVector - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "52"^^xsd:decimal ; -. -qudt:Unit-qudt_expression - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "30"^^xsd:decimal ; -. -qudt:Unit-qudt_hasDimensionVector - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "50"^^xsd:decimal ; -. -qudt:Unit-qudt_hasQuantityKind - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:name "quantity kind" ; - sh:order "40"^^xsd:decimal ; -. -qudt:Unit-qudt_iec61360Code - rdfs:isDefinedBy ; - rdfs:label "IEC-61369 code" ; - sh:group qudt:UnitEquivalencePropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Unit-qudt_latexDefinition - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Unit-qudt_latexSymbol - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "60"^^xsd:decimal ; -. -qudt:Unit-qudt_mathMLdefinition - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "70"^^xsd:decimal ; -. -qudt:Unit-qudt_numeratorDimensionVector - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "54"^^xsd:decimal ; -. -qudt:Unit-qudt_omUnit - rdfs:isDefinedBy ; - sh:group qudt:UnitEquivalencePropertyGroup ; - sh:order "10"^^xsd:decimal ; -. -qudt:Unit-qudt_siUnitsExpression - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "35"^^xsd:decimal ; -. -qudt:Unit-qudt_symbol - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Unit-qudt_ucumCode - rdfs:isDefinedBy ; - sh:group qudt:UnitEquivalencePropertyGroup ; - sh:order "50"^^xsd:decimal ; -. -qudt:Unit-qudt_udunitsCode - rdfs:isDefinedBy ; - sh:group qudt:UnitEquivalencePropertyGroup ; - sh:order "55"^^xsd:decimal ; -. -qudt:Unit-qudt_uneceCommonCode - rdfs:isDefinedBy ; - sh:group qudt:UnitEquivalencePropertyGroup ; - sh:order "40"^^xsd:decimal ; -. -qudt:Unit-qudt_unitOfSystem - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:order "60"^^xsd:decimal ; -. -qudt:UnitConversionGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "Conversion" ; - sh:order "60"^^xsd:decimal ; -. -qudt:UnitEquivalencePropertyGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "Equivalent Units" ; - sh:order "50"^^xsd:decimal ; -. -qudt:UnitPointsToAllExactMatchQuantityKindsConstraint - a sh:NodeShape ; - rdfs:isDefinedBy ; - sh:severity sh:Info ; - sh:sparql [ - a sh:SPARQLConstraint ; - rdfs:comment "Ensure that if a Unit hasQuantityKind A, and A qudt:exactMatch B, then the Unit hasQuantityKind B " ; - sh:message "Missing triple: {$this} qudt:hasQuantityKind {?qk2}, because {?qk} qudt:exactMatch {?qk2}" ; - sh:prefixes ; - sh:select """ -SELECT $this ?qk ?qk2 -WHERE { -$this qudt:hasQuantityKind ?qk . -?qk qudt:exactMatch ?qk2 . -FILTER NOT EXISTS {$this qudt:hasQuantityKind ?qk2} -} -""" ; - ] ; - sh:targetClass qudt:Unit ; -. -qudt:UnitReferencesPropertyGroup - a sh:PropertyGroup ; - rdfs:isDefinedBy ; - rdfs:label "References" ; - sh:order "20"^^xsd:decimal ; -. -qudt:UserQuantityKind-qudt_hasQuantityKind - rdfs:isDefinedBy ; - sh:group qudt:PropertiesGroup ; - sh:name "quantity kind" ; - sh:order "40"^^xsd:decimal ; -. -qudt:Verifiable-qudt_dbpediaMatch - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "90"^^xsd:decimal ; -. -qudt:Verifiable-qudt_informativeReference - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "84"^^xsd:decimal ; -. -qudt:Verifiable-qudt_isoNormativeReference - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "82"^^xsd:decimal ; -. -qudt:Verifiable-qudt_normativeReference - rdfs:isDefinedBy ; - sh:group qudt:IdentifiersAndDescriptionsPropertyGroup ; - sh:order "80"^^xsd:decimal ; -. -vaem:GMD_SHACLQUDTOVERLAY-SCHEMA - a vaem:GraphMetaData ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2020-04-20"^^xsd:date ; - dcterms:creator "Ralph Hodgson" ; - dcterms:description "

The QUDT, or \"Quantity, Unit, Dimension and Type\" schema defines the base classes properties, and restrictions used for modeling physical quantities, units of measure, and their dimensions in various measurement systems. This overlay graph provides additional properties that affect the display of entities in a user interface, as well as some SHACL rules.

"^^rdf:HTML ; - dcterms:modified "2023-10-19T10:35:35.930-04:00"^^xsd:dateTime ; - dcterms:rights """ - This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. - -THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. - """ ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "QUDT" ; - dcterms:title "QUDT SHACL Schema Overlay - Version 2.1.32" ; - vaem:graphName "qudtOverlay" ; - vaem:graphTitle "Quantities, Units, Dimensions and Types (QUDT) SHACL Schema Overlay - Version 2.1.32" ; - vaem:hasGraphRole vaem:SHACLSchemaOverlayGraph ; - vaem:hasOwner vaem:QUDT ; - vaem:hasSteward vaem:QUDT ; - vaem:intent "Specifies overlay properties and rules for the schema for quantities, units and dimensions. Types are defined in other schemas." ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_SCHEMA-SHACL-QUDT-OVERLAY-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/schema/qudt/" ; - vaem:namespacePrefix "qudt" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_SCHEMA-SHACL-QUDT-OVERLAY-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/schema/shacl/overlay/qudt"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:contributor ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:description ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:rights ; - vaem:usesNonImportedResource dcterms:source ; - vaem:usesNonImportedResource dcterms:subject ; - vaem:usesNonImportedResource dcterms:title ; - vaem:usesNonImportedResource voag:QUDT-Attribution ; - vaem:withAttributionTo voag:QUDT-Attribution ; - rdfs:isDefinedBy ; - rdfs:label "QUDT SHACL Schema Overlay Metadata Version 2.1.32" ; - owl:versionIRI ; -. diff --git a/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl deleted file mode 100644 index 6b47aec67..000000000 --- a/libraries/qudt/VOCAB_QUDT-CONSTANTS-v2.1.ttl +++ /dev/null @@ -1,6087 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/constant -# imports: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/vocab/unit - -@prefix constant: . -@prefix dc: . -@prefix dcterms: . -@prefix nist: . -@prefix oecc: . -@prefix org: . -@prefix owl: . -@prefix prov: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix sou: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-CONSTANTS ; - rdfs:label "QUDT VOCAB Physical Constants Release 2.1.32" ; - owl:imports ; - owl:imports ; - owl:versionIRI ; -. -qudt:PhysicsForums - a org:Organization ; - qudt:url "http://www.physicsforums.com"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Physics Forums" ; -. -constant:AlphaParticleElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "Alpha particle-electron mass ratio"@en ; - skos:closeMatch ; -. -constant:AlphaParticleMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleMass ; - rdfs:isDefinedBy ; - rdfs:label "Alpha particle mass"@en ; - skos:closeMatch ; -. -constant:AlphaParticleMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "alpha particle mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:AlphaParticleMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "Alpha particle mass energy equivalent in Me V"@en ; - skos:closeMatch ; -. -constant:AlphaParticleMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "alpha particle mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:AlphaParticleMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "alpha particle molar mass"@en ; - skos:closeMatch ; -. -constant:AlphaParticleProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AlphaParticleProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "alpha particle-proton mass ratio"@en ; - skos:closeMatch ; -. -constant:AngstromStar - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AngstromStar ; - rdfs:isDefinedBy ; - rdfs:label "Angstrom star"@en ; -. -constant:AtomicMassConstant - a qudt:PhysicalConstant ; - dcterms:description "The \"Atomic Mass Constant\" is one twelfth of the mass of an unbound atom of carbon-12 at rest and in its ground state."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_constant"^^xsd:anyURI ; - qudt:hasDimensionVector ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:latexSymbol "\\(m_u\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassConstant ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass constant"@en ; -. -constant:AtomicMassConstantEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass constant energy equivalent"@en ; - skos:closeMatch ; -. -constant:AtomicMassConstantEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassConstantEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass constant energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-hartree relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-hertz relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-inverse meter relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-joule relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-kelvin relationship"@en ; - skos:closeMatch ; -. -constant:AtomicMassUnitKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicMassUnitKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "atomic mass unit-kilogram relationship"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOf1stHyperpolarizablity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOf1stHyperpolarizability ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of 1st hyperpolarizablity"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOf2ndHyperpolarizablity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOf2ndHyperpolarizability ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of 2nd hyperpolarizablity"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfAction - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfAction ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of action"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfCharge - a qudt:PhysicalConstant ; - qudt:exactMatch constant:ElementaryCharge ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfCharge ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of charge"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfChargeDensity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfChargeDensity ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of charge density"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfCurrent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfCurrent ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of current"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricDipoleMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricDipoleMoment ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric dipole mom."@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricField - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricField ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric field"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricFieldGradient - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricFieldGradient ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric field gradient"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricPolarizablity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Polarizability ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricPolarizability ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric polarizablity"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricPotential - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricPotential ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric potential"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfElectricQuadrupoleMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfElectricQuadrupoleMoment ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of electric quadrupole moment"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfEnergy - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfEnergy ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of energy"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfForce - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfForce ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of force"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfLength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfLength ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of length"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfMagneticDipoleMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfMagneticDipoleMoment ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of magnetic dipole moment"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfMagneticFluxDensity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfMagneticFluxDensity ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of magnetic flux density"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfMagnetizability - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfMagnetizability ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of magnetizability"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfMass ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of mass"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfMomentum - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfMomentum ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of momentum"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfPermittivity - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfPermittivity ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of permittivity"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfTime - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfTime ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of time"@en ; - skos:closeMatch ; -. -constant:AtomicUnitOfVelocity - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AtomicUnitOfVelocity ; - rdfs:isDefinedBy ; - rdfs:label "atomic unit of velocity"@en ; - skos:closeMatch ; -. -constant:AvogadroConstant - a qudt:PhysicalConstant ; - dcterms:description "In chemistry and physics, the \"Avogadro Constant\" is defined as the ratio of the number of constituent particles N in a sample to the amount of substance n through the relationship NA = N/n. Thus, it is the proportionality factor that relates the molar mass of an entity, i.e. , the mass per amount of substance, to the mass of said entity."^^rdf:HTML ; - qudt:abbreviation "mole^{-1}" ; - qudt:applicableUnit unit:PER-MOL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Avogadro_constant"^^xsd:anyURI ; - qudt:hasDimensionVector ; - qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Avogadro_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = \\frac{N}{n}\\), where \\(N\\) is the number of particles and \\(n\\) is amount of substance."^^qudt:LatexString ; - qudt:latexSymbol "\\(L, N_A\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:quantityValue constant:Value_AvogadroConstant ; - rdfs:isDefinedBy ; - rdfs:label "Avogadro constant"@en ; -. -constant:BohrMagneton - a qudt:PhysicalConstant ; - dcterms:description "The \"Bohr Magneton\" is a physical constant and the natural unit for expressing an electron magnetic dipole moment."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-T ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_magneton"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_magneton"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_B = \\frac{e\\hbar}{2m_e}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_e\\) is the rest mass of electron."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrMagneton ; - rdfs:isDefinedBy ; - rdfs:label "Bohr Magneton"@en ; -. -constant:BohrMagnetonInEVPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrMagnetonInEVPerT ; - rdfs:isDefinedBy ; - rdfs:label "Bohr magneton in eV per T"@en ; - skos:closeMatch ; -. -constant:BohrMagnetonInHzPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrMagnetonInHzPerT ; - rdfs:isDefinedBy ; - rdfs:label "Bohr magneton in Hz perT"@en ; - skos:closeMatch ; -. -constant:BohrMagnetonInInverseMetersPerTesla - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticReluctivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrMagnetonInInverseMetersPerTesla ; - rdfs:isDefinedBy ; - rdfs:label "Bohr magneton in inverse meters per tesla"@en ; - skos:closeMatch ; -. -constant:BohrMagnetonInKPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrMagnetonInKPerT ; - rdfs:isDefinedBy ; - rdfs:label "Bohr magneton in K per T"@en ; - skos:closeMatch ; -. -constant:BohrRadius - a qudt:PhysicalConstant ; - dcterms:description "The Bohr radius is a physical constant, approximately equal to the most probable distance between the proton and electron in a hydrogen atom in its ground state. It is named after Niels Bohr, due to its role in the Bohr model of an atom. The precise definition of the Bohr radius is: where: is the permittivity of free space is the reduced Planck's constant is the electron rest mass is the elementary charge is the speed of light in vacuum is the fine structure constant. [Wikipedia]"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:applicableUnit unit:M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bohr_radius"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bohr_radius"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(a_0 = \\frac{4\\pi \\varepsilon_0 \\hbar^2}{m_ee^2}\\), where \\(\\varepsilon_0\\) is the electric constant, \\(\\hbar\\) is the reduced Planck constant, \\(m_e\\) is the rest mass of electron, and \\(e\\) is the elementary charge."^^qudt:LatexString ; - qudt:latexSymbol "\\(a_0\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BohrRadius ; - rdfs:isDefinedBy ; - rdfs:label "Bohr Radius"@en ; -. -constant:BoltzmannConstant - a qudt:PhysicalConstant ; - dcterms:description "The Boltzmann Constant (\\(k\\) or \\(kB\\)) is the physical constant relating energy at the individual particle level with temperature, which must necessarily be observed at the collective or bulk level. It is the gas constant \\(R\\) divided by the Avogadro constant \\(N_A\\): It has the same dimension as entropy. It is named after the Austrian physicist Ludwig Boltzmann."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Boltzmann_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Boltzmann_constant?oldid=495542430"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(k\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_BoltzmannConstant ; - qudt:ucumCode "[k]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Boltzmann Constant"@en ; -. -constant:BoltzmannConstantInEVPerK - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BoltzmannConstantInEVPerK ; - rdfs:isDefinedBy ; - rdfs:label "Boltzmann constant in eV per K"@en ; - skos:closeMatch ; -. -constant:BoltzmannConstantInHzPerK - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BoltzmannConstantInHzPerK ; - rdfs:isDefinedBy ; - rdfs:label "Boltzmann constant in Hz per K"@en ; - skos:closeMatch ; -. -constant:BoltzmannConstantInInverseMetersPerKelvin - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_BoltzmannConstantInInverseMetersPerKelvin ; - rdfs:isDefinedBy ; - rdfs:label "Boltzmann constant in inverse meters per kelvin"@en ; - skos:closeMatch ; -. -constant:CharacteristicImpedanceOfVacuum - a qudt:PhysicalConstant ; - dcterms:description "The impedance of free space, Z0, is a physical constant relating the magnitudes of the electric and magnetic fields of electromagnetic radiation travelling through free space. That is, Z0 = |E|/|H|, where |E| is the electric field strength and |H| magnetic field strength. It has an exact value, given approximately as 376.73031 ohms. The impedance of free space equals the product of the vacuum permeability or magnetic constant μ0 and the speed of light in vacuum c0. Since the numerical values of the magnetic constant and of the speed of light are fixed by the definitions of the ampere and the metre respectively, the exact value of the impedance of free space is likewise fixed by definition and is not subject to experimental error. [Wikipedia]"^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Impedance_of_free_space"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_CharacteristicImpedanceOfVacuum ; - rdfs:isDefinedBy ; - rdfs:label "characteristic impedance of vacuum"@en ; -. -constant:ClassicalElectronRadius - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Classical_electron_radius"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ClassicalElectronRadius ; - rdfs:isDefinedBy ; - rdfs:label "classical electron radius"@en ; -. -constant:ComptonWavelength - a qudt:PhysicalConstant ; - dcterms:description "The \"Compton Wavelength\" is a quantum mechanical property of a particle. It was introduced by Arthur Compton in his explanation of the scattering of photons by electrons (a process known as Compton scattering). The Compton wavelength of a particle is equivalent to the wavelength of a photon whose energy is the same as the rest-mass energy of the particle."^^rdf:HTML ; - qudt:applicableUnit unit:M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Compton_wavelength"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Compton_wavelength"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda_C = \\frac{h}{mc_0}\\), where \\(h\\) is the Planck constant, \\(m\\) is the rest mass of a particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda_C\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ComptonWavelength ; - rdfs:isDefinedBy ; - rdfs:label "Compton Wavelength"@en ; -. -constant:ComptonWavelengthOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ComptonWavelengthOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "Compton wavelength over 2 pi"@en ; - skos:closeMatch ; -. -constant:ConductanceQuantum - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Conductance_quantum"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ConductanceQuantum ; - rdfs:isDefinedBy ; - rdfs:label "conductance quantum"@en ; -. -constant:ConventionalValueOfJosephsonConstant - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ConventionalValueOfJosephsonConstant ; - rdfs:isDefinedBy ; - rdfs:label "conventional value of Josephson constant"@en ; - skos:closeMatch ; -. -constant:ConventionalValueOfVonKlitzingConstant - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ConventionalValueOfVonKlitzingConstant ; - rdfs:isDefinedBy ; - rdfs:label "conventional value of von Klitzing constant"@en ; - skos:closeMatch ; -. -constant:CuXUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_CuXUnit ; - rdfs:isDefinedBy ; - rdfs:label "Cu x unit"@en ; - skos:closeMatch ; -. -constant:DeuteronElectronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronElectronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron-electron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:DeuteronElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron-electron mass ratio"@en ; -. -constant:DeuteronGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronGFactor ; - rdfs:isDefinedBy ; - rdfs:label "deuteron g factor"@en ; - skos:closeMatch ; -. -constant:DeuteronMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "deuteron magnetic moment"@en ; - skos:closeMatch ; -. -constant:DeuteronMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:DeuteronMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:DeuteronMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMass ; - rdfs:isDefinedBy ; - rdfs:label "deuteron mass"@en ; -. -constant:DeuteronMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "deuteron mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:DeuteronMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "deuteron mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:DeuteronMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "deuteron mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:DeuteronMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "deuteron molar mass"@en ; -. -constant:DeuteronNeutronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronNeutronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron-neutron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:DeuteronProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron-proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:DeuteronProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "deuteron-proton mass ratio"@en ; -. -constant:DeuteronRmsChargeRadius - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_DeuteronRmsChargeRadius ; - rdfs:isDefinedBy ; - rdfs:label "deuteron rms charge radius"@en ; - skos:closeMatch ; -. -constant:ElectricConstant - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permittivity"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectricConstant ; - rdfs:isDefinedBy ; - rdfs:label "electric constant"@en ; -. -constant:ElectromagneticPermeabilityOfVacuum - a qudt:PhysicalConstant ; - dcterms:description "\\(\\textbf{Permeability of Vacuum}\\), also known as \\(\\textit{Magnetic Constant}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product wuth the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:H-PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:exactMatch constant:MagneticConstant ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Field magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,henry\\,per\\,metre\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_MagneticConstant ; - qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Permeability of Vacuum"@en ; -. -constant:ElectronChargeToMassQuotient - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronChargeToMassQuotient ; - rdfs:isDefinedBy ; - rdfs:label "electron charge to mass quotient"@en ; - skos:closeMatch ; -. -constant:ElectronDeuteronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronDeuteronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-deuteron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronDeuteronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronDeuteronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-deuteron mass ratio"@en ; -. -constant:ElectronGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronGFactor ; - rdfs:isDefinedBy ; - rdfs:label "electron g factor"@en ; - skos:closeMatch ; -. -constant:ElectronGyromagneticRatio - a qudt:PhysicalConstant ; - dcterms:description "The \"Electron Gyromagnetic Ratio\" An isolated electron has an angular momentum and a magnetic moment resulting from its spin. While an electron's spin is sometimes visualized as a literal rotation about an axis, it is in fact a fundamentally different, quantum-mechanical phenomenon with no true analogue in classical physics. Consequently, there is no reason to expect the above classical relation to hold."^^rdf:HTML ; - qudt:applicableUnit unit:A-M2-PER-J-SEC ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio#Gyromagnetic_ratio_for_an_isolated_electron"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\gamma_e J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma_e\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronGyromagneticRatio ; - rdfs:isDefinedBy ; - rdfs:label "Electron Gyromagnetic Ratio"@en ; - skos:closeMatch ; -. -constant:ElectronGyromagneticRatioOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronGyromagneticRatioOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "electron gyromagnetic ratio over 2 pi"@en ; - skos:closeMatch ; -. -constant:ElectronMagneticMoment - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_magnetic_dipole_moment"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "electron magnetic moment"@en ; -. -constant:ElectronMagneticMomentAnomaly - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMagneticMomentAnomaly ; - rdfs:isDefinedBy ; - rdfs:label "electron magnetic moment anomaly"@en ; - skos:closeMatch ; -. -constant:ElectronMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; - skos:closeMatch ; -. -constant:ElectronMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; - skos:closeMatch ; -. -constant:ElectronMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:latexSymbol "\\(m_e\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_ElectronMass ; - qudt:ucumCode "[m_e]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Electron Mass"@en ; - skos:closeMatch ; -. -constant:ElectronMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "electron mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:ElectronMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "electron mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:ElectronMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "electron mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:ElectronMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "electron molar mass"@en ; -. -constant:ElectronMuonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMuonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-muon magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronMuonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronMuonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-muon mass ratio"@en ; -. -constant:ElectronNeutronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronNeutronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-neutron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronNeutronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronNeutronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-neutron mass ratio"@en ; -. -constant:ElectronProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-proton mass ratio"@en ; -. -constant:ElectronTauMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronTauMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron-tau mass ratio"@en ; -. -constant:ElectronToAlphaParticleMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronToAlphaParticleMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron to alpha particle mass ratio"@en ; - skos:closeMatch ; -. -constant:ElectronToShieldedHelionMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronToShieldedHelionMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron to shielded helion magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronToShieldedProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronToShieldedProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "electron to shielded proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ElectronVoltAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-hartree relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-hertz relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-inverse meter relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-joule relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-kelvin relationship"@en ; - skos:closeMatch ; -. -constant:ElectronVoltKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElectronVoltKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "electron volt-kilogram relationship"@en ; - skos:closeMatch ; -. -constant:ElementaryCharge - a qudt:AtomicUnit ; - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Elementary_charge"^^xsd:anyURI ; - qudt:exactMatch constant:AtomicUnitOfCharge ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Elementary_charge"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Elementary Charge\" is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron." ; - qudt:quantityValue constant:Value_ElementaryCharge ; - qudt:symbol "e" ; - qudt:ucumCode "[e]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Elementary Charge"@en ; -. -constant:ElementaryChargeOverH - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ElementaryChargeOverH ; - rdfs:isDefinedBy ; - rdfs:label "elementary charge over h"@en ; - skos:closeMatch ; -. -constant:FaradayConstant - a qudt:PhysicalConstant ; - dcterms:description "The \"Faraday Constant\" is the magnitude of electric charge per mole of electrons."^^rdf:HTML ; - qudt:abbreviation "c mol^{-1}" ; - qudt:applicableUnit unit:C-PER-MOL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Faraday_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(F = N_A e\\), where \\(N_A\\) is the Avogadro constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; - qudt:latexSymbol "\\(F\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:quantityValue constant:Value_FaradayConstant ; - rdfs:isDefinedBy ; - rdfs:label "Faraday constant"@en ; -. -constant:FermiCouplingConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseSquareEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_FermiCouplingConstant ; - rdfs:isDefinedBy ; - rdfs:label "Fermi coupling constant"@en ; - skos:closeMatch ; -. -constant:FineStructureConstant - a qudt:PhysicalConstant ; - dcterms:description "The \"Fine-structure Constant\" is a fundamental physical constant, namely the coupling constant characterizing the strength of the electromagnetic interaction."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Fine-structure_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fine-structure_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(a = \\frac{e^2}{4\\pi\\varepsilon_0\\hbar c_0}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(\\hbar\\) is the reduced Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; - qudt:latexSymbol "\\(a\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_FineStructureConstant ; - rdfs:isDefinedBy ; - rdfs:label "Fine-Structure Constant"@en ; -. -constant:FirstRadiationConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:PowerArea ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_FirstRadiationConstant ; - rdfs:isDefinedBy ; - rdfs:label "first radiation constant"@en ; -. -constant:FirstRadiationConstantForSpectralRadiance - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_FirstRadiationConstantForSpectralRadiance ; - rdfs:isDefinedBy ; - rdfs:label "first radiation constant for spectral radiance"@en ; -. -constant:GravitationalConstant - a qudt:PhysicalConstant ; - dcterms:description "The gravitational constant (also known as the universal gravitational constant, the Newtonian constant of gravitation, or the Cavendish gravitational constant), denoted by the letter G, is an empirical physical constant involved in the calculation of gravitational effects in Sir Isaac Newton's law of universal gravitation and in Albert Einstein's general theory of relativity. (Wikipedia)"^^rdf:HTML ; - qudt:applicableUnit unit:N-M2-PER-KiloGM2 ; - qudt:hasQuantityKind quantitykind:GravitationalAttraction ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; - qudt:quantityValue constant:Value_GravitationalConstant ; - qudt:ucumCode "[G]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Gravitational constant"@en ; -. -constant:HartreeAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:HartreeElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:HartreeEnergy - a qudt:AtomicUnit ; - a qudt:PhysicalConstant ; - dcterms:description "Hartree Energy (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\textit{Hartree}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18\" J = 27.21138386(68) eV\\)."^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(E_H= \\frac{e^2}{4\\pi \\varepsilon_0 a_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius."^^qudt:LatexString ; - qudt:latexSymbol "\\(E_h\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_HartreeEnergy ; - rdfs:isDefinedBy ; - rdfs:label "Hartree Energy"@en ; -. -constant:HartreeEnergyInEV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeEnergyInEV ; - rdfs:isDefinedBy ; - rdfs:label "Hartree energy in eV"@en ; - skos:closeMatch ; -. -constant:HartreeHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-hertz relationship"@en ; -. -constant:HartreeInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-inverse meter relationship"@en ; -. -constant:HartreeJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-joule relationship"@en ; -. -constant:HartreeKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-kelvin relationship"@en ; -. -constant:HartreeKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HartreeKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hartree-kilogram relationship"@en ; -. -constant:HelionElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "helion-electron mass ratio"@en ; -. -constant:HelionMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionMass ; - rdfs:isDefinedBy ; - rdfs:label "helion mass"@en ; -. -constant:HelionMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "helion mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:HelionMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "helion mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:HelionMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "helion mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:HelionMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "helion molar mass"@en ; -. -constant:HelionProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HelionProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "helion-proton mass ratio"@en ; -. -constant:HertzAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:HertzElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:HertzHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-hartree relationship"@en ; -. -constant:HertzInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-inverse meter relationship"@en ; -. -constant:HertzJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-joule relationship"@en ; -. -constant:HertzKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-kelvin relationship"@en ; -. -constant:HertzKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_HertzKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "hertz-kilogram relationship"@en ; -. -constant:InverseFineStructureConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseFineStructureConstant ; - rdfs:isDefinedBy ; - rdfs:label "inverse fine-structure constant"@en ; - skos:closeMatch ; -. -constant:InverseMeterAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:InverseMeterElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:InverseMeterHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-hartree relationship"@en ; -. -constant:InverseMeterHertzRelationship - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-hertz relationship"@en ; -. -constant:InverseMeterJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-joule relationship"@en ; -. -constant:InverseMeterKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-kelvin relationship"@en ; -. -constant:InverseMeterKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseMeterKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "inverse meter-kilogram relationship"@en ; -. -constant:InverseOfConductanceQuantum - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_InverseOfConductanceQuantum ; - rdfs:isDefinedBy ; - rdfs:label "inverse of conductance quantum"@en ; - skos:closeMatch ; -. -constant:JosephsonConstant - a qudt:PhysicalConstant ; - qudt:applicableUnit unit:PER-WB ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(K_J = \\frac{1}{\\Phi_0}\\), where \\(\\Phi_0\\) is the magnetic flux quantum."^^qudt:LatexString ; - qudt:latexSymbol "\\(K_J\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JosephsonConstant ; - rdfs:isDefinedBy ; - rdfs:label "Josephson Constant"@en ; - skos:closeMatch quantitykind:MagneticFluxQuantum ; -. -constant:JouleAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:JouleElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:JouleHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-hartree relationship"@en ; -. -constant:JouleHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-hertz relationship"@en ; -. -constant:JouleInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-inverse meter relationship"@en ; -. -constant:JouleKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-kelvin relationship"@en ; -. -constant:JouleKilogramRelationship - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_JouleKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "joule-kilogram relationship"@en ; -. -constant:KelvinAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:KelvinElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:KelvinHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-hartree relationship"@en ; -. -constant:KelvinHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-hertz relationship"@en ; -. -constant:KelvinInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-inverse meter relationship"@en ; -. -constant:KelvinJouleRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-joule relationship"@en ; -. -constant:KelvinKilogramRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KelvinKilogramRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kelvin-kilogram relationship"@en ; -. -constant:KilogramAtomicMassUnitRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramAtomicMassUnitRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-atomic mass unit relationship"@en ; - skos:closeMatch ; -. -constant:KilogramElectronVoltRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramElectronVoltRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-electron volt relationship"@en ; - skos:closeMatch ; -. -constant:KilogramHartreeRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramHartreeRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-hartree relationship"@en ; -. -constant:KilogramHertzRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramHertzRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-hertz relationship"@en ; -. -constant:KilogramInverseMeterRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramInverseMeterRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-inverse meter relationship"@en ; -. -constant:KilogramJouleRelationship - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramJouleRelationship ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram-Joule Relationship"@en ; -. -constant:KilogramKelvinRelationship - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_KilogramKelvinRelationship ; - rdfs:isDefinedBy ; - rdfs:label "kilogram-kelvin relationship"@en ; -. -constant:LatticeParameterOfSilicon - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_LatticeParameterOfSilicon ; - rdfs:isDefinedBy ; - rdfs:label "lattice parameter of silicon"@en ; -. -constant:LatticeSpacingOfSilicon - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_LatticeSpacingOfSilicon ; - rdfs:isDefinedBy ; - rdfs:label "lattice spacing of silicon"@en ; -. - - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_LoschmidtConstant ; - rdfs:isDefinedBy ; - rdfs:label "Loschmidt constant 273.15 K 101.325 kPa"@en ; - skos:closeMatch ; -. -constant:MagneticConstant - a qudt:PhysicalConstant ; - dcterms:description "\\(\\textbf{Magentic Constant}\\), also known as \\(\\textit{Permeability of Vacuum}\\), is a scalar constant \\(\\mu_0\\) such that, in a vacuum the product with the magnetic field vector, \\(\\overrightarrow{H}\\) is equal to the magnetic flux density vector, \\(\\overrightarrow{B}\\)."^^rdf:HTML ; - qudt:abbreviation "magnetic-constant" ; - qudt:applicableUnit unit:H-PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Vacuum_permeability"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:exactMatch constant:ElectromagneticPermeabilityOfVacuum ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=705-03-14"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_0 = \\frac{\\overrightarrow{B}}{\\overrightarrow{H}}\\), where \\(\\overrightarrow{B}\\) is the B-Filed magnetic vector, and \\(\\overrightarrow{H}\\) is the H-Filed magnetic vector. The value of \\(\\mu_0\\) is \\(\\approx 1.256637e-6\\,H/M\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_0\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_MagneticConstant ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Constant"@en ; -. -constant:MagneticFluxQuantum - a qudt:PhysicalConstant ; - dcterms:description "\"Magnetic Flux Quantum\" is the quantum of magnetic flux passing through a superconductor."^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux_quantum"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_flux_quantum"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Phi_0 = \\frac{h}{2e}\\), where \\(h\\) is the Planck constant and \\(e\\) is the elementary charge."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Phi_0\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MagneticFluxQuantum ; - rdfs:isDefinedBy ; - rdfs:label "magnetic flux quantum"@en ; -. -constant:MoXUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MoXUnit ; - rdfs:isDefinedBy ; - rdfs:label "Mo x unit"@en ; - skos:closeMatch ; -. -constant:MolarGasConstant - a qudt:PhysicalConstant ; - dcterms:description "The \"Molar Gas Constant\" (also known as the gas constant, universal, or ideal gas constant, denoted by the symbol R) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. It is equivalent to the Boltzmann constant, but expressed in units of energy (i.e. the pressure-volume product) per temperature increment per mole (rather than energy per temperature increment per particle)."^^rdf:HTML ; - qudt:abbreviation "j-mol^{-1}-k^{-1}" ; - qudt:applicableUnit unit:J-PER-MOL-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gas_constant"^^xsd:anyURI ; - qudt:exactMatch constant:UniversalGasConstant ; - qudt:hasDimensionVector ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gas_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(pV_m = RT\\), where \\(p\\) is pressure, \\(V_m\\) is molar volume, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarGasConstant ; - rdfs:isDefinedBy ; - rdfs:label "molar gas constant"@en ; -. -constant:MolarMassConstant - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass_constant"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarMassConstant ; - rdfs:isDefinedBy ; - rdfs:label "molar mass constant"@en ; -. -constant:MolarMassOfCarbon12 - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarMassOfCarbon12 ; - rdfs:isDefinedBy ; - rdfs:label "molar mass of carbon-12"@en ; -. -constant:MolarPlanckConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarPlanckConstant ; - rdfs:isDefinedBy ; - rdfs:label "molar Planck constant"@en ; - skos:closeMatch ; -. -constant:MolarPlanckConstantTimesC - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarPlanckConstantTimesC ; - rdfs:isDefinedBy ; - rdfs:label "molar Planck constant times c"@en ; - skos:closeMatch ; -. - - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; - rdfs:isDefinedBy ; - rdfs:label "molar volume of ideal gas 273.15 K 100 kPa"@en ; -. - - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarVolumeOfIdealGas ; - rdfs:isDefinedBy ; - rdfs:label "molar volume of ideal gas 273.15 K 101.325 kPa"@en ; -. -constant:MolarVolumeOfSilicon - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MolarVolumeOfSilicon ; - rdfs:isDefinedBy ; - rdfs:label "molar volume of silicon"@en ; -. -constant:MuonComptonWavelength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonComptonWavelength ; - rdfs:isDefinedBy ; - rdfs:label "muon Compton wavelength"@en ; - skos:closeMatch ; -. -constant:MuonComptonWavelengthOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonComptonWavelengthOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "muon Compton wavelength over 2 pi"@en ; - skos:closeMatch ; -. -constant:MuonElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon-electron mass ratio"@en ; -. -constant:MuonGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonGFactor ; - rdfs:isDefinedBy ; - rdfs:label "muon g factor"@en ; - skos:closeMatch ; -. -constant:MuonMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "muon magnetic moment"@en ; - skos:closeMatch ; -. -constant:MuonMagneticMomentAnomaly - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMagneticMomentAnomaly ; - rdfs:isDefinedBy ; - rdfs:label "muon magnetic moment anomaly"@en ; - skos:closeMatch ; -. -constant:MuonMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:MuonMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:MuonMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMass ; - rdfs:isDefinedBy ; - rdfs:label "muon mass"@en ; -. -constant:MuonMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "muon mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:MuonMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "muon mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:MuonMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "muon mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:MuonMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "muon molar mass"@en ; -. -constant:MuonNeutronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonNeutronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon-neutron mass ratio"@en ; -. -constant:MuonProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon-proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:MuonProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon-proton mass ratio"@en ; -. -constant:MuonTauMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_MuonTauMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "muon-tau mass ratio"@en ; -. -constant:NaturalUnitOfAction - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfAction ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of action"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfActionInEVS - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfActionInEVS ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of action in eV s"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfEnergy - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfEnergy ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of energy"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfEnergyInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfEnergyInMeV ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of energy in MeV"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfLength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfLength ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of length"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfMass ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of mass"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfMomentum - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfMomentum ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of momentum"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfMomentumInMeV-PER-c - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfMomentumInMeVPerC ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of momentum in MeV PER c"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfTime - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfTime ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of time"@en ; - skos:closeMatch ; -. -constant:NaturalUnitOfVelocity - a qudt:PhysicalConstant ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NaturalUnitOfVelocity ; - rdfs:isDefinedBy ; - rdfs:label "natural unit of velocity"@en ; - skos:closeMatch ; -. -constant:NeutronComptonWavelength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronComptonWavelength ; - rdfs:isDefinedBy ; - rdfs:label "neutron Compton wavelength"@en ; - skos:closeMatch ; -. -constant:NeutronComptonWavelengthOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronComptonWavelengthOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "neutron Compton wavelength over 2 pi"@en ; - skos:closeMatch ; -. -constant:NeutronElectronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronElectronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-electron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:NeutronElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-electron mass ratio"@en ; -. -constant:NeutronGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronGFactor ; - rdfs:isDefinedBy ; - rdfs:label "neutron g factor"@en ; - skos:closeMatch ; -. -constant:NeutronGyromagneticRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronGyromagneticRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron gyromagnetic ratio"@en ; - skos:closeMatch ; -. -constant:NeutronGyromagneticRatioOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronGyromagneticRatioOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "neutron gyromagnetic ratio over 2 pi"@en ; - skos:closeMatch ; -. -constant:NeutronMagneticMoment - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Neutron_magnetic_moment"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "neutron magnetic moment"@en ; -. -constant:NeutronMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; - skos:closeMatch ; -. -constant:NeutronMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; - skos:closeMatch ; -. -constant:NeutronMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMass ; - rdfs:isDefinedBy ; - rdfs:label "neutron mass"@en ; - skos:closeMatch ; -. -constant:NeutronMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "neutron mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:NeutronMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "neutron mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:NeutronMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "neutron mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:NeutronMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "neutron molar mass"@en ; -. -constant:NeutronMuonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronMuonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-muon mass ratio"@en ; -. -constant:NeutronProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:NeutronProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-proton mass ratio"@en ; -. -constant:NeutronTauMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronTauMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron-tau mass ratio"@en ; -. -constant:NeutronToShieldedProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NeutronToShieldedProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "neutron to shielded proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:NewtonianConstantOfGravitation - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gravitational_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:GravitationalAttraction ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NewtonianConstantOfGravitation ; - rdfs:isDefinedBy ; - rdfs:label "Newtonian constant of gravitation"@en ; -. -constant:NuclearMagneton - a qudt:PhysicalConstant ; - dcterms:description "The \"Nuclear Magneton\" is the natural unit for expressing magnetic dipole moments of heavy particles such as nucleons and atomic nuclei."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-T ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nuclear_magneton"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_magneton"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_N = \\frac{e\\hbar}{2m_p}\\), where \\(e\\) is the elementary charge, \\(\\hbar\\) is the Planck constant, and \\(m_p\\) is the rest mass of proton."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_N\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NuclearMagneton ; - rdfs:isDefinedBy ; - rdfs:label "Nuclear Magneton"@en ; - skos:related quantitykind:BohrMagneton ; -. -constant:NuclearMagnetonInEVPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NuclearMagnetonInEVPerT ; - rdfs:isDefinedBy ; - rdfs:label "nuclear magneton in eV per T"@en ; - skos:closeMatch ; -. -constant:NuclearMagnetonInInverseMetersPerTesla - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticReluctivity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NuclearMagnetonInInverseMetersPerTesla ; - rdfs:isDefinedBy ; - rdfs:label "nuclear magneton in inverse meters per tesla"@en ; - skos:closeMatch ; -. -constant:NuclearMagnetonInKPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NuclearMagnetonInKPerT ; - rdfs:isDefinedBy ; - rdfs:label "nuclear magneton in K per T"@en ; - skos:closeMatch ; -. -constant:NuclearMagnetonInMHzPerT - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_NuclearMagnetonInMHzPerT ; - rdfs:isDefinedBy ; - rdfs:label "nuclear magneton in MHz per T"@en ; - skos:closeMatch ; -. -constant:PermittivityOfVacuum - a qudt:PhysicalConstant ; - dcterms:description "\\(\\textbf{Permittivity of Vacuum}\\), also known as the \\(\\textit{electric constant}\\) is a constant whose value is \\(\\approx\\,6.854188e-12\\, farad\\,per\\,metre\\). Sometimes also referred to as the \\(textit{Permittivity of Free Space}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:FARAD-PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\epsilon = \\frac{\\mathbf{D}}{\\mathbf{E}}\\), where \\(\\mathbf{D}\\) is electric flux density and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\epsilon_0\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_PermittivityOfVacuum ; - qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Permittivity of Vacuum"@en ; - rdfs:seeAlso quantitykind:ElectricFieldStrength ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; - rdfs:seeAlso quantitykind:Permittivity ; -. -constant:Pi - a qudt:PhysicalConstant ; - dcterms:description "The constant \\(\\pi\\) is the ratio of a circle's circumference to its diameter, commonly approximated as 3.14159."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pi"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\pi = \\frac{C}{d}\\), where \\(C\\) is the circumference of a circle and \\(d\\) is the diameter of a circle."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\pi\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_Pi ; - rdfs:isDefinedBy ; - rdfs:label "Pi"@en ; -. -constant:PlanckConstant - a qudt:PhysicalConstant ; - dcterms:description "The \"Planck Constant\" is a physical constant that is the quantum of action in quantum mechanics. The Planck constant was first described as the proportionality constant between the energy (\\(E\\)) of a photon and the frequency (\\(\\nu\\)) of its associated electromagnetic wave."^^qudt:LatexString ; - qudt:applicableUnit unit:J-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_constant"^^xsd:anyURI ; - qudt:hasDimensionVector ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = h\\nu = \\frac{hc}{\\lambda}\\), where \\(E\\) is energy, \\(\\nu\\) is frequency, \\(\\lambda\\) is wavelength, and \\(c\\) is the speed of light."^^qudt:LatexString ; - qudt:latexSymbol "\\(h\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_PlanckConstant ; - qudt:ucumCode "[h]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Planck Constant"@en ; -. -constant:PlanckConstantInEVS - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckConstantInEVS ; - rdfs:isDefinedBy ; - rdfs:label "Planck constant in eV s"@en ; - skos:closeMatch ; -. -constant:PlanckConstantOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "Planck constant over 2 pi"@en ; - skos:closeMatch ; -. -constant:PlanckConstantOver2PiInEVS - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckConstantOver2PiInEVS ; - rdfs:isDefinedBy ; - rdfs:label "Planck constant over 2 pi in eV s"@en ; - skos:closeMatch ; -. -constant:PlanckConstantOver2PiTimesCInMeVFm - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LengthEnergy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckConstantOver2PiTimesCInMeVFm ; - rdfs:isDefinedBy ; - rdfs:label "Planck constant over 2 pi times c in MeV fm"@en ; - skos:closeMatch ; -. -constant:PlanckLength - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckLength ; - rdfs:isDefinedBy ; - rdfs:label "Planck length"@en ; -. -constant:PlanckMass - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckMass ; - rdfs:isDefinedBy ; - rdfs:label "Planck mass"@en ; -. -constant:PlanckMassEnergyEquivalentInGeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckMassEnergyEquivalentInGeV ; - rdfs:isDefinedBy ; - rdfs:label "Planck mass energy equivalent in GeV"@en ; - skos:closeMatch ; -. -constant:PlanckTemperature - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_temperature"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckTemperature ; - rdfs:isDefinedBy ; - rdfs:label "Planck temperature"@en ; -. -constant:PlanckTime - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_PlanckTime ; - rdfs:isDefinedBy ; - rdfs:label "Planck time"@en ; -. -constant:ProtonChargeToMassQuotient - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonChargeToMassQuotient ; - rdfs:isDefinedBy ; - rdfs:label "proton charge to mass quotient"@en ; - skos:closeMatch ; -. -constant:ProtonComptonWavelength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonComptonWavelength ; - rdfs:isDefinedBy ; - rdfs:label "proton Compton wavelength"@en ; - skos:closeMatch ; -. -constant:ProtonComptonWavelengthOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonComptonWavelengthOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "proton Compton wavelength over 2 pi"@en ; - skos:closeMatch ; -. -constant:ProtonElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton-electron mass ratio"@en ; -. -constant:ProtonGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonGFactor ; - rdfs:isDefinedBy ; - rdfs:label "proton g factor"@en ; - skos:closeMatch ; -. -constant:ProtonGyromagneticRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonGyromagneticRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton gyromagnetic ratio"@en ; - skos:closeMatch ; -. -constant:ProtonGyromagneticRatioOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonGyromagneticRatioOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "proton gyromagnetic ratio over 2 pi"@en ; - skos:closeMatch ; -. -constant:ProtonMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "proton magnetic moment"@en ; - skos:closeMatch ; -. -constant:ProtonMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:ProtonMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:ProtonMagneticShieldingCorrection - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMagneticShieldingCorrection ; - rdfs:isDefinedBy ; - rdfs:label "proton mag. shielding correction"@en ; -. -constant:ProtonMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMass ; - qudt:ucumCode "[m_p]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "proton mass"@en ; - skos:closeMatch ; -. -constant:ProtonMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "proton mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:ProtonMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "proton mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:ProtonMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "proton mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:ProtonMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "proton molar mass"@en ; -. -constant:ProtonMuonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonMuonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton-muon mass ratio"@en ; -. -constant:ProtonNeutronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonNeutronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton-neutron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ProtonNeutronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonNeutronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton-neutron mass ratio"@en ; -. -constant:ProtonRmsChargeRadius - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonRmsChargeRadius ; - rdfs:isDefinedBy ; - rdfs:label "proton rms charge radius"@en ; - skos:closeMatch ; -. -constant:ProtonTauMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ProtonTauMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "proton-tau mass ratio"@en ; -. -constant:QuantumOfCirculation - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Circulation ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_QuantumOfCirculation ; - rdfs:isDefinedBy ; - rdfs:label "quantum of circulation"@en ; - skos:closeMatch ; -. -constant:QuantumOfCirculationTimes2 - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Circulation ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_QuantumOfCirculationTimes2 ; - rdfs:isDefinedBy ; - rdfs:label "quantum of circulation times 2"@en ; - skos:closeMatch ; -. -constant:ReducedPlanckConstant - a qudt:PhysicalConstant ; - dcterms:description "\"The \\(\\textit{Reduced Planck Constant}\\), or \\(\\textit{Dirac Constant}\\), is used in applications where frequency is expressed in terms of radians per second (\\(\\textit{angular frequency}\\)) instead of cycles per second. In such cases a factor of \\(\\(2\\pi\\) is absorbed into the constant.\"^^qudt:LatexString"^^rdf:HTML ; - qudt:applicableUnit unit:J-SEC ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\hbar = \\frac{h}{2\\pi}\\), where \\(h\\) is the Planck constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\hbar\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_PlanckConstantOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "Reduced Planck Constant"@en ; - skos:broader constant:PlanckConstant ; -. -constant:RydbergConstant - a qudt:PhysicalConstant ; - dcterms:description "The Rydberg constant, symbol R, named after the Swedish physicist Johannes Rydberg, is a physical constant relating to atomic spectra, in the science of spectroscopy. The constant first arose as an empirical fitting parameter in the Rydberg formula for the hydrogen spectral series, but Niels Bohr later showed that its value could be calculated from more fundamental constants, explaining the relationship via his 'Bohr model'. The quantity \\(R_y = R_\\infty \\cdot hc_0\\) is called \"Rydberg Energy\"."^^rdf:HTML ; - qudt:applicableUnit unit:PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Rydberg_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rydberg_constant"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(R_\\infty = \\frac{e^2}{8\\pi \\varepsilon_0 a_0 h c_0 }\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, \\(a_0\\)is the Bohr radius, \\(\\h\\) is the Planck constant, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\(R_\\infty\\)\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:quantityValue constant:Value_RydbergConstant ; - rdfs:isDefinedBy ; - rdfs:label "Rydberg constant"@en ; -. -constant:RydbergConstantTimesCInHz - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_RydbergConstantTimesCInHz ; - rdfs:isDefinedBy ; - rdfs:label "Rydberg constant times c in Hz"@en ; - skos:closeMatch ; -. -constant:RydbergConstantTimesHcInEV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_RydbergConstantTimesHcInEV ; - rdfs:isDefinedBy ; - rdfs:label "Rydberg constant times hc in eV"@en ; - skos:closeMatch ; -. -constant:RydbergConstantTimesHcInJ - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_RydbergConstantTimesHcInJ ; - rdfs:isDefinedBy ; - rdfs:label "Rydberg constant times hc in J"@en ; - skos:closeMatch ; -. -constant:SackurTetrodeConstant1K100KPa - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_SackurTetrodeConstant1K100KPa ; - rdfs:isDefinedBy ; - rdfs:label "Sackur-Tetrode constant 1 K 100 kPa"@en ; -. - - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue ; - rdfs:isDefinedBy ; - rdfs:label "Sackur-Tetrode constant 1 K 101.325 kPa"@en ; -. -constant:SecondRadiationConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LengthTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_SecondRadiationConstant ; - rdfs:isDefinedBy ; - rdfs:label "second radiation constant"@en ; -. -constant:ShieldedHelionGyromagneticRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion gyromagnetic ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionGyromagneticRatioOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionGyromagneticRatioOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion gyromagnetic ratio over 2 pi"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion magnetic moment"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionToProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionToProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion to proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedHelionToShieldedProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded helion to shielded proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedProtonGyromagneticRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded proton gyromagnetic ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedProtonGyromagneticRatioOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:GyromagneticRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedProtonGyromagneticRatioOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "shielded proton gyromagnetic ratio over 2 pi"@en ; - skos:closeMatch ; -. -constant:ShieldedProtonMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedProtonMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "shielded proton magnetic moment"@en ; - skos:closeMatch ; -. -constant:ShieldedProtonMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded proton magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:ShieldedProtonMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "shielded proton magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:SpeedOfLight_Vacuum - a qudt:PhysicalConstant ; - dcterms:description "The speed of light in vacuum, commonly is a universal physical constant important in many areas of physics. Its value is 299,792,458 metres per second, a figure that is exact because the length of the metre is defined from this constant and the international standard for time."^^rdf:HTML ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:informativeReference "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_light"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(c_0 = 1 / \\sqrt{\\epsilon_0 \\mu_0}\\), where {\\epsilon_0} is the permittivity of vacuum, and \\(\\mu_0\\) is the magnetic constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(C_0\\)"^^qudt:LatexString ; - qudt:quantityValue constant:Value_SpeedOfLight_Vacuum ; - qudt:quantityValue constant:Value_SpeedOfLight_Vacuum_Imperial ; - qudt:ucumCode "[c]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Speed of Light (vacuum)"@en ; - rdfs:seeAlso constant:MagneticConstant ; - rdfs:seeAlso constant:PermittivityOfVacuum ; -. -constant:StandardAccelerationOfGravity - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravity"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_StandardAccelerationOfGravity ; - rdfs:isDefinedBy ; - rdfs:label "standard acceleration of gravity"@en ; -. -constant:StandardAtmosphere - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_atmosphere"^^xsd:anyURI ; - qudt:exactConstant true ; - qudt:hasQuantityKind quantitykind:Pressure ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_StandardAtmosphere ; - rdfs:isDefinedBy ; - rdfs:label "standard atmosphere"@en ; -. -constant:StefanBoltzmannConstant - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Stefan%E2%80%93Boltzmann_constant"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_StefanBoltzmannConstant ; - rdfs:isDefinedBy ; - rdfs:label "Stefan-Boltzmann Constant"@en ; -. -constant:TauComptonWavelength - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauComptonWavelength ; - rdfs:isDefinedBy ; - rdfs:label "tau Compton wavelength"@en ; - skos:closeMatch ; -. -constant:TauComptonWavelengthOver2Pi - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauComptonWavelengthOver2Pi ; - rdfs:isDefinedBy ; - rdfs:label "tau Compton wavelength over 2 pi"@en ; - skos:closeMatch ; -. -constant:TauElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "tau-electron mass ratio"@en ; -. -constant:TauMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMass ; - rdfs:isDefinedBy ; - rdfs:label "tau mass"@en ; -. -constant:TauMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "tau mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:TauMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "tau mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:TauMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "tau mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:TauMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "tau molar mass"@en ; -. -constant:TauMuonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauMuonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "tau-muon mass ratio"@en ; -. -constant:TauNeutronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauNeutronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "tau-neutron mass ratio"@en ; -. -constant:TauProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TauProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "tau-proton mass ratio"@en ; -. -constant:ThomsonCrossSection - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thomson_scattering"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_ThomsonCrossSection ; - rdfs:isDefinedBy ; - rdfs:label "Thomson cross section"@en ; -. -constant:TritonElectronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonElectronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton-electron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:TritonElectronMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonElectronMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton-electron mass ratio"@en ; -. -constant:TritonGFactor - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonGFactor ; - rdfs:isDefinedBy ; - rdfs:label "triton g factor"@en ; - skos:closeMatch ; -. -constant:TritonMagneticMoment - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMagneticMoment ; - rdfs:isDefinedBy ; - rdfs:label "triton magnetic moment"@en ; - skos:closeMatch ; -. -constant:TritonMagneticMomentToBohrMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMagneticMomentToBohrMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton magnetic moment to Bohr magneton ratio"@en ; - skos:closeMatch ; -. -constant:TritonMagneticMomentToNuclearMagnetonRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMagneticMomentToNuclearMagnetonRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton magnetic moment to nuclear magneton ratio"@en ; - skos:closeMatch ; -. -constant:TritonMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMass ; - rdfs:isDefinedBy ; - rdfs:label "triton mass"@en ; -. -constant:TritonMassEnergyEquivalent - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMassEnergyEquivalent ; - rdfs:isDefinedBy ; - rdfs:label "triton mass energy equivalent"@en ; - skos:closeMatch ; -. -constant:TritonMassEnergyEquivalentInMeV - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMassEnergyEquivalentInMeV ; - rdfs:isDefinedBy ; - rdfs:label "triton mass energy equivalent in MeV"@en ; - skos:closeMatch ; -. -constant:TritonMassInAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMassInAtomicMassUnit ; - rdfs:isDefinedBy ; - rdfs:label "triton mass in atomic mass unit"@en ; - skos:closeMatch ; -. -constant:TritonMolarMass - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonMolarMass ; - rdfs:isDefinedBy ; - rdfs:label "triton molar mass"@en ; -. -constant:TritonNeutronMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonNeutronMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton-neutron magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:TritonProtonMagneticMomentRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonProtonMagneticMomentRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton-proton magnetic moment ratio"@en ; - skos:closeMatch ; -. -constant:TritonProtonMassRatio - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_TritonProtonMassRatio ; - rdfs:isDefinedBy ; - rdfs:label "triton-proton mass ratio"@en ; -. -constant:UnifiedAtomicMassUnit - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_UnifiedAtomicMassUnit ; - qudt:ucumCode "u"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "unified atomic mass unit"@en ; -. -constant:UniversalGasConstant - a qudt:PhysicalConstant ; - qudt:exactMatch constant:MolarGasConstant ; - qudt:hasDimensionVector ; - qudt:latexSymbol "\\(R\\)"^^qudt:LatexString ; - qudt:plainTextDescription """The gas constant (also known as the molar, universal, or ideal gas constant) is a physical constant which is featured in many fundamental equations in the physical sciences, such as the ideal gas law and the Nernst equation. -Physically, the gas constant is the constant of proportionality that happens to relate the energy scale in physics to the temperature scale, when a mole of particles at the stated temperature is being considered.""" ; - qudt:quantityValue constant:Value_MolarGasConstant ; - rdfs:isDefinedBy ; - rdfs:label "Universal Gas Constant"@en ; -. -constant:Value_AlphaParticleElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000031"^^xsd:double ; - qudt:value "7294.299537"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsme#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle-electron mass ratio" ; -. -constant:Value_AlphaParticleMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:relativeStandardUncertainty 5.0e-8 ; - qudt:standardUncertainty 0.00000033e-27 ; - qudt:value 6.64465620e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mal#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle mass" ; -. -constant:Value_AlphaParticleMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000030e-10 ; - qudt:value 5.97191917e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle mass energy equivalent" ; -. -constant:Value_AlphaParticleMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000093"^^xsd:double ; - qudt:value "3727.379109"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle mass energy equivalent in MeV" ; -. -constant:Value_AlphaParticleMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000000062"^^xsd:double ; - qudt:value "4.001506179127"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malu#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle mass in atomic mass unit" ; -. -constant:Value_AlphaParticleMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000062e-3 ; - qudt:value 4.001506179127e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmal#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle molar mass" ; -. -constant:Value_AlphaParticleProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000041"^^xsd:double ; - qudt:value "3.97259968951"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?malsmp#mid"^^xsd:anyURI ; - rdfs:label "Value for alpha particle-proton mass ratio" ; -. -constant:Value_AngstromStar - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000090e-10 ; - qudt:value 1.00001498e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?angstar#mid"^^xsd:anyURI ; - rdfs:label "Value for Angstrom star" ; -. -constant:Value_AtomicMassConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000083e-27 ; - qudt:value 1.660538782e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?u#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass constant" ; -. -constant:Value_AtomicMassConstantEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000074e-10 ; - qudt:value 1.492417830e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tuj#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass constant energy equivalent" ; -. -constant:Value_AtomicMassConstantEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000023"^^xsd:double ; - qudt:value "931.494028"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass constant energy equivalent in MeV" ; -. -constant:Value_AtomicMassUnitElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000023e6 ; - qudt:value 931.494028e6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uev#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-electron volt relationship" ; -. -constant:Value_AtomicMassUnitHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000049e7 ; - qudt:value 3.4231777149e7 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhr#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-hartree relationship" ; -. -constant:Value_AtomicMassUnitHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000032e23 ; - qudt:value 2.2523427369e23 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uhz#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-hertz relationship" ; -. -constant:Value_AtomicMassUnitInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000011e14 ; - qudt:value 7.513006671e14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uminv#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-inverse meter relationship" ; -. -constant:Value_AtomicMassUnitJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000074e-10 ; - qudt:value 1.492417830e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uj#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-joule relationship" ; -. -constant:Value_AtomicMassUnitKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000019e13 ; - qudt:value 1.0809527e13 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?uk#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-kelvin relationship" ; -. -constant:Value_AtomicMassUnitKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000083e-27 ; - qudt:value 1.660538782e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ukg#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic mass unit-kilogram relationship" ; -. -constant:Value_AtomicUnitOf1stHyperpolarizability - a qudt:ConstantValue ; - qudt:hasUnit unit:C3-M-PER-J2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000081e-53 ; - qudt:value 3.206361533e-53 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auhypol#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of 1st hyperpolarizability" ; -. -constant:Value_AtomicUnitOf2ndHyperpolarizability - a qudt:ConstantValue ; - qudt:hasUnit unit:C4-M4-PER-J3 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000031e-65 ; - qudt:value 6.23538095e-65 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?au2hypol#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of 2nd hyperpolarizability" ; -. -constant:Value_AtomicUnitOfAction - a qudt:ConstantValue ; - qudt:hasUnit unit:J-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000053e-34 ; - qudt:value 1.054571628e-34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tthbar#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of action" ; -. -constant:Value_AtomicUnitOfCharge - a qudt:ConstantValue ; - qudt:hasUnit unit:C ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000040e-19 ; - qudt:value 1.602176487e-19 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?te#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of charge" ; -. -constant:Value_AtomicUnitOfChargeDensity - a qudt:ConstantValue ; - qudt:hasUnit unit:C-PER-M3 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000027e12 ; - qudt:value 1.081202300e12 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucd#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of charge density" ; -. -constant:Value_AtomicUnitOfCurrent - a qudt:ConstantValue ; - qudt:hasUnit unit:A ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000017e-3 ; - qudt:value 6.62361763e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aucur#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of current" ; -. -constant:Value_AtomicUnitOfElectricDipoleMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:C-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000021e-30 ; - qudt:value 8.47835281e-30 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auedm#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric dipole mom." ; -. -constant:Value_AtomicUnitOfElectricField - a qudt:ConstantValue ; - qudt:hasUnit unit:V-PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000013e11 ; - qudt:value 5.14220632e11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefld#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric field" ; -. -constant:Value_AtomicUnitOfElectricFieldGradient - a qudt:ConstantValue ; - qudt:hasUnit unit:V-PER-M2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000024e21 ; - qudt:value 9.71736166e21 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auefg#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric field gradient" ; -. -constant:Value_AtomicUnitOfElectricPolarizability - a qudt:ConstantValue ; - qudt:hasUnit unit:C2-M2-PER-J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000034e-41 ; - qudt:value 1.6487772536e-41 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auepol#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric polarizability" ; -. -constant:Value_AtomicUnitOfElectricPotential - a qudt:ConstantValue ; - qudt:hasUnit unit:V ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000068"^^xsd:double ; - qudt:value "27.21138386"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auep#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric potential" ; -. -constant:Value_AtomicUnitOfElectricQuadrupoleMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:C-M2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000011e-40 ; - qudt:value 4.48655107e-40 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aueqm#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of electric quadrupole moment" ; -. -constant:Value_AtomicUnitOfEnergy - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000022e-18 ; - qudt:value 4.35974394e-18 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thr#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of energy" ; -. -constant:Value_AtomicUnitOfForce - a qudt:ConstantValue ; - qudt:hasUnit unit:N ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000041e-8 ; - qudt:value 8.23872206e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auforce#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of force" ; -. -constant:Value_AtomicUnitOfLength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000036e-10 ; - qudt:value 0.52917720859e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tbohrrada0#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of length" ; -. -constant:Value_AtomicUnitOfMagneticDipoleMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000046e-23 ; - qudt:value 1.854801830e-23 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumdm#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of magnetic dipole moment" ; -. -constant:Value_AtomicUnitOfMagneticFluxDensity - a qudt:ConstantValue ; - qudt:hasUnit unit:T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000059e5 ; - qudt:value 2.350517382e5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumfd#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of magnetic flux density" ; -. -constant:Value_AtomicUnitOfMagnetizability - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000027e-29 ; - qudt:value 7.891036433e-29 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumag#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of magnetizability" ; -. -constant:Value_AtomicUnitOfMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000045e-31 ; - qudt:value 9.10938215e-31 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ttme#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of mass" ; -. -constant:Value_AtomicUnitOfMomentum - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000099e-24 ; - qudt:value 1.992851565e-24 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aumom#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of momentum" ; -. -constant:Value_AtomicUnitOfPermittivity - a qudt:ConstantValue ; - qudt:hasUnit unit:FARAD-PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 1.112650056e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auperm#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of permittivity" ; -. -constant:Value_AtomicUnitOfTime - a qudt:ConstantValue ; - qudt:hasUnit unit:SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000016e-1 ; - qudt:value 2.418884326505e-17 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?aut#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of time" ; -. -constant:Value_AtomicUnitOfVelocity - a qudt:ConstantValue ; - qudt:hasUnit unit:M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000015e6 ; - qudt:value 2.1876912541e6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?auvel#mid"^^xsd:anyURI ; - rdfs:label "Value for atomic unit of velocity" ; -. -constant:Value_AvogadroConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000030e23 ; - qudt:value 6.02214179e23 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?na#mid"^^xsd:anyURI ; - rdfs:label "Value for Avogadro constant" ; -. -constant:Value_BohrMagneton - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000023e-26 ; - qudt:value 927.400915e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mub#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr magneton" ; -. -constant:Value_BohrMagnetonInEVPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000079e-5 ; - qudt:value 5.7883817555e-5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubev#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr magneton in eV per T" ; -. -constant:Value_BohrMagnetonInHzPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000035e9 ; - qudt:value 13.99624604e9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshhz#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr magneton in Hz perT" ; -. -constant:Value_BohrMagnetonInInverseMetersPerTesla - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000012"^^xsd:double ; - qudt:value "46.6864515"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubshcminv#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr magneton in inverse meters per tesla" ; -. -constant:Value_BohrMagnetonInKPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:K-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000012"^^xsd:double ; - qudt:value "0.6717131"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mubskk#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr magneton in K per T" ; -. -constant:Value_BohrRadius - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000036e-10 ; - qudt:value 0.52917720859e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bohrrada0#mid"^^xsd:anyURI ; - rdfs:label "Value for Bohr radius" ; -. -constant:Value_BoltzmannConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000024e-23 ; - qudt:value 1.3806504e-23 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?k#mid"^^xsd:anyURI ; - rdfs:label "Value for Boltzmann constant" ; -. -constant:Value_BoltzmannConstantInEVPerK - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-PER-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000015e-5 ; - qudt:value 8.617343e-5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tkev#mid"^^xsd:anyURI ; - rdfs:label "Value for Boltzmann constant in eV per K" ; -. -constant:Value_BoltzmannConstantInHzPerK - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ-PER-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000036e10 ; - qudt:value 2.0836644e10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshhz#mid"^^xsd:anyURI ; - rdfs:label "Value for Boltzmann constant in Hz per K" ; -. -constant:Value_BoltzmannConstantInInverseMetersPerKelvin - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00012"^^xsd:double ; - qudt:value "69.50356"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kshcminv#mid"^^xsd:anyURI ; - rdfs:label "Value for Boltzmann constant in inverse meters per kelvin" ; -. -constant:Value_CharacteristicImpedanceOfVacuum - a qudt:ConstantValue ; - qudt:hasUnit unit:OHM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "376.730313461"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?z0#mid"^^xsd:anyURI ; - rdfs:label "Value for characteristic impedance of vacuum" ; -. -constant:Value_ClassicalElectronRadius - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000058e-15 ; - qudt:value 2.8179402894e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?re#mid"^^xsd:anyURI ; - rdfs:label "Value for classical electron radius" ; -. -constant:Value_ComptonWavelength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000033e-12 ; - qudt:value 2.4263102175e-12 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwl#mid"^^xsd:anyURI ; - rdfs:label "Value for Compton wavelength" ; -. -constant:Value_ComptonWavelengthOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000053e-15 ; - qudt:value 386.15926459e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ecomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for Compton wavelength over 2 pi" ; -. -constant:Value_ConductanceQuantum - a qudt:ConstantValue ; - qudt:hasUnit unit:S ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000053e-5 ; - qudt:value 7.7480917004e-5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?conqu2e2sh#mid"^^xsd:anyURI ; - rdfs:label "Value for conductance quantum" ; -. -constant:Value_ConventionalValueOfJosephsonConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ-PER-V ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 483597.9e9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj90#mid"^^xsd:anyURI ; - rdfs:label "Value for conventional value of Josephson constant" ; -. -constant:Value_ConventionalValueOfVonKlitzingConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:OHM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "25812.807"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk90#mid"^^xsd:anyURI ; - rdfs:label "Value for conventional value of von Klitzing constant" ; -. -constant:Value_CuXUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000028e-13 ; - qudt:value 1.00207699e-13 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xucukalph1#mid"^^xsd:anyURI ; - rdfs:label "Value for Cu x unit" ; -. -constant:Value_DeuteronElectronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000039e-4 ; - qudt:value -4.664345537e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmuem#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron-electron magnetic moment ratio" ; -. -constant:Value_DeuteronElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000016"^^xsd:double ; - qudt:value "3670.4829654"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsme#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron-electron mass ratio" ; -. -constant:Value_DeuteronGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000072"^^xsd:double ; - qudt:value "0.8574382308"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gdn#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron g factor" ; -. -constant:Value_DeuteronMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000011e-26 ; - qudt:value 0.433073465e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mud#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron magnetic moment" ; -. -constant:Value_DeuteronMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000039e-3 ; - qudt:value 0.4669754556e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron magnetic moment to Bohr magneton ratio" ; -. -constant:Value_DeuteronMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000072"^^xsd:double ; - qudt:value "0.8574382308"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron magnetic moment to nuclear magneton ratio" ; -. -constant:Value_DeuteronMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000017e-27 ; - qudt:value 3.34358320e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?md#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron mass" ; -. -constant:Value_DeuteronMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000015e-10 ; - qudt:value 3.00506272e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron mass energy equivalent" ; -. -constant:Value_DeuteronMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000047"^^xsd:double ; - qudt:value "1875.612793"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron mass energy equivalent in MeV" ; -. -constant:Value_DeuteronMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000000078"^^xsd:double ; - qudt:value "2.013553212724"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdu#mid"^^xsd:anyURI ; - rdfs:label "Deuteron Mass (amu)" ; -. -constant:Value_DeuteronMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000078e-3 ; - qudt:value 2.013553212724e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmd#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron molar mass" ; -. -constant:Value_DeuteronNeutronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000011"^^xsd:double ; - qudt:value "-0.44820652"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmunn#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron-neutron magnetic moment ratio" ; -. -constant:Value_DeuteronProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000024"^^xsd:double ; - qudt:value "0.3070122070"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mudsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron-proton magnetic moment ratio" ; -. -constant:Value_DeuteronProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000022"^^xsd:double ; - qudt:value "1.99900750108"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mdsmp#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron-proton mass ratio" ; -. -constant:Value_DeuteronRmsChargeRadius - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0028e-15 ; - qudt:value 2.1402e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rd#mid"^^xsd:anyURI ; - rdfs:label "Value for deuteron rms charge radius" ; -. -constant:Value_ElectricConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:FARAD-PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 8.854187817e-12 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ep0#mid"^^xsd:anyURI ; - rdfs:label "Value for electric constant" ; -. -constant:Value_ElectronChargeToMassQuotient - a qudt:ConstantValue ; - qudt:hasUnit unit:C-PER-KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000044e11 ; - qudt:value -1.758820150e11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esme#mid"^^xsd:anyURI ; - rdfs:label "Value for electron charge to mass quotient" ; -. -constant:Value_ElectronDeuteronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000018"^^xsd:double ; - qudt:value "-2143.923498"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmud#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-deuteron magnetic moment ratio" ; -. -constant:Value_ElectronDeuteronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000012e-4 ; - qudt:value 2.7244371093e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmd#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-deuteron mass ratio" ; -. -constant:Value_ElectronGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000000035"^^xsd:double ; - qudt:value "-2.00231930436256"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gem#mid"^^xsd:anyURI ; - rdfs:label "Value for electron g factor" ; -. -constant:Value_ElectronGyromagneticRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000044e11 ; - qudt:value 1.760859770e11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammae#mid"^^xsd:anyURI ; - rdfs:label "Value for electron gyromagnetic ratio" ; -. -constant:Value_ElectronGyromagneticRatioOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00070"^^xsd:double ; - qudt:value "28024.95364"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammaebar#mid"^^xsd:anyURI ; - rdfs:label "Value for electron gyromagnetic ratio over 2 pi" ; -. -constant:Value_ElectronMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000023e-26 ; - qudt:value -928.476377e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muem#mid"^^xsd:anyURI ; - rdfs:label "Value for electron magnetic moment" ; -. -constant:Value_ElectronMagneticMomentAnomaly - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000074e-3 ; - qudt:value 1.15965218111e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ae#mid"^^xsd:anyURI ; - rdfs:label "Value for electron magnetic moment anomaly" ; -. -constant:Value_ElectronMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000000074"^^xsd:double ; - qudt:value "-1.00115965218111"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for electron magnetic moment to Bohr magneton ratio" ; -. -constant:Value_ElectronMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000080"^^xsd:double ; - qudt:value "-1838.28197092"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for electron magnetic moment to nuclear magneton ratio" ; -. -constant:Value_ElectronMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000045e-31 ; - qudt:value 9.10938215e-31 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?me#mid"^^xsd:anyURI ; - rdfs:label "Value for electron mass" ; -. -constant:Value_ElectronMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000041e-14 ; - qudt:value 8.18710438e-14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2#mid"^^xsd:anyURI ; - rdfs:label "Value for electron mass energy equivalent" ; -. -constant:Value_ElectronMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000013"^^xsd:double ; - qudt:value "0.510998910"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for electron mass energy equivalent in MeV" ; -. -constant:Value_ElectronMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000023e-4 ; - qudt:value 5.4857990943e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?meu#mid"^^xsd:anyURI ; - rdfs:label "Electron Mass (amu)" ; -. -constant:Value_ElectronMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000023e-7 ; - qudt:value 5.4857990943e-7 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mme#mid"^^xsd:anyURI ; - rdfs:label "Value for electron molar mass" ; -. -constant:Value_ElectronMuonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000052"^^xsd:double ; - qudt:value "206.7669877"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmumum#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-muon magnetic moment ratio" ; -. -constant:Value_ElectronMuonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000012e-3 ; - qudt:value 4.83633171e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmmu#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-muon mass ratio" ; -. -constant:Value_ElectronNeutronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00023"^^xsd:double ; - qudt:value "960.92050"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmunn#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-neutron magnetic moment ratio" ; -. -constant:Value_ElectronNeutronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000033e-4 ; - qudt:value 5.4386734459e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmn#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-neutron mass ratio" ; -. -constant:Value_ElectronProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000054"^^xsd:double ; - qudt:value "-658.2106848"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-proton magnetic moment ratio" ; -. -constant:Value_ElectronProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000024e-4 ; - qudt:value 5.4461702177e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmp#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-proton mass ratio" ; -. -constant:Value_ElectronTauMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00047e-4 ; - qudt:value 2.87564e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmtau#mid"^^xsd:anyURI ; - rdfs:label "Value for electron-tau mass ratio" ; -. -constant:Value_ElectronToAlphaParticleMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000058e-4 ; - qudt:value 1.37093355570e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mesmalpha#mid"^^xsd:anyURI ; - rdfs:label "Value for electron to alpha particle mass ratio" ; -. -constant:Value_ElectronToShieldedHelionMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000010"^^xsd:double ; - qudt:value "864.058257"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmuhp#mid"^^xsd:anyURI ; - rdfs:label "Value for electron to shielded helion magnetic moment ratio" ; -. -constant:Value_ElectronToShieldedProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000072"^^xsd:double ; - qudt:value "-658.2275971"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muemsmupp#mid"^^xsd:anyURI ; - rdfs:label "Value for electron to shielded proton magnetic moment ratio" ; -. -constant:Value_ElectronVoltAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000027e-9 ; - qudt:value 1.073544188e-9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evu#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-atomic mass unit relationship" ; -. -constant:Value_ElectronVoltHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000092e-2 ; - qudt:value 3.674932540e-2 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhr#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-hartree relationship" ; -. -constant:Value_ElectronVoltHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000060e14 ; - qudt:value 2.417989454e14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evhz#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-hertz relationship" ; -. -constant:Value_ElectronVoltInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000020e5 ; - qudt:value 8.06554465e5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evminv#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-inverse meter relationship" ; -. -constant:Value_ElectronVoltJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000040e-19 ; - qudt:value 1.602176487e-19 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evj#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-joule relationship" ; -. -constant:Value_ElectronVoltKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000020e4 ; - qudt:value 1.1604505e4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evk#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-kelvin relationship" ; -. -constant:Value_ElectronVoltKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000044e-36 ; - qudt:value 1.782661758e-36 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?evkg#mid"^^xsd:anyURI ; - rdfs:label "Value for electron volt-kilogram relationship" ; -. -constant:Value_ElementaryCharge - a qudt:ConstantValue ; - qudt:hasUnit unit:C ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000040e-19 ; - qudt:value 1.602176487e-19 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?e#mid"^^xsd:anyURI ; - rdfs:label "Value for elementary charge" ; -. -constant:Value_ElementaryChargeOverH - a qudt:ConstantValue ; - qudt:hasUnit unit:A-PER-J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000060e14 ; - qudt:value 2.417989454e14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esh#mid"^^xsd:anyURI ; - rdfs:label "Value for elementary charge over h" ; -. -constant:Value_FaradayConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:C-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0024"^^xsd:double ; - qudt:value "96485.3399"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f#mid"^^xsd:anyURI ; - rdfs:label "Value for Faraday constant" ; -. -constant:Value_FaradayConstantForConventionalElectricCurrent - a qudt:ConstantValue ; - qudt:hasUnit unit:C-PER-MOL ; - qudt:value "96485.33212"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?f90#mid"^^xsd:anyURI ; - rdfs:label "Faraday constant for conventional electric current" ; -. -constant:Value_FermiCouplingConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-GigaEV2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00001e-5 ; - qudt:value 1.16637e-5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gf#mid"^^xsd:anyURI ; - rdfs:label "Value for Fermi coupling constant" ; -. -constant:Value_FineStructureConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000050e-3 ; - qudt:value 7.2973525376e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alph#mid"^^xsd:anyURI ; - rdfs:label "Value for fine-structure constant" ; -. -constant:Value_FirstRadiationConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:W-M2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000019e-16 ; - qudt:value 3.74177118e-16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c11strc#mid"^^xsd:anyURI ; - rdfs:label "Value for first radiation constant" ; -. -constant:Value_FirstRadiationConstantForSpectralRadiance - a qudt:ConstantValue ; - qudt:hasUnit unit:W-M2-PER-SR ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000059e-16 ; - qudt:value 1.191042759e-16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c1l#mid"^^xsd:anyURI ; - rdfs:label "Value for first radiation constant for spectral radiance" ; -. -constant:Value_GravitationalConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:N-M2-PER-KiloGM2 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Gravitational_constant"^^xsd:anyURI ; - qudt:value 6.674e-11 ; - rdfs:label "Value for gravitational constant" ; -. -constant:Value_HartreeAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000042e-8 ; - qudt:value 2.9212622986e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hru#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-atomic mass unit relationship" ; -. -constant:Value_HartreeElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000068"^^xsd:double ; - qudt:value "27.21138386"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrev#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-electron volt relationship" ; -. -constant:Value_HartreeEnergy - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000022e-18 ; - qudt:value 4.35974394e-18 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hr#mid"^^xsd:anyURI ; - rdfs:label "Value for Hartree energy" ; -. -constant:Value_HartreeEnergyInEV - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000068"^^xsd:double ; - qudt:value "27.21138386"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?threv#mid"^^xsd:anyURI ; - rdfs:label "Value for Hartree energy in eV" ; -. -constant:Value_HartreeHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000044e15 ; - qudt:value 6.579683920722e15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrhz#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-hertz relationship" ; -. -constant:Value_HartreeInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000015e7 ; - qudt:value 2.194746313705e7 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrminv#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-inverse meter relationship" ; -. -constant:Value_HartreeJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000022e-18 ; - qudt:value 4.35974394e-18 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrj#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-joule relationship" ; -. -constant:Value_HartreeKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000055e5 ; - qudt:value 3.1577465e5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrk#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-kelvin relationship" ; -. -constant:Value_HartreeKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000024e-35 ; - qudt:value 4.85086934e-35 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hrkg#mid"^^xsd:anyURI ; - rdfs:label "Value for hartree-kilogram relationship" ; -. -constant:Value_HelionElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000052"^^xsd:double ; - qudt:value "5495.8852765"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsme#mid"^^xsd:anyURI ; - rdfs:label "Value for helion-electron mass ratio" ; -. -constant:Value_HelionMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000025e-27 ; - qudt:value 5.00641192e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mh#mid"^^xsd:anyURI ; - rdfs:label "Value for helion mass" ; -. -constant:Value_HelionMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000022e-10 ; - qudt:value 4.49953864e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2#mid"^^xsd:anyURI ; - rdfs:label "Value for helion mass energy equivalent" ; -. -constant:Value_HelionMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000070"^^xsd:double ; - qudt:value "2808.391383"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for helion mass energy equivalent in MeV" ; -. -constant:Value_HelionMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000026"^^xsd:double ; - qudt:value "3.0149322473"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhu#mid"^^xsd:anyURI ; - rdfs:label "Helion Mass (amu)" ; -. -constant:Value_HelionMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000026e-3 ; - qudt:value 3.0149322473e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmh#mid"^^xsd:anyURI ; - rdfs:label "Value for helion molar mass" ; -. -constant:Value_HelionProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000026"^^xsd:double ; - qudt:value "2.9931526713"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mhsmp#mid"^^xsd:anyURI ; - rdfs:label "Value for helion-proton mass ratio" ; -. -constant:Value_HertzAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000064e-24 ; - qudt:value 4.4398216294e-24 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzu#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-atomic mass unit relationship" ; -. -constant:Value_HertzElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000010e-15 ; - qudt:value 4.13566733e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzev#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-electron volt relationship" ; -. -constant:Value_HertzHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000010e-1 ; - qudt:value 1.519829846006e-16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzhr#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-hartree relationship" ; -. -constant:Value_HertzInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 3.335640951e-9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzminv#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-inverse meter relationship" ; -. -constant:Value_HertzJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000033e-34 ; - qudt:value 6.62606896e-34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzj#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-joule relationship" ; -. -constant:Value_HertzKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000084e-11 ; - qudt:value 4.7992374e-11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzk#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-kelvin relationship" ; -. -constant:Value_HertzKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000037e-51 ; - qudt:value 7.37249600e-51 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hzkg#mid"^^xsd:anyURI ; - rdfs:label "Value for hertz-kilogram relationship" ; -. -constant:Value_InverseFineStructureConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000094"^^xsd:double ; - qudt:value "137.035999679"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?alphinv#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse fine-structure constant" ; -. -constant:Value_InverseMeterAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000019e-15 ; - qudt:value 1.3310250394e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvu#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-atomic mass unit relationship" ; -. -constant:Value_InverseMeterElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000031e-6 ; - qudt:value 1.239841875e-6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvev#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-electron volt relationship" ; -. -constant:Value_InverseMeterHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000030e-8 ; - qudt:value 4.556335252760e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhr#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-hartree relationship" ; -. -constant:Value_InverseMeterHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "299792458"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvhz#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-hertz relationship" ; -. -constant:Value_InverseMeterJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000099e-25 ; - qudt:value 1.986445501e-25 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvj#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-joule relationship" ; -. -constant:Value_InverseMeterKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000025e-2 ; - qudt:value 1.4387752e-2 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvk#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-kelvin relationship" ; -. -constant:Value_InverseMeterKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000011e-42 ; - qudt:value 2.21021870e-42 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?minvkg#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse meter-kilogram relationship" ; -. -constant:Value_InverseOfConductanceQuantum - a qudt:ConstantValue ; - qudt:hasUnit unit:OHM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000088"^^xsd:double ; - qudt:value "12906.4037787"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?invconqu#mid"^^xsd:anyURI ; - rdfs:label "Value for inverse of conductance quantum" ; -. -constant:Value_JosephsonConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ-PER-V ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.012e9 ; - qudt:value 483597.891e9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kjos#mid"^^xsd:anyURI ; - rdfs:label "Value for Josephson constant" ; -. -constant:Value_JouleAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000033e9 ; - qudt:value 6.70053641e9 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ju#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-atomic mass unit relationship" ; -. -constant:Value_JouleElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000016e18 ; - qudt:value 6.24150965e18 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jev#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-electron volt relationship" ; -. -constant:Value_JouleHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000011e17 ; - qudt:value 2.29371269e17 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhr#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-hartree relationship" ; -. -constant:Value_JouleHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000075e33 ; - qudt:value 1.509190450e33 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jhz#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-hertz relationship" ; -. -constant:Value_JouleInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000025e24 ; - qudt:value 5.03411747e24 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jminv#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-inverse meter relationship" ; -. -constant:Value_JouleKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000013e22 ; - qudt:value 7.242963e22 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jk#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-kelvin relationship" ; -. -constant:Value_JouleKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 1.112650056e-17 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?jkg#mid"^^xsd:anyURI ; - rdfs:label "Value for joule-kilogram relationship" ; -. -constant:Value_KelvinAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000016e-14 ; - qudt:value 9.251098e-14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ku#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-atomic mass unit relationship" ; -. -constant:Value_KelvinElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000015e-5 ; - qudt:value 8.617343e-5 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kev#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-electron volt relationship" ; -. -constant:Value_KelvinHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000055e-6 ; - qudt:value 3.1668153e-6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khr#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-hartree relationship" ; -. -constant:Value_KelvinHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000036e10 ; - qudt:value 2.0836644e10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?khz#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-hertz relationship" ; -. -constant:Value_KelvinInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00012"^^xsd:double ; - qudt:value "69.50356"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kminv#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-inverse meter relationship" ; -. -constant:Value_KelvinJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000024e-23 ; - qudt:value 1.3806504e-23 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kj#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-joule relationship" ; -. -constant:Value_KelvinKilogramRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000027e-40 ; - qudt:value 1.5361807e-40 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kkg#mid"^^xsd:anyURI ; - rdfs:label "Value for kelvin-kilogram relationship" ; -. -constant:Value_KilogramAtomicMassUnitRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000030e26 ; - qudt:value 6.02214179e26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgu#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-atomic mass unit relationship" ; -. -constant:Value_KilogramElectronVoltRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000014e35 ; - qudt:value 5.60958912e35 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgev#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-electron volt relationship" ; -. -constant:Value_KilogramHartreeRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:E_h ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000010e34 ; - qudt:value 2.06148616e34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghr#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-hartree relationship" ; -. -constant:Value_KilogramHertzRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000068e50 ; - qudt:value 1.356392733e50 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kghz#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-hertz relationship" ; -. -constant:Value_KilogramInverseMeterRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000023e41 ; - qudt:value 4.52443915e41 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgminv#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-inverse meter relationship" ; -. -constant:Value_KilogramJouleRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 8.987551787e16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgj#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-joule relationship" ; -. -constant:Value_KilogramKelvinRelationship - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000011e39 ; - qudt:value 6.509651e39 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?kgk#mid"^^xsd:anyURI ; - rdfs:label "Value for kilogram-kelvin relationship" ; -. -constant:Value_LatticeParameterOfSilicon - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000014e-12 ; - qudt:value 543.102064e-12 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?asil#mid"^^xsd:anyURI ; - rdfs:label "Value for lattice parameter of silicon" ; -. -constant:Value_LatticeSpacingOfSilicon - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000050e-12 ; - qudt:value 192.0155762e-12 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?d220sil#mid"^^xsd:anyURI ; - rdfs:label "Value for lattice spacing of silicon" ; -. -constant:Value_LoschmidtConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M3 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000047e25 ; - qudt:value 2.6867774e25 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?n0#mid"^^xsd:anyURI ; - rdfs:label "Value for Loschmidt constant 273.15 K 101.325 kPa" ; -. -constant:Value_MagneticConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:FARAD-PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 12.566370614e-7 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu0#mid"^^xsd:anyURI ; - rdfs:label "Value for magnetic constant" ; -. -constant:Value_MagneticFluxQuantum - a qudt:ConstantValue ; - qudt:hasUnit unit:WB ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000052e-15 ; - qudt:value 2.067833667e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?flxquhs2e#mid"^^xsd:anyURI ; - rdfs:label "Value for magnetic flux quantum" ; -. -constant:Value_MoXUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000053e-13 ; - qudt:value 1.00209955e-13 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?xumokalph1#mid"^^xsd:anyURI ; - rdfs:label "Value for Mo x unit" ; -. -constant:Value_MolarGasConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-MOL-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000015"^^xsd:double ; - qudt:value "8.31446261815324"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?r#mid"^^xsd:anyURI ; - rdfs:label "Value for molar gas constant" ; -. -constant:Value_MolarMassConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 1e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mu#mid"^^xsd:anyURI ; - rdfs:label "Value for molar mass constant" ; -. -constant:Value_MolarMassOfCarbon12 - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 12e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mm12c#mid"^^xsd:anyURI ; - rdfs:label "Value for molar mass of carbon-12" ; -. -constant:Value_MolarPlanckConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:J-SEC-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000057e-10 ; - qudt:value 3.9903126821e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nah#mid"^^xsd:anyURI ; - rdfs:label "Value for molar Planck constant" ; -. -constant:Value_MolarPlanckConstantTimesC - a qudt:ConstantValue ; - qudt:hasUnit unit:J-M-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000017"^^xsd:double ; - qudt:value "0.11962656472"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nahc#mid"^^xsd:anyURI ; - rdfs:label "Value for molar Planck constant times c" ; -. -constant:Value_MolarVolumeOfIdealGas - a qudt:ConstantValue ; - qudt:hasUnit unit:M3-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000039e-3 ; - qudt:value 22.710981e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvol#mid"^^xsd:anyURI ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvolstd#mid"^^xsd:anyURI ; - rdfs:label "Value for molar volume of ideal gas 273.15 K 101.325 kPa" ; -. -constant:Value_MolarVolumeOfSilicon - a qudt:ConstantValue ; - qudt:hasUnit unit:M3-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000011e-6 ; - qudt:value 12.0588349e-6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mvolsil#mid"^^xsd:anyURI ; - rdfs:label "Value for molar volume of silicon" ; -. -constant:Value_MuonComptonWavelength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000030e-15 ; - qudt:value 11.73444104e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwl#mid"^^xsd:anyURI ; - rdfs:label "Value for muon Compton wavelength" ; -. -constant:Value_MuonComptonWavelengthOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000047e-15 ; - qudt:value 1.867594295e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mcomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for muon Compton wavelength over 2 pi" ; -. -constant:Value_MuonElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000052"^^xsd:double ; - qudt:value "206.7682823"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusme#mid"^^xsd:anyURI ; - rdfs:label "Value for muon-electron mass ratio" ; -. -constant:Value_MuonGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000012"^^xsd:double ; - qudt:value "-2.0023318414"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gmum#mid"^^xsd:anyURI ; - rdfs:label "Value for muon g factor" ; -. -constant:Value_MuonMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000016e-26 ; - qudt:value -4.49044786e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumum#mid"^^xsd:anyURI ; - rdfs:label "Value for muon magnetic moment" ; -. -constant:Value_MuonMagneticMomentAnomaly - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000060e-3 ; - qudt:value 1.16592069e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?amu#mid"^^xsd:anyURI ; - rdfs:label "Value for muon magnetic moment anomaly" ; -. -constant:Value_MuonMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000012e-3 ; - qudt:value -4.84197049e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for muon magnetic moment to Bohr magneton ratio" ; -. -constant:Value_MuonMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000023"^^xsd:double ; - qudt:value "-8.89059705"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for muon magnetic moment to nuclear magneton ratio" ; -. -constant:Value_MuonMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000011e-28 ; - qudt:value 1.88353130e-28 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmu#mid"^^xsd:anyURI ; - rdfs:label "Value for muon mass" ; -. -constant:Value_MuonMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000095e-11 ; - qudt:value 1.692833510e-11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2#mid"^^xsd:anyURI ; - rdfs:label "Value for muon mass energy equivalent" ; -. -constant:Value_MuonMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000038"^^xsd:double ; - qudt:value "105.6583668"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for muon mass energy equivalent in MeV" ; -. -constant:Value_MuonMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000029"^^xsd:double ; - qudt:value "0.1134289256"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmuu#mid"^^xsd:anyURI ; - rdfs:label "Muon Mass (amu)" ; -. -constant:Value_MuonMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000029e-3 ; - qudt:value 0.1134289256e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmmu#mid"^^xsd:anyURI ; - rdfs:label "Value for muon molar mass" ; -. -constant:Value_MuonNeutronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000029"^^xsd:double ; - qudt:value "0.1124545167"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmn#mid"^^xsd:anyURI ; - rdfs:label "Value for muon-neutron mass ratio" ; -. -constant:Value_MuonProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000085"^^xsd:double ; - qudt:value "-3.183345137"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mumumsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for muon-proton magnetic moment ratio" ; -. -constant:Value_MuonProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000029"^^xsd:double ; - qudt:value "0.1126095261"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmp#mid"^^xsd:anyURI ; - rdfs:label "Value for muon-proton mass ratio" ; -. -constant:Value_MuonTauMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00097e-2 ; - qudt:value 5.94592e-2 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmusmtau#mid"^^xsd:anyURI ; - rdfs:label "Value for muon-tau mass ratio" ; -. -constant:Value_NaturalUnitOfAction - a qudt:ConstantValue ; - qudt:hasUnit unit:J-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000053e-34 ; - qudt:value 1.054571628e-34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbar#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of action" ; -. -constant:Value_NaturalUnitOfActionInEVS - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000016e-16 ; - qudt:value 6.58211899e-16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?thbarev#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of action in eV s" ; -. -constant:Value_NaturalUnitOfEnergy - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000041e-14 ; - qudt:value 8.18710438e-14 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of energy" ; -. -constant:Value_NaturalUnitOfEnergyInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000013"^^xsd:double ; - qudt:value "0.510998910"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tmec2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of energy in MeV" ; -. -constant:Value_NaturalUnitOfLength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000053e-15 ; - qudt:value 386.15926459e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tecomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of length" ; -. -constant:Value_NaturalUnitOfMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000045e-31 ; - qudt:value 9.10938215e-31 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tme#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of mass" ; -. -constant:Value_NaturalUnitOfMomentum - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000014e-22 ; - qudt:value 2.73092406e-22 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mec#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of momentum" ; -. -constant:Value_NaturalUnitOfMomentumInMeVPerC - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV-PER-SpeedOfLight ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000013"^^xsd:double ; - qudt:value "0.510998910"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mecmevsc#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of momentum in MeV c^-1" ; -. -constant:Value_NaturalUnitOfTime - a qudt:ConstantValue ; - qudt:hasUnit unit:SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000018e-21 ; - qudt:value 1.2880886570e-21 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?nut#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of time" ; -. -constant:Value_NaturalUnitOfVelocity - a qudt:ConstantValue ; - qudt:hasUnit unit:M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "299792458"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tc#mid"^^xsd:anyURI ; - rdfs:label "Value for natural unit of velocity" ; -. -constant:Value_NeutronComptonWavelength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000020e-15 ; - qudt:value 1.3195908951e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwl#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron Compton wavelength" ; -. -constant:Value_NeutronComptonWavelengthOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000031e-15 ; - qudt:value 0.21001941382e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ncomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron Compton wavelength over 2 pi" ; -. -constant:Value_NeutronElectronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000025e-3 ; - qudt:value 1.04066882e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmue#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-electron magnetic moment ratio" ; -. -constant:Value_NeutronElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000011"^^xsd:double ; - qudt:value "1838.6836605"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsme#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-electron mass ratio" ; -. -constant:Value_NeutronGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000090"^^xsd:double ; - qudt:value "-3.82608545"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gnn#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron g factor" ; -. -constant:Value_NeutronGyromagneticRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000043e8 ; - qudt:value 1.83247185e8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gamman#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron gyromagnetic ratio" ; -. -constant:Value_NeutronGyromagneticRatioOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000069"^^xsd:double ; - qudt:value "29.1646954"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammanbar#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron gyromagnetic ratio over 2 pi" ; -. -constant:Value_NeutronMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000023e-26 ; - qudt:value -0.96623641e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munn#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron magnetic moment" ; -. -constant:Value_NeutronMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000025e-3 ; - qudt:value -1.04187563e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron magnetic moment to Bohr magneton ratio" ; -. -constant:Value_NeutronMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000045"^^xsd:double ; - qudt:value "-1.91304273"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron magnetic moment to nuclear magneton ratio" ; -. -constant:Value_NeutronMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000084e-27 ; - qudt:value 1.674927211e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mn#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron mass" ; -. -constant:Value_NeutronMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000075e-10 ; - qudt:value 1.505349505e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron mass energy equivalent" ; -. -constant:Value_NeutronMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000023"^^xsd:double ; - qudt:value "939.565346"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron mass energy equivalent in MeV" ; -. -constant:Value_NeutronMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000043"^^xsd:double ; - qudt:value "1.00866491597"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnu#mid"^^xsd:anyURI ; - rdfs:label "Neutron Mass (amu)" ; -. -constant:Value_NeutronMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000043e-3 ; - qudt:value 1.00866491597e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmn#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron molar mass" ; -. -constant:Value_NeutronMuonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000023"^^xsd:double ; - qudt:value "8.89248409"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmmu#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-muon mass ratio" ; -. -constant:Value_NeutronProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000016"^^xsd:double ; - qudt:value "-0.68497934"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-proton magnetic moment ratio" ; -. -constant:Value_NeutronProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000046"^^xsd:double ; - qudt:value "1.00137841918"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmp#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-proton mass ratio" ; -. -constant:Value_NeutronTauMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000086"^^xsd:double ; - qudt:value "0.528740"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mnsmtau#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron-tau mass ratio" ; -. -constant:Value_NeutronToShieldedProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000016"^^xsd:double ; - qudt:value "-0.68499694"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munsmupp#mid"^^xsd:anyURI ; - rdfs:label "Value for neutron to shielded proton magnetic moment ratio" ; -. -constant:Value_NewtonianConstantOfGravitation - a qudt:ConstantValue ; - qudt:hasUnit unit:M3-PER-KiloGM-SEC2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:relativeStandardUncertainty 2.2e-5 ; - qudt:standardUncertainty 0.00015e-11 ; - qudt:value 6.67430e-11 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bg#mid"^^xsd:anyURI ; - rdfs:label "Value for Newtonian constant of gravitation" ; -. -constant:Value_NewtonianConstantOfGravitationOverHbarC - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-PlanckMass2 ; - qudt:relativeStandardUncertainty 2.2e-5 ; - qudt:standardUncertainty 0.00015e-39 ; - qudt:value 6.70883e-39 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bgspu#mid"^^xsd:anyURI ; - rdfs:label "Newtonian constant of gravitation over hbar c" ; -. -constant:Value_NuclearMagneton - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000013e-27 ; - qudt:value 5.05078324e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mun#mid"^^xsd:anyURI ; - rdfs:label "Value for nuclear magneton" ; -. -constant:Value_NuclearMagnetonInEVPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000045e-8 ; - qudt:value 3.1524512326e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munev#mid"^^xsd:anyURI ; - rdfs:label "Value for nuclear magneton in eV per T" ; -. -constant:Value_NuclearMagnetonInInverseMetersPerTesla - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000064e-2 ; - qudt:value 2.542623616e-2 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshcminv#mid"^^xsd:anyURI ; - rdfs:label "Value for nuclear magneton in inverse meters per tesla" ; -. -constant:Value_NuclearMagnetonInKPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:K-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000064e-4 ; - qudt:value 3.6582637e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munskk#mid"^^xsd:anyURI ; - rdfs:label "Value for nuclear magneton in K per T" ; -. -constant:Value_NuclearMagnetonInMHzPerT - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000019"^^xsd:double ; - qudt:value "7.62259384"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?munshhz#mid"^^xsd:anyURI ; - rdfs:label "Value for nuclear magneton in MHz per T" ; -. -constant:Value_PermittivityOfVacuum - a qudt:ConstantValue ; - qudt:hasUnit unit:FARAD-PER-M ; - qudt:relativeStandardUncertainty 1.5e-10 ; - qudt:value 6.8541878128e-12 ; - rdfs:label "Value for permittivity of vacuum" ; -. -constant:Value_Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Pi"^^xsd:anyURI ; - qudt:standardUncertainty "0.0"^^xsd:double ; - qudt:value 3.141592653589793238462643383279502884197 ; - rdfs:label "Value for Pi" ; -. -constant:Value_PlanckConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:J-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000033e-34 ; - qudt:value 6.62606896e-34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?h#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck constant" ; -. -constant:Value_PlanckConstantInEVS - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000010e-15 ; - qudt:value 4.13566733e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hev#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck constant in eV s" ; -. -constant:Value_PlanckConstantOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:J-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000053e-34 ; - qudt:value 1.054571628e-34 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbar#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck constant over 2 pi" ; -. -constant:Value_PlanckConstantOver2PiInEVS - a qudt:ConstantValue ; - qudt:hasUnit unit:EV-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000016e-16 ; - qudt:value 6.58211899e-16 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbarev#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck constant over 2 pi in eV s" ; -. -constant:Value_PlanckConstantOver2PiTimesCInMeVFm - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV-FemtoM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000049"^^xsd:double ; - qudt:value "197.3269631"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hbcmevf#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck constant over 2 pi times c in MeV fm" ; -. -constant:Value_PlanckLength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000081e-35 ; - qudt:value 1.616252e-35 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkl#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck length" ; -. -constant:Value_PlanckMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00011e-8 ; - qudt:value 2.17644e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkm#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck mass" ; -. -constant:Value_PlanckMassEnergyEquivalentInGeV - a qudt:ConstantValue ; - qudt:hasUnit unit:GigaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000061e19 ; - qudt:value 1.220892e19 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkmc2gev#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck mass energy equivalent in GeV" ; -. -constant:Value_PlanckTemperature - a qudt:ConstantValue ; - qudt:hasUnit unit:K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000071e32 ; - qudt:value 1.416785e32 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plktmp#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck temperature" ; -. -constant:Value_PlanckTime - a qudt:ConstantValue ; - qudt:hasUnit unit:SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00027e-44 ; - qudt:value 5.39124e-44 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?plkt#mid"^^xsd:anyURI ; - rdfs:label "Value for Planck time" ; -. -constant:Value_ProtonChargeToMassQuotient - a qudt:ConstantValue ; - qudt:hasUnit unit:C-PER-KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000024e7 ; - qudt:value 9.57883392e7 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?esmp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton charge to mass quotient" ; -. -constant:Value_ProtonComptonWavelength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000019e-15 ; - qudt:value 1.3214098446e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwl#mid"^^xsd:anyURI ; - rdfs:label "Value for proton Compton wavelength" ; -. -constant:Value_ProtonComptonWavelengthOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000030e-15 ; - qudt:value 0.21030890861e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?pcomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for proton Compton wavelength over 2 pi" ; -. -constant:Value_ProtonElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000080"^^xsd:double ; - qudt:value "1836.15267247"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsme#mid"^^xsd:anyURI ; - rdfs:label "Value for proton-electron mass ratio" ; -. -constant:Value_ProtonGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000046"^^xsd:double ; - qudt:value "5.585694713"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton g factor" ; -. -constant:Value_ProtonGyromagneticRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000070e8 ; - qudt:value 2.675222099e8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammap#mid"^^xsd:anyURI ; - rdfs:label "Value for proton gyromagnetic ratio" ; -. -constant:Value_ProtonGyromagneticRatioOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000011"^^xsd:double ; - qudt:value "42.5774821"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapbar#mid"^^xsd:anyURI ; - rdfs:label "Value for proton gyromagnetic ratio over 2 pi" ; -. -constant:Value_ProtonMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000037e-26 ; - qudt:value 1.410606662e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mup#mid"^^xsd:anyURI ; - rdfs:label "Value for proton magnetic moment" ; -. -constant:Value_ProtonMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000012e-3 ; - qudt:value 1.521032209e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for proton magnetic moment to Bohr magneton ratio" ; -. -constant:Value_ProtonMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000023"^^xsd:double ; - qudt:value "2.792847356"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for proton magnetic moment to nuclear magneton ratio" ; -. -constant:Value_ProtonMagneticShieldingCorrection - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.014e-6 ; - qudt:value 25.694e-6 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmapp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton magnetic shielding correction" ; -. -constant:Value_ProtonMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000083e-27 ; - qudt:value 1.672621637e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton mass" ; -. -constant:Value_ProtonMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000075e-10 ; - qudt:value 1.503277359e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2#mid"^^xsd:anyURI ; - rdfs:label "Value for proton mass energy equivalent" ; -. -constant:Value_ProtonMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000023"^^xsd:double ; - qudt:value "938.272013"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for proton mass energy equivalent in MeV" ; -. -constant:Value_ProtonMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000010"^^xsd:double ; - qudt:value "1.00727646677"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpu#mid"^^xsd:anyURI ; - rdfs:label "Proton Mass (amu)" ; -. -constant:Value_ProtonMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000000010e-3 ; - qudt:value 1.00727646677e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton molar mass" ; -. -constant:Value_ProtonMuonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000023"^^xsd:double ; - qudt:value "8.88024339"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmmu#mid"^^xsd:anyURI ; - rdfs:label "Value for proton-muon mass ratio" ; -. -constant:Value_ProtonNeutronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000034"^^xsd:double ; - qudt:value "-1.45989806"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupsmunn#mid"^^xsd:anyURI ; - rdfs:label "Value for proton-neutron magnetic moment ratio" ; -. -constant:Value_ProtonNeutronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000000046"^^xsd:double ; - qudt:value "0.99862347824"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmn#mid"^^xsd:anyURI ; - rdfs:label "Value for proton-neutron mass ratio" ; -. -constant:Value_ProtonRmsChargeRadius - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0069e-15 ; - qudt:value 0.8768e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rp#mid"^^xsd:anyURI ; - rdfs:label "Value for proton rms charge radius" ; -. -constant:Value_ProtonTauMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000086"^^xsd:double ; - qudt:value "0.528012"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mpsmtau#mid"^^xsd:anyURI ; - rdfs:label "Value for proton-tau mass ratio" ; -. -constant:Value_QuantumOfCirculation - a qudt:ConstantValue ; - qudt:hasUnit unit:M2-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000050e-4 ; - qudt:value 3.6369475199e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?qucirchs2me#mid"^^xsd:anyURI ; - rdfs:label "Value for quantum of circulation" ; -. -constant:Value_QuantumOfCirculationTimes2 - a qudt:ConstantValue ; - qudt:hasUnit unit:M2-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000010e-4 ; - qudt:value 7.273895040e-4 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?hsme#mid"^^xsd:anyURI ; - rdfs:label "Value for quantum of circulation times 2" ; -. -constant:Value_RydbergConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000073"^^xsd:double ; - qudt:value "10973731.568527"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?ryd#mid"^^xsd:anyURI ; - rdfs:label "Value for Rydberg constant" ; -. -constant:Value_RydbergConstantTimesCInHz - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000000022e15 ; - qudt:value 3.289841960361e15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydchz#mid"^^xsd:anyURI ; - rdfs:label "Value for Rydberg constant times c in Hz" ; -. -constant:Value_RydbergConstantTimesHcInEV - a qudt:ConstantValue ; - qudt:hasUnit unit:EV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000034"^^xsd:double ; - qudt:value "13.60569193"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcev#mid"^^xsd:anyURI ; - rdfs:label "Value for Rydberg constant times hc in eV" ; -. -constant:Value_RydbergConstantTimesHcInJ - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000011e-18 ; - qudt:value 2.17987197e-18 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rydhcj#mid"^^xsd:anyURI ; - rdfs:label "Value for Rydberg constant times hc in J" ; -. -constant:Value_SackurTetrodeConstant1K100KPa - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000044"^^xsd:double ; - qudt:value "-1.1517047"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0sr#mid"^^xsd:anyURI ; - rdfs:label "Value for Sackur-Tetrode constant 1 K 100 kPa" ; -. - - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000044"^^xsd:double ; - qudt:value "-1.1648677"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?s0srstd#mid"^^xsd:anyURI ; - rdfs:label "Value for Sackur-Tetrode constant 1 K 101.325 kPa" ; -. -constant:Value_SecondRadiationConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:M-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000025e-2 ; - qudt:value 1.4387752e-2 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c22ndrc#mid"^^xsd:anyURI ; - rdfs:label "Value for second radiation constant" ; -. -constant:Value_ShieldedHelionGyromagneticRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000056e8 ; - qudt:value 2.037894730e8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahp#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion gyromagnetic ratio" ; -. -constant:Value_ShieldedHelionGyromagneticRatioOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000090"^^xsd:double ; - qudt:value "32.43410198"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammahpbar#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion gyromagnetic ratio over 2 pi" ; -. -constant:Value_ShieldedHelionMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000030e-26 ; - qudt:value -1.074552982e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhp#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion magnetic moment" ; -. -constant:Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000014e-3 ; - qudt:value -1.158671471e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion magnetic moment to Bohr magneton ratio" ; -. -constant:Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000025"^^xsd:double ; - qudt:value "-2.127497718"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion magnetic moment to nuclear magneton ratio" ; -. -constant:Value_ShieldedHelionToProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000011"^^xsd:double ; - qudt:value "-0.761766558"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion to proton magnetic moment ratio" ; -. -constant:Value_ShieldedHelionToShieldedProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000033"^^xsd:double ; - qudt:value "-0.7617861313"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muhpsmupp#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded helion to shielded proton magnetic moment ratio" ; -. -constant:Value_ShieldedProtonGyromagneticRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:PER-T-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000073e8 ; - qudt:value 2.675153362e8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammapp#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded proton gyromagnetic ratio" ; -. -constant:Value_ShieldedProtonGyromagneticRatioOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaHZ-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000012"^^xsd:double ; - qudt:value "42.5763881"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gammappbar#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded proton gyromagnetic ratio over 2 pi" ; -. -constant:Value_ShieldedProtonMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000038e-26 ; - qudt:value 1.410570419e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mupp#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded proton magnetic moment" ; -. -constant:Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000017e-3 ; - qudt:value 1.520993128e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded proton magnetic moment to Bohr magneton ratio" ; -. -constant:Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000030"^^xsd:double ; - qudt:value "2.792775598"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?muppsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for shielded proton magnetic moment to nuclear magneton ratio" ; -. -constant:Value_SpeedOfLight - a qudt:ConstantValue ; - qudt:hasUnit unit:M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "299792458"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; - rdfs:label "Value for velocity of light" ; -. -constant:Value_SpeedOfLight_Vacuum - a qudt:ConstantValue ; - qudt:hasUnit unit:M-PER-SEC ; - qudt:informativeReference "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000"^^xsd:double ; - qudt:value 2.99792458e8 ; - rdfs:label "Value for speed of light in a vacuum" ; -. -constant:Value_SpeedOfLight_Vacuum_Imperial - a qudt:ConstantValue ; - qudt:hasUnit unit:MI-PER-HR ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value 6.70616629e08 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?c#mid"^^xsd:anyURI ; - rdfs:label "Value for speed of light in vacuum (Imperial units)" ; -. -constant:Value_StandardAccelerationOfGravity - a qudt:ConstantValue ; - qudt:hasUnit unit:M-PER-SEC2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "9.80665"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gn#mid"^^xsd:anyURI ; - rdfs:label "Value for standard acceleration of gravity" ; -. -constant:Value_StandardAtmosphere - a qudt:ConstantValue ; - qudt:hasUnit unit:PA ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:value "101325"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?stdatm#mid"^^xsd:anyURI ; - rdfs:label "Value for standard atmosphere" ; -. -constant:Value_StefanBoltzmannConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:W-PER-M2-K4 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000040e-8 ; - qudt:value 5.670400e-8 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigma#mid"^^xsd:anyURI ; - rdfs:label "Value for Stefan-Boltzmann Constant" ; -. -constant:Value_TauComptonWavelength - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00011e-15 ; - qudt:value 0.69772e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwl#mid"^^xsd:anyURI ; - rdfs:label "Value for tau Compton wavelength" ; -. -constant:Value_TauComptonWavelengthOver2Pi - a qudt:ConstantValue ; - qudt:hasUnit unit:M ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000018e-15 ; - qudt:value 0.111046e-15 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tcomwlbar#mid"^^xsd:anyURI ; - rdfs:label "Value for tau Compton wavelength over 2 pi" ; -. -constant:Value_TauElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.57"^^xsd:double ; - qudt:value "3477.48"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausme#mid"^^xsd:anyURI ; - rdfs:label "Value for tau-electron mass ratio" ; -. -constant:Value_TauMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00052e-27 ; - qudt:value 3.16777e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtau#mid"^^xsd:anyURI ; - rdfs:label "Value for tau mass" ; -. -constant:Value_TauMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00046e-10 ; - qudt:value 2.84705e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2#mid"^^xsd:anyURI ; - rdfs:label "Value for tau mass energy equivalent" ; -. -constant:Value_TauMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.29"^^xsd:double ; - qudt:value "1776.99"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for tau mass energy equivalent in MeV" ; -. -constant:Value_TauMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00031"^^xsd:double ; - qudt:value "1.90768"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtauu#mid"^^xsd:anyURI ; - rdfs:label "Tau Mass (amu)" ; -. -constant:Value_TauMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00031e-3 ; - qudt:value 1.90768e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmtau#mid"^^xsd:anyURI ; - rdfs:label "Value for tau molar mass" ; -. -constant:Value_TauMuonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0027"^^xsd:double ; - qudt:value "16.8183"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmmu#mid"^^xsd:anyURI ; - rdfs:label "Value for tau-muon mass ratio" ; -. -constant:Value_TauNeutronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00031"^^xsd:double ; - qudt:value "1.89129"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmn#mid"^^xsd:anyURI ; - rdfs:label "Value for tau-neutron mass ratio" ; -. -constant:Value_TauProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00031"^^xsd:double ; - qudt:value "1.89390"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtausmp#mid"^^xsd:anyURI ; - rdfs:label "Value for tau-proton mass ratio" ; -. -constant:Value_ThomsonCrossSection - a qudt:ConstantValue ; - qudt:hasUnit unit:M2 ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000027e-28 ; - qudt:value 0.6652458558e-28 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sigmae#mid"^^xsd:anyURI ; - rdfs:label "Value for Thomson cross section" ; -. -constant:Value_TritonElectronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000021e-3 ; - qudt:value -1.620514423e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmuem#mid"^^xsd:anyURI ; - rdfs:label "Value for triton-electron magnetic moment ratio" ; -. -constant:Value_TritonElectronMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000051"^^xsd:double ; - qudt:value "5496.9215269"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsme#mid"^^xsd:anyURI ; - rdfs:label "Value for triton-electron mass ratio" ; -. -constant:Value_TritonGFactor - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000076"^^xsd:double ; - qudt:value "5.957924896"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?gtn#mid"^^xsd:anyURI ; - rdfs:label "Value for triton g factor" ; -. -constant:Value_TritonMagneticMoment - a qudt:ConstantValue ; - qudt:hasUnit unit:J-PER-T ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000042e-26 ; - qudt:value 1.504609361e-26 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mut#mid"^^xsd:anyURI ; - rdfs:label "Value for triton magnetic moment" ; -. -constant:Value_TritonMagneticMomentToBohrMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000021e-3 ; - qudt:value 1.622393657e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmub#mid"^^xsd:anyURI ; - rdfs:label "Value for triton magnetic moment to Bohr magneton ratio" ; -. -constant:Value_TritonMagneticMomentToNuclearMagnetonRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000038"^^xsd:double ; - qudt:value "2.978962448"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmun#mid"^^xsd:anyURI ; - rdfs:label "Value for triton magnetic moment to nuclear magneton ratio" ; -. -constant:Value_TritonMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000025e-27 ; - qudt:value 5.00735588e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mt#mid"^^xsd:anyURI ; - rdfs:label "Value for triton mass" ; -. -constant:Value_TritonMassEnergyEquivalent - a qudt:ConstantValue ; - qudt:hasUnit unit:J ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.00000022e-10 ; - qudt:value 4.50038703e-10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2#mid"^^xsd:anyURI ; - rdfs:label "Value for triton mass energy equivalent" ; -. -constant:Value_TritonMassEnergyEquivalentInMeV - a qudt:ConstantValue ; - qudt:hasUnit unit:MegaEV ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000070"^^xsd:double ; - qudt:value "2808.920906"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtc2mev#mid"^^xsd:anyURI ; - rdfs:label "Value for triton mass energy equivalent in MeV" ; -. -constant:Value_TritonMassInAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:U ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000025"^^xsd:double ; - qudt:value "3.0155007134"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtu#mid"^^xsd:anyURI ; - rdfs:label "Triton Mass (amu)" ; -. -constant:Value_TritonMolarMass - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM-PER-MOL ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000000025e-3 ; - qudt:value 3.0155007134e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mmt#mid"^^xsd:anyURI ; - rdfs:label "Value for triton molar mass" ; -. -constant:Value_TritonNeutronMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00000037"^^xsd:double ; - qudt:value "-1.55718553"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmunn#mid"^^xsd:anyURI ; - rdfs:label "Value for triton-neutron magnetic moment ratio" ; -. -constant:Value_TritonProtonMagneticMomentRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000000010"^^xsd:double ; - qudt:value "1.066639908"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mutsmup#mid"^^xsd:anyURI ; - rdfs:label "Value for triton-proton magnetic moment ratio" ; -. -constant:Value_TritonProtonMassRatio - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.0000000025"^^xsd:double ; - qudt:value "2.9937170309"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?mtsmp#mid"^^xsd:anyURI ; - rdfs:label "Value for triton-proton mass ratio" ; -. -constant:Value_UnifiedAtomicMassUnit - a qudt:ConstantValue ; - qudt:hasUnit unit:KiloGM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000000083e-27 ; - qudt:value 1.660538782e-27 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?tukg#mid"^^xsd:anyURI ; - rdfs:label "Value for unified atomic mass unit" ; -. -constant:Value_VonKlitzingConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:OHM ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.000018"^^xsd:double ; - qudt:value "25812.807557"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?rk#mid"^^xsd:anyURI ; - rdfs:label "Value for von Klitzing constant" ; -. -constant:Value_WeakMixingAngle - a qudt:ConstantValue ; - qudt:hasUnit unit:UNITLESS ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty "0.00056"^^xsd:double ; - qudt:value "0.22255"^^xsd:double ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?sin2th#mid"^^xsd:anyURI ; - rdfs:label "Value for weak mixing angle" ; -. -constant:Value_WienFrequencyDisplacementLawConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:HZ-PER-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.000010e10 ; - qudt:value 5.878933e10 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bpwien#mid"^^xsd:anyURI ; - rdfs:label "Value for Wien frequency displacement law constant" ; -. -constant:Value_WienWavelengthDisplacementLawConstant - a qudt:ConstantValue ; - qudt:hasUnit unit:M-K ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:standardUncertainty 0.0000051e-3 ; - qudt:value 2.8977685e-3 ; - vaem:website "http://physics.nist.gov/cgi-bin/cuu/Value?bwien#mid"^^xsd:anyURI ; - rdfs:label "Value for Wien wavelength displacement law constant" ; -. -constant:VonKlitzingConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_VonKlitzingConstant ; - rdfs:isDefinedBy ; - rdfs:label "Von Klitzing constant"@en ; - skos:closeMatch ; -. -constant:WeakMixingAngle - a qudt:PhysicalConstant ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Weinberg_angle"^^xsd:anyURI ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_WeakMixingAngle ; - rdfs:isDefinedBy ; - rdfs:label "Weak mixing angle"@en ; -. -constant:WienFrequencyDisplacementLawConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_WienFrequencyDisplacementLawConstant ; - rdfs:isDefinedBy ; - rdfs:label "Wien frequency displacement law constant"@en ; - skos:closeMatch ; -. -constant:WienWavelengthDisplacementLawConstant - a qudt:PhysicalConstant ; - qudt:hasQuantityKind quantitykind:LengthTemperature ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:quantityValue constant:Value_WienWavelengthDisplacementLawConstant ; - rdfs:isDefinedBy ; - rdfs:label "Wien wavelength displacement law constant"@en ; - skos:closeMatch ; -. -vaem:GMD_QUDT-CONSTANTS - a vaem:GraphMetaData ; - dcterms:contributor "Irene Polikoff" ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Ralph Hodgson" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2010-02-05"^^xsd:date ; - dcterms:creator "James E. Masters" ; - dcterms:creator "Steve Ray" ; - dcterms:modified "2023-10-19T12:26:31.333-04:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Constants" ; - dcterms:title "QUDT Constants Version 2.1 Vocabulary" ; - vaem:description "The Constants vocabulary defines terms for and contains the values and standard uncertainties of physical constants, initially populated from the NIST website: The NIST Reference on Constants, Units, and Uncertainty, at http://physics.nist.gov/cuu/index.html" ; - vaem:graphName "qudt" ; - vaem:graphTitle "QUDT Constants Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner ; - vaem:hasSteward ; - vaem:intent "Provides a vocabulary of Constants for both human and machine use" ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-CONSTANTS-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/vocab/constant/"^^xsd:anyURI ; - vaem:namespacePrefix "constant" ; - vaem:owner "QUDT.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-CONSTANTS-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:specificity 1 ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/constant"^^xsd:anyURI ; - vaem:urlForHTML "http://qudt.org/2.1/vocab/constant.html"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:title ; - vaem:website "http://qudt.org/2.1/vocab/constant.ttl"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Physical Constant Vocabulary Version 2.1.32 Metadata" ; -. diff --git a/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl deleted file mode 100644 index 4ad1a20d5..000000000 --- a/libraries/qudt/VOCAB_QUDT-DIMENSION-VECTORS-v2.1.ttl +++ /dev/null @@ -1,3839 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/dimensionvector -# imports: http://qudt.org/2.1/schema/facade/qudt - -@prefix creativecommons: . -@prefix dc: . -@prefix dcterms: . -@prefix owl: . -@prefix qkdv: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-DIMENSION-VECTORS ; - rdfs:isDefinedBy ; - rdfs:label "QUDT VOCAB Dimension Vectors Release 2.1.32" ; - owl:imports ; - owl:versionIRI ; -. -qkdv:A-1E0L-3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L-3I0M0H0T0D0" ; -. -qkdv:A-1E0L0I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseAmountOfSubstance ; - qudt:latexDefinition "\\(N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L0I0M0H0T0D0" ; -. -qkdv:A-1E0L0I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MolarMass ; - qudt:latexDefinition "\\(M N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L0I0M1H0T0D0" ; -. -qkdv:A-1E0L2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L2I0M0H0T0D0" ; -. -qkdv:A-1E0L2I0M1H-1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MolarHeatCapacity ; - qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L2I0M1H-1T-2D0" ; -. -qkdv:A-1E0L2I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MolarAngularMomentum ; - qudt:latexDefinition "\\(L^2 M T^-1 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L2I0M1H0T-1D0" ; -. -qkdv:A-1E0L2I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MolarEnergy ; - qudt:latexDefinition "\\(L^2 M T^-2 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L2I0M1H0T-2D0" ; -. -qkdv:A-1E0L3I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SecondOrderReactionRateConstant ; - qudt:latexDefinition "\\(L^3 N^-1 T^-1 \\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L3I0M0H0T-1D0" ; -. -qkdv:A-1E0L3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MolarVolume ; - qudt:latexDefinition "\\(L^3 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L3I0M0H0T0D0" ; -. -qkdv:A-1E0L3I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LengthMolarEnergy ; - qudt:latexDefinition "\\(L^3 M T^-2 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E0L3I0M1H0T-2D0" ; -. -qkdv:A-1E1L-3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A-1E1L-3I0M0H0T0D0" ; -. -qkdv:A-1E1L0I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; - qudt:latexDefinition "\\(T I N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A-1E1L0I0M0H0T1D0" ; -. -qkdv:A-1E2L0I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance -1 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A-1E2L0I0M-1H0T3D0" ; -. -qkdv:A0E-1L0I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassPerElectricCharge ; - qudt:latexDefinition "\\(M T^-1 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L0I0M1H0T-1D0" ; -. -qkdv:A0E-1L0I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticFluxDensity ; - qudt:latexDefinition "\\(M T^-2 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L0I0M1H0T-2D0" ; -. -qkdv:A0E-1L0I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyPerAreaElectricCharge ; - qudt:latexDefinition "\\(M T^-3 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L0I0M1H0T-3D0" ; -. -qkdv:A0E-1L1I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LengthPerUnitElectricCurrent ; - qudt:latexDefinition "\\(L I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L1I0M0H0T0D0" ; -. -qkdv:A0E-1L1I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:latexDefinition "\\(L M T^-2 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L1I0M1H0T-2D0" ; -. -qkdv:A0E-1L1I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricFieldStrength ; - qudt:latexDefinition "\\(L M T^-3 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L1I0M1H0T-3D0" ; -. -qkdv:A0E-1L2I0M1H-1T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L2I0M1H-1T-3D0" ; -. -qkdv:A0E-1L2I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticFlux ; - qudt:latexDefinition "\\(L^2 M T^-2 I^-1\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(m^2 \\cdot kg \\cdot s^{-2} \\cdot A^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L2I0M1H0T-2D0" ; -. -qkdv:A0E-1L2I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:latexDefinition "\\(L^2 M T^-3 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L2I0M1H0T-3D0" ; -. -qkdv:A0E-1L2I0M1H0T-4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:PowerPerElectricCharge ; - qudt:latexDefinition "\\(L^2 M T^-4 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L2I0M1H0T-4D0" ; -. -qkdv:A0E-1L3I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L3I0M0H0T-1D0" ; -. -qkdv:A0E-1L3I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L3I0M1H0T-2D0" ; -. -qkdv:A0E-1L3I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -1 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricFlux ; - qudt:latexDefinition "\\(L^3 M T^-3 I^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-1L3I0M1H0T-3D0" ; -. -qkdv:A0E-2L1I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectromagneticPermeability ; - qudt:latexDefinition "\\(L M T^-2 I^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L1I0M1H0T-2D0" ; -. -qkdv:A0E-2L2I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Inductance ; - qudt:latexDefinition "\\(L^2 M T^-2 I^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L2I0M1H0T-2D0" ; -. -qkdv:A0E-2L2I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Resistance ; - qudt:latexDefinition "\\(L^2 M T^-3 I^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L2I0M1H0T-3D0" ; -. -qkdv:A0E-2L3I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L3I0M1H0T-3D0" ; -. -qkdv:A0E-2L3I0M1H0T-4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InversePermittivity ; - qudt:latexDefinition "\\(L^3 M T^-4 I^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L3I0M1H0T-4D0" ; -. -qkdv:A0E-2L4I0M2H-2T-6D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent -2 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature -2 ; - qudt:dimensionExponentForTime -6 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E-2L4I0M2H-2T-6D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "-0.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-0.5I0M0.5TE0TM-1D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "-0.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-0.5I0M0.5TE0TM-2D0" ; -. -qkdv:A0E0L-0pt5I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector ; - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -0.5 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:StressIntensityFactor ; - qudt:latexDefinition "\\(L^-0.5 M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-0pt5I0M1H0T-2D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "-1.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1.5I0M0.5TE0TM-1D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "-1.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-1.5 M^0.5\\)"^^qudt:LatexString ; - vaem:todo "Suspicious. Electric Charge per Area would be ET/L**2" ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1.5I0M0.5TE0TM0D0" ; -. -qkdv:A0E0L-1I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-1 M^-1 T^3 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M-1H0T3D0" ; -. -qkdv:A0E0L-1I0M-1H1T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ThermalResistivity ; - qudt:latexDefinition "\\(L^{-1} M^{-1} T^3 \\Theta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M-1H1T3D0" ; -. -qkdv:A0E0L-1I0M0H-1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpecificHeatVolume ; - qudt:latexDefinition "\\(L^-1 T^-2 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H-1T-2D0" ; -. -qkdv:A0E0L-1I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseLengthTemperature ; - qudt:latexDefinition "\\(L^-1 Θ^-1\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(L^{-1} \\Theta^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H-1T0D0" ; -. -qkdv:A0E0L-1I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H0T-1D0" ; -. -qkdv:A0E0L-1I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Curvature ; - qudt:hasReferenceQuantityKind quantitykind:InverseLength ; - qudt:latexDefinition "\\(L^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H0T0D0" ; -. -qkdv:A0E0L-1I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-1 T\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H0T1D0" ; -. -qkdv:A0E0L-1I0M0H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^{-1} T^2\\)"^^qudt:LatexString ; - vaem:todo "Should be M-1L-2T4E2" ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H0T2D0" ; -. -qkdv:A0E0L-1I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M0H1T0D0" ; -. -qkdv:A0E0L-1I0M1H-1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:VolumetricHeatCapacity ; - qudt:latexSymbol "\\(M / (L \\cdot T^2 H)\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(M / (L \\cdot T^2 \\Theta)\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H-1T-2D0" ; -. -qkdv:A0E0L-1I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:DynamicViscosity ; - qudt:latexDefinition "\\(L^-1 M T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H0T-1D0" ; -. -qkdv:A0E0L-1I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyDensity ; - qudt:hasReferenceQuantityKind quantitykind:ForcePerArea ; - qudt:latexDefinition "\\(L^-1 M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H0T-2D0" ; -. -qkdv:A0E0L-1I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ForcePerAreaTime ; - qudt:latexDefinition "\\(L^-1 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H0T-3D0" ; -. -qkdv:A0E0L-1I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassPerLength ; - qudt:latexDefinition "\\(L^-1 M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H0T0D0" ; -. -qkdv:A0E0L-1I0M1H1T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-1I0M1H1T-3D0" ; -. -qkdv:A0E0L-2I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseEnergy ; - qudt:latexDefinition "\\(L^-2 M^-1 T^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M-1H0T2D0" ; -. -qkdv:A0E0L-2I0M-1H1T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ThermalResistance ; - qudt:latexDefinition "\\(L^-2 M^-1 T^3 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M-1H1T3D0" ; -. -qkdv:A0E0L-2I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-2 T-1 Q\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M0H0T-1D0" ; -. -qkdv:A0E0L-2I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M0H0T-2D0" ; -. -qkdv:A0E0L-2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M0H0T0D0" ; -. -qkdv:A0E0L-2I0M0H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^{-2} T^2\\)"^^qudt:LatexString ; - vaem:todo "Permeability should be force/current**2, which is ML/T2E2. Permittivity should be T4E2L-3M-1" ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M0H0T2D0" ; -. -qkdv:A0E0L-2I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassPerAreaTime ; - qudt:latexDefinition "\\(L^{-2} M T^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M1H0T-1D0" ; -. -qkdv:A0E0L-2I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpectralRadiantEnergyDensity ; - qudt:latexDefinition "\\(L^-2 M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M1H0T-2D0" ; -. -qkdv:A0E0L-2I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:RadiantIntensity ; - qudt:latexDefinition "\\(L^-2 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M1H0T-3D0" ; -. -qkdv:A0E0L-2I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassPerArea ; - qudt:latexDefinition "\\(L^-2 M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M1H0T0D0" ; -. -qkdv:A0E0L-2I0M1H1T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M1H1T0D0" ; -. -qkdv:A0E0L-2I0M2H0T-2D0 - a qudt:QuantityKindDimensionVector ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-2 M^2 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M2H0T-2D0" ; -. -qkdv:A0E0L-2I0M2H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M2H0T-3D0" ; -. -qkdv:A0E0L-2I0M2H0T-6D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -6 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I0M2H0T-6D0" ; -. -qkdv:A0E0L-2I1M-1H0T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I1M-1H0T3D0" ; -. -qkdv:A0E0L-2I1M-1H0T3D1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 1 ; - qudt:latexDefinition "\\(U L^-2 M^-1 T^3 J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I1M-1H0T3D1" ; -. -qkdv:A0E0L-2I1M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Luminance ; - qudt:latexDefinition "\\(L^-2 J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I1M0H0T0D0" ; -. -qkdv:A0E0L-2I1M0H0T0D1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 1 ; - qudt:latexDefinition "\\(U L^-2 J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I1M0H0T0D1" ; -. -qkdv:A0E0L-2I1M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-2 J T\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-2I1M0H0T1D0" ; -. -qkdv:A0E0L-3I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-3T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M0H0T-1D0" ; -. -qkdv:A0E0L-3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M0H0T0D0" ; -. -qkdv:A0E0L-3I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M0H0T1D0" ; -. -qkdv:A0E0L-3I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M1H0T-1D0" ; -. -qkdv:A0E0L-3I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M1H0T-3D0" ; -. -qkdv:A0E0L-3I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Density ; - qudt:latexDefinition "\\(L^-3 M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-3I0M1H0T0D0" ; -. -qkdv:A0E0L-4I0M-2H0T4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseSquareEnergy ; - qudt:latexDefinition "\\(L^-4 M^-2 T^4\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-4I0M-2H0T4D0" ; -. -qkdv:A0E0L-4I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L-4I0M1H0T-1D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "0.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^0.5 M^0.5 T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0.5I0M0.5TE0TM-1D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "0.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^0.5 M^0.5 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0.5I0M0.5TE0TM-2D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "0.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^0.5 M^0.5\\)"^^qudt:LatexString ; - vaem:todo "Electric Charge should be ET" ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0.5I0M0.5TE0TM0D0" ; -. -qkdv:A0E0L0I0M-1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-1H0T-1D0" ; -. -qkdv:A0E0L0I0M-1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-1H0T0D0" ; -. -qkdv:A0E0L0I0M-1H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-1H0T1D0" ; -. -qkdv:A0E0L0I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-1H0T2D0" ; -. -qkdv:A0E0L0I0M-1H1T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ThermalInsulance ; - qudt:latexDefinition "\\(M^-1 T^3 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-1H1T3D0" ; -. -qkdv:A0E0L0I0M-2H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M-2H0T0D0" ; -. -qkdv:A0E0L0I0M0H-1T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseTimeTemperature ; - qudt:latexDefinition "\\(T^-1 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H-1T-1D0" ; -. -qkdv:A0E0L0I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy "" ; - rdfs:label "A0E0L0I0M0H-1T0D0" ; -. -qkdv:A0E0L0I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Frequency ; - qudt:latexDefinition "\\(T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T-1D0" ; -. -qkdv:A0E0L0I0M0H0T-1D1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 1 ; - qudt:hasReferenceQuantityKind quantitykind:AngularVelocity ; - qudt:latexDefinition "\\(U T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T-1D1" ; -. -qkdv:A0E0L0I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; - qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T-2D0" ; -. -qkdv:A0E0L0I0M0H0T-2D1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 1 ; - qudt:hasReferenceQuantityKind quantitykind:AngularAcceleration ; - qudt:latexDefinition "\\(U T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T-2D1" ; -. -qkdv:A0E0L0I0M0H0T0D1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 1 ; - qudt:hasReferenceQuantityKind quantitykind:Dimensionless ; - qudt:latexDefinition "\\(U\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T0D1" ; -. -qkdv:A0E0L0I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Time ; - qudt:latexDefinition "\\(T\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T1D0" ; -. -qkdv:A0E0L0I0M0H0T1D1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 1 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T1D1" ; -. -qkdv:A0E0L0I0M0H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TimeSquared ; - qudt:latexDefinition "\\(T^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H0T2D0" ; -. -qkdv:A0E0L0I0M0H1T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime ; - qudt:latexDefinition "\\(T^-1 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H1T-1D0" ; -. -qkdv:A0E0L0I0M0H1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TemperaturePerTime_Squared ; - qudt:latexDefinition "\\(T^-2 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H1T-2D0" ; -. -qkdv:A0E0L0I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:latexDefinition "\\(H\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H1T0D0" ; -. -qkdv:A0E0L0I0M0H1T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TimeTemperature ; - qudt:latexDefinition "\\(T Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H1T1D0" ; -. -qkdv:A0E0L0I0M0H2T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 2 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H2T-1D0" ; -. -qkdv:A0E0L0I0M0H2T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 2 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M0H2T0D0" ; -. -qkdv:A0E0L0I0M1H-1T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:latexDefinition "\\(M T^-3 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H-1T-3D0" ; -. -qkdv:A0E0L0I0M1H-4T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -4 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; - qudt:latexDefinition "\\(M T^{-3}.H^{-4}\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(M T^{-3}.\\Theta^{-4}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H-4T-3D0" ; -. -qkdv:A0E0L0I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassFlowRate ; - qudt:latexDefinition "\\(M T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T-1D0" ; -. -qkdv:A0E0L0I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyPerArea ; - qudt:hasReferenceQuantityKind quantitykind:ForcePerLength ; - qudt:latexDefinition "\\(M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T-2D0" ; -. -qkdv:A0E0L0I0M1H0T-3D-1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent -1 ; - qudt:latexDefinition "\\(U^-1 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T-3D-1" ; -. -qkdv:A0E0L0I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:PowerPerArea ; - qudt:latexDefinition "\\(M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T-3D0" ; -. -qkdv:A0E0L0I0M1H0T-4D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -4 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T-4D0" ; -. -qkdv:A0E0L0I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Mass ; - qudt:latexDefinition "\\(M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T0D0" ; -. -qkdv:A0E0L0I0M1H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(M T^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H0T2D0" ; -. -qkdv:A0E0L0I0M1H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassTemperature ; - qudt:latexDefinition "\\(M Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M1H1T0D0" ; -. -qkdv:A0E0L0I0M2H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I0M2H0T-2D0" ; -. -qkdv:A0E0L0I1M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LuminousIntensity ; - qudt:latexDefinition "\\(J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I1M0H0T0D0" ; -. -qkdv:A0E0L0I1M0H0T0D1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 1 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 1 ; - qudt:latexDefinition "\\(U J\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L0I1M0H0T0D1" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "1.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^1.5 M^0.5 T^-1\\)"^^qudt:LatexString ; - vaem:todo "Suspicious" ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1.5I0M0.5TE0TM-1D0" ; -. - - a qudt:QuantityKindDimensionVector_CGS ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength "1.5"^^xsd:float ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass "0.5"^^xsd:float ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^1.5 M^0.5 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1.5I0M0.5TE0TM-2D0" ; -. -qkdv:A0E0L1I0M-1H0T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M-1H0T1D0" ; -. -qkdv:A0E0L1I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InversePressure ; - qudt:latexDefinition "\\(L T^2 M^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M-1H0T2D0" ; -. -qkdv:A0E0L1I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LinearThermalExpansion ; - qudt:latexDefinition "\\(L .H^{-1}\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(L .\\Theta^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H-1T0D0" ; -. -qkdv:A0E0L1I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LinearVelocity ; - qudt:latexDefinition "\\(L T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T-1D0" ; -. -qkdv:A0E0L1I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LinearAcceleration ; - qudt:hasReferenceQuantityKind quantitykind:ThrustToMassRatio ; - qudt:latexDefinition "\\(L T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T-2D0" ; -. -qkdv:A0E0L1I0M0H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T-3D0" ; -. -qkdv:A0E0L1I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Length ; - qudt:latexDefinition "\\(L\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T0D0" ; -. -qkdv:A0E0L1I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T1D0" ; -. -qkdv:A0E0L1I0M0H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H0T2D0" ; -. -qkdv:A0E0L1I0M0H1T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H1T-1D0" ; -. -qkdv:A0E0L1I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LengthTemperature ; - qudt:latexSymbol "\\(L \\cdot H\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(L \\cdot \\Theta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H1T0D0" ; -. -qkdv:A0E0L1I0M0H1T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M0H1T1D0" ; -. -qkdv:A0E0L1I0M1H-1T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ThermalConductivity ; - qudt:latexSymbol "\\(L \\cdot M /( T^3 \\cdot \\Theta^1)\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(L.M.T^{-3} .\\Theta^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M1H-1T-3D0" ; -. -qkdv:A0E0L1I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LinearMomentum ; - qudt:latexDefinition "\\(L M T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M1H0T-1D0" ; -. -qkdv:A0E0L1I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Force ; - qudt:latexDefinition "\\(L M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M1H0T-2D0" ; -. -qkdv:A0E0L1I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M1H0T-3D0" ; -. -qkdv:A0E0L1I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LengthMass ; - qudt:latexDefinition "\\(L M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L1I0M1H0T0D0" ; -. -qkdv:A0E0L2I0M-1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M-1H0T0D0" ; -. -qkdv:A0E0L2I0M-1H1T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M-1H1T-1D0" ; -. -qkdv:A0E0L2I0M0H-1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:latexDefinition "\\(L^2 T^-2 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H-1T-2D0" ; -. -qkdv:A0E0L2I0M0H-1T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^2 T^-3 Θ^-1 N^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H-1T-3D0" ; -. -qkdv:A0E0L2I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AreaThermalExpansion ; - qudt:latexDefinition "\\(L^2 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H-1T0D0" ; -. -qkdv:A0E0L2I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AreaPerTime ; - qudt:latexDefinition "\\(L^2 T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T-1D0" ; -. -qkdv:A0E0L2I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpecificEnergy ; - qudt:latexDefinition "\\(L^2 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T-2D0" ; -. -qkdv:A0E0L2I0M0H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:latexDefinition "\\(L^2 T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T-3D0" ; -. -qkdv:A0E0L2I0M0H0T-4D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -4 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T-4D0" ; -. -qkdv:A0E0L2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Area ; - qudt:latexDefinition "\\(L^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T0D0" ; -. -qkdv:A0E0L2I0M0H0T0D1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 1 ; - qudt:latexDefinition "\\(U L^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T0D1" ; -. -qkdv:A0E0L2I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AreaTime ; - qudt:latexDefinition "\\(L^2 T\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T1D0" ; -. -qkdv:A0E0L2I0M0H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H0T2D0" ; -. -qkdv:A0E0L2I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AreaTemperature ; - qudt:latexDefinition "\\(L^2 Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H1T0D0" ; -. -qkdv:A0E0L2I0M0H1T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AreaTimeTemperature ; - qudt:latexDefinition "\\(L^2 T Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M0H1T1D0" ; -. -qkdv:A0E0L2I0M1H-1T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyPerTemperature ; - qudt:latexDefinition "\\(L^2 M T^-2 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H-1T-2D0" ; -. -qkdv:A0E0L2I0M1H-1T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^2 M T^-3 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H-1T-3D0" ; -. -qkdv:A0E0L2I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AngularMomentum ; - qudt:latexDefinition "\\(L^2 M T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H0T-1D0" ; -. -qkdv:A0E0L2I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Energy ; - qudt:hasReferenceQuantityKind quantitykind:Torque ; - qudt:latexDefinition "\\(L^2\\,M\\,T^{-2}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H0T-2D0" ; -. -qkdv:A0E0L2I0M1H0T-3D-1 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent -1 ; - qudt:latexDefinition "\\(U^-1 L^2 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H0T-3D-1" ; -. -qkdv:A0E0L2I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Power ; - qudt:latexDefinition "\\(L^2 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H0T-3D0" ; -. -qkdv:A0E0L2I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MomentOfInertia ; - qudt:latexDefinition "\\(L^2 M\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L2I0M1H0T0D0" ; -. -qkdv:A0E0L3I0M-1H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpecificHeatPressure ; - qudt:latexDefinition "\\(L^3 M^-1 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M-1H-1T0D0" ; -. -qkdv:A0E0L3I0M-1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^3 M^-1 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M-1H0T-2D0" ; -. -qkdv:A0E0L3I0M-1H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SpecificVolume ; - qudt:latexDefinition "\\(L^3 M^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M-1H0T0D0" ; -. -qkdv:A0E0L3I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:latexDefinition "\\(L^3 Θ^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M0H-1T0D0" ; -. -qkdv:A0E0L3I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:VolumeFlowRate ; - qudt:latexDefinition "\\(L^3 T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M0H0T-1D0" ; -. -qkdv:A0E0L3I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:StandardGravitationalParameter ; - qudt:latexDefinition "\\(L^3 T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M0H0T-2D0" ; -. -qkdv:A0E0L3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Volume ; - qudt:latexDefinition "\\(L^3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M0H0T0D0" ; -. -qkdv:A0E0L3I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M0H1T0D0" ; -. -qkdv:A0E0L3I0M1H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MomentOfForce ; - qudt:latexDefinition "\\(L^3 M T^-1\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M1H0T-1D0" ; -. -qkdv:A0E0L3I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:LengthEnergy ; - qudt:hasReferenceQuantityKind quantitykind:ThermalEnergyLength ; - qudt:latexDefinition "\\(L^3 M T^-2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L3I0M1H0T-2D0" ; -. -qkdv:A0E0L4I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M0H0T-1D0" ; -. -qkdv:A0E0L4I0M0H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M0H0T-2D0" ; -. -qkdv:A0E0L4I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SecondAxialMomentOfArea ; - qudt:latexDefinition "\\(L^4\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M0H0T0D0" ; -. -qkdv:A0E0L4I0M1H0T-2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M1H0T-2D0" ; -. -qkdv:A0E0L4I0M1H0T-3D-1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent -1 ; - qudt:latexDefinition "\\(U^-1 L^4 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M1H0T-3D-1" ; -. -qkdv:A0E0L4I0M1H0T-3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:PowerArea ; - qudt:latexDefinition "\\(L^4 M T^-3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M1H0T-3D0" ; -. -qkdv:A0E0L4I0M2H0T-4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:SquareEnergy ; - qudt:latexDefinition "\\(L^4 M^2 T^-4\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L4I0M2H0T-4D0" ; -. -qkdv:A0E0L5I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 5 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L5I0M0H0T0D0" ; -. -qkdv:A0E0L6I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 6 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E0L6I0M0H0T0D0" ; -. -qkdv:A0E1L-1I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticReluctivity ; - qudt:latexDefinition "\\(L^{-1} M^{-1} T^2 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-1I0M-1H0T2D0" ; -. -qkdv:A0E1L-1I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-1 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-1I0M0H0T0D0" ; -. -qkdv:A0E1L-1I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricChargeLineDensity ; - qudt:latexDefinition "\\(L^-1 T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-1I0M0H0T1D0" ; -. -qkdv:A0E1L-2I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:InverseMagneticFlux ; - qudt:latexDefinition "\\(L^-2 M^-1 T^2 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-2I0M-1H0T2D0" ; -. -qkdv:A0E1L-2I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; - qudt:latexDefinition "\\(L^-2 M^-1 T^3 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-2I0M-1H0T3D0" ; -. -qkdv:A0E1L-2I0M0H-2T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -2 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-2I0M0H-2T0D0" ; -. -qkdv:A0E1L-2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:latexDefinition "\\(L^-2 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-2I0M0H0T0D0" ; -. -qkdv:A0E1L-2I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerArea ; - qudt:latexDefinition "\\(L^-2 T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-2I0M0H0T1D0" ; -. -qkdv:A0E1L-3I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:latexDefinition "\\(L^-3 T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L-3I0M0H0T1D0" ; -. -qkdv:A0E1L0I0M-1H0T0D0 - a qudt:ISO-DimensionVector ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ExposureRate ; - qudt:hasReferenceQuantityKind quantitykind:SpecificElectricCurrent ; - qudt:latexDefinition "\\(I M^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M-1H0T0D0" ; -. -qkdv:A0E1L0I0M-1H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricChargePerMass ; - qudt:hasReferenceQuantityKind quantitykind:SpecificElectricCharge ; - qudt:latexDefinition "\\(I T M^{-1}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M-1H0T1D0" ; -. -qkdv:A0E1L0I0M-1H0T4D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M-1H0T4D0" ; -. -qkdv:A0E1L0I0M-1H1T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; - qudt:latexDefinition "\\(M^-1 T^2 I Θ\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M-1H1T2D0" ; -. -qkdv:A0E1L0I0M0H-1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature -1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M0H-1T0D0" ; -. -qkdv:A0E1L0I0M0H0T0D-1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent -1 ; - qudt:latexDefinition "\\(U^-1 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M0H0T0D-1" ; -. -qkdv:A0E1L0I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricCurrent ; - qudt:latexDefinition "\\(I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M0H0T0D0" ; -. -qkdv:A0E1L0I0M0H0T0D1 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 1 ; - qudt:latexDefinition "\\(U I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M0H0T0D1" ; -. -qkdv:A0E1L0I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricCharge ; - qudt:latexDefinition "\\(T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L0I0M0H0T1D0" ; -. -qkdv:A0E1L1I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:latexDefinition "\\(L T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L1I0M0H0T1D0" ; -. -qkdv:A0E1L2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:latexDefinition "\\(L^2 I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L2I0M0H0T0D0" ; -. -qkdv:A0E1L2I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 1 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:ElectricQuadrupoleMoment ; - qudt:latexDefinition "\\(L^2 T I\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E1L2I0M0H0T1D0" ; -. -qkdv:A0E2L-1I0M-1H0T4D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-1I0M-1H0T4D0" ; -. -qkdv:A0E2L-2I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-2I0M-1H0T2D0" ; -. -qkdv:A0E2L-2I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-2 M^-1 T^3 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-2I0M-1H0T3D0" ; -. -qkdv:A0E2L-2I0M-1H0T4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Capacitance ; - qudt:latexDefinition "\\(L^-2 M^-1 T^4 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-2I0M-1H0T4D0" ; -. -qkdv:A0E2L-3I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-3I0M-1H0T3D0" ; -. -qkdv:A0E2L-3I0M-1H0T4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:Permittivity ; - qudt:latexDefinition "\\(L^-3 M^-1 T^4 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-3I0M-1H0T4D0" ; -. -qkdv:A0E2L-4I0M-1H0T3D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength -4 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 3 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L-4I0M-1H0T3D0" ; -. -qkdv:A0E2L0I0M-1H0T4D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 4 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(M^-1 T^4 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L0I0M-1H0T4D0" ; -. -qkdv:A0E2L0I0M0H0T1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L0I0M0H0T1D0" ; -. -qkdv:A0E2L2I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 2 ; - qudt:dimensionExponentForLength 2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; - qudt:latexDefinition "\\(L^2 M^-1 T^2 I^2\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E2L2I0M-1H0T2D0" ; -. -qkdv:A0E3L-1I0M-2H0T7D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 3 ; - qudt:dimensionExponentForLength -1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 7 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; - qudt:latexDefinition "\\(L^-1 M^-2 T^7 I^3\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E3L-1I0M-2H0T7D0" ; -. -qkdv:A0E3L-3I0M-2H0T7D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 3 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 7 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A0E3L-3I0M-2H0T7D0" ; -. -qkdv:A0E4L-2I0M-3H0T10D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 4 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -3 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 10 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; - qudt:latexDefinition "\\(L^-2 M^-3 T^10 I^4\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E4L-2I0M-3H0T10D0" ; -. -qkdv:A0E4L-5I0M-3H0T10D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 4 ; - qudt:dimensionExponentForLength -5 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -3 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 10 ; - qudt:dimensionlessExponent 0 ; - qudt:latexDefinition "\\(L^-5 M^-3 T^10 I^4\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A0E4L-5I0M-3H0T10D0" ; -. -qkdv:A1E0L-2I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L-2I0M0H0T-1D0" ; -. -qkdv:A1E0L-2I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -2 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L-2I0M0H0T0D0" ; -. -qkdv:A1E0L-3I0M-1H0T2D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L-3I0M-1H0T2D0" ; -. -qkdv:A1E0L-3I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L-3I0M0H0T-1D0" ; -. -qkdv:A1E0L-3I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength -3 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:latexDefinition "\\(L^-3 N\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L-3I0M0H0T0D0" ; -. -qkdv:A1E0L0I0M-1H0T-1D0 - a qudt:QuantityKindDimensionVector_CGS ; - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M-1H0T-1D0" ; -. -qkdv:A1E0L0I0M-1H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:latexDefinition "\\(M^-1 N\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M-1H0T0D0" ; -. -qkdv:A1E0L0I0M0H0T-1D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime -1 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:CatalyticActivity ; - qudt:latexDefinition "\\(T^-1 N\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M0H0T-1D0" ; -. -qkdv:A1E0L0I0M0H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstance ; - qudt:latexDefinition "\\(N\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M0H0T0D0" ; -. -qkdv:A1E0L0I0M0H1T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 1 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:TemperatureAmountOfSubstance ; - qudt:latexDefinition "\\(\\theta N\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M0H1T0D0" ; -. -qkdv:A1E0L0I0M1H0T0D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 1 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:MassAmountOfSubstance ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L0I0M1H0T0D0" ; -. -qkdv:A1E0L1I0M-2H0T2D0 - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - qudt:dimensionExponentForAmountOfSubstance 1 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 1 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass -2 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 2 ; - qudt:dimensionlessExponent 0 ; - qudt:hasReferenceQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; - rdfs:isDefinedBy ; - rdfs:label "A1E0L1I0M-2H0T2D0" ; -. -qkdv:NotApplicable - a qudt:QuantityKindDimensionVector_ISO ; - a qudt:QuantityKindDimensionVector_Imperial ; - a qudt:QuantityKindDimensionVector_SI ; - dcterms:description "This is a placeholder dimension vector used in cases where there is no appropriate dimension vector"^^rdf:HTML ; - qudt:dimensionExponentForAmountOfSubstance 0 ; - qudt:dimensionExponentForElectricCurrent 0 ; - qudt:dimensionExponentForLength 0 ; - qudt:dimensionExponentForLuminousIntensity 0 ; - qudt:dimensionExponentForMass 0 ; - qudt:dimensionExponentForThermodynamicTemperature 0 ; - qudt:dimensionExponentForTime 0 ; - qudt:dimensionlessExponent 0 ; - rdfs:isDefinedBy ; - rdfs:label "Not Applicable" ; -. -voag:QUDT-DIMENSIONS-VocabCatalogEntry - a vaem:CatalogEntry ; - rdfs:isDefinedBy ; - rdfs:label "QUDT DIMENSIONS Vocab Catalog Entry" ; -. -vaem:GMD_QUDT-DIMENSION-VECTORS - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2019-08-01T16:25:54.850+00:00"^^xsd:dateTime ; - dcterms:creator "Steve Ray" ; - dcterms:description "Provides the set of all dimension vectors"^^rdf:HTML ; - dcterms:modified "2023-10-19T12:10:32.305-04:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "QUANTITY-KIND-DIMENSION-VECTORS" ; - dcterms:title "QUDT Dimension Vectors Version 2.1 Vocabulary" ; - vaem:applicableDiscipline "All disciplines" ; - vaem:applicableDomain "Science, Medicine and Engineering" ; - vaem:dateCreated "2019-08-01T21:26:38"^^xsd:dateTime ; - vaem:description "QUDT Dimension Vectors is a vocabulary that extends QUDT Quantity Kinds with properties that support dimensional analysis. There is one dimension vector for each of the system's base quantity kinds. The vector's magnitude determines the exponent of the base dimension for the referenced quantity kind"^^rdf:HTML ; - vaem:graphTitle "QUDT Dimension Vectors Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:intent "TBD" ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-QUANTITY-KIND-DIMENSION-VECTORS-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png" ; - vaem:namespace "http://qudt.org/vocab/dimensionvector/"^^xsd:anyURI ; - vaem:namespacePrefix "qkdv" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-QUANTITY-KIND-DIMENSION-VECTORS-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:specificity 1 ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/dimensionvector"^^xsd:anyURI ; - vaem:usesNonImportedResource dc:contributor ; - vaem:usesNonImportedResource dc:creator ; - vaem:usesNonImportedResource dc:description ; - vaem:usesNonImportedResource dc:rights ; - vaem:usesNonImportedResource dc:subject ; - vaem:usesNonImportedResource dc:title ; - vaem:usesNonImportedResource dcterms:contributor ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:description ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:rights ; - vaem:usesNonImportedResource dcterms:subject ; - vaem:usesNonImportedResource dcterms:title ; - vaem:usesNonImportedResource voag:QUDT-Attribution ; - vaem:usesNonImportedResource skos:closeMatch ; - vaem:usesNonImportedResource skos:exactMatch ; - vaem:withAttributionTo voag:QUDT-Attribution ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Dimension Vector Vocabulary Metadata Version 2.1.32" ; -. diff --git a/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl deleted file mode 100644 index 4da6e3ded..000000000 --- a/libraries/qudt/VOCAB_QUDT-PREFIXES-v2.1.ttl +++ /dev/null @@ -1,431 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/prefix -# imports: http://qudt.org/2.1/schema/facade/qudt - -@prefix dcterms: . -@prefix owl: . -@prefix prefix: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix vaem: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-PREFIXES ; - rdfs:label "QUDT VOCAB Decimal Prefixes Release 2.1.32" ; - owl:imports ; - owl:versionIRI ; - owl:versionInfo "Created with TopBraid Composer" ; -. -prefix:Atto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "\"atto\" is a decimal prefix for expressing a value with a scaling of \\(10^{-18}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atto"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atto?oldid=412748080"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-18 ; - qudt:symbol "a" ; - qudt:ucumCode "a" ; - rdfs:isDefinedBy ; - rdfs:label "Atto"@en ; -. -prefix:Centi - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'centi' is a decimal prefix for expressing a value with a scaling of \\(10^{-2}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Centi-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Centi-?oldid=480291808"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-2 ; - qudt:symbol "c" ; - qudt:ucumCode "c" ; - rdfs:isDefinedBy ; - rdfs:label "Centi"@en ; -. -prefix:Deca - a qudt:DecimalPrefix ; - a qudt:Prefix ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; - qudt:exactMatch prefix:Deka ; - qudt:prefixMultiplier 1.0E1 ; - qudt:symbol "da" ; - qudt:ucumCode "da" ; - rdfs:isDefinedBy ; - rdfs:label "Deca"@en ; -. -prefix:Deci - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "\"deci\" is a decimal prefix for expressing a value with a scaling of \\(10^{-1}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Deci-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deci-?oldid=469980160"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-1 ; - qudt:symbol "d" ; - qudt:ucumCode "d" ; - rdfs:isDefinedBy ; - rdfs:label "Deci"@en ; -. -prefix:Deka - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "deka is a decimal prefix for expressing a value with a scaling of \\(10^{1}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Deca"^^xsd:anyURI ; - qudt:exactMatch prefix:Deca ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deca?oldid=480093935"^^xsd:anyURI ; - qudt:prefixMultiplier "10.0"^^xsd:double ; - qudt:symbol "da" ; - qudt:ucumCode "da" ; - rdfs:isDefinedBy ; - rdfs:label "Deka"@en ; -. -prefix:Exa - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'exa' is a decimal prefix for expressing a value with a scaling of \\(10^{18}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Exa-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Exa-?oldid=494400216"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E18 ; - qudt:symbol "E" ; - qudt:ucumCode "E" ; - rdfs:isDefinedBy ; - rdfs:label "Exa"@en ; -. -prefix:Exbi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{6}\\), or \\(2^{60}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "152921504606846976.0"^^xsd:double ; - qudt:symbol "Ei" ; - rdfs:isDefinedBy ; - rdfs:label "Exbi"@en ; -. -prefix:Femto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'femto' is a decimal prefix for expressing a value with a scaling of \\(10^{-15}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Femto-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Femto-?oldid=467211359"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-15 ; - qudt:symbol "f" ; - qudt:ucumCode "f" ; - rdfs:isDefinedBy ; - rdfs:label "Femto"@en ; -. -prefix:Gibi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{3}\\), or \\(2^{30}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1073741824"^^xsd:double ; - qudt:symbol "Gi" ; - rdfs:isDefinedBy ; - rdfs:label "Gibi"@en ; -. -prefix:Giga - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'giga' is a decimal prefix for expressing a value with a scaling of \\(10^{9}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Giga-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Giga-?oldid=473222816"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E9 ; - qudt:symbol "G" ; - qudt:ucumCode "G" ; - rdfs:isDefinedBy ; - rdfs:label "Giga"@en ; -. -prefix:Hecto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'hecto' is a decimal prefix for expressing a value with a scaling of \\(10^{2}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hecto-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hecto-?oldid=494711166"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E2 ; - qudt:symbol "h" ; - qudt:ucumCode "h" ; - rdfs:isDefinedBy ; - rdfs:label "Hecto"@en ; -. -prefix:Kibi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024\\), or \\(2^{10}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1024"^^xsd:double ; - qudt:symbol "Ki" ; - rdfs:isDefinedBy ; - rdfs:label "Kibi"@en ; -. -prefix:Kilo - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "\"kilo\" is a decimal prefix for expressing a value with a scaling of \\(10^{3}\"\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilo"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilo?oldid=461428121"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E3 ; - qudt:symbol "k" ; - qudt:ucumCode "k" ; - rdfs:isDefinedBy ; - rdfs:label "Kilo"@en ; -. -prefix:Mebi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{2}\\), or \\(2^{20}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1048576"^^xsd:double ; - qudt:symbol "Mi" ; - rdfs:isDefinedBy ; - rdfs:label "Mebi"@en ; -. -prefix:Mega - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'mega' is a decimal prefix for expressing a value with a scaling of \\(10^{6}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mega"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mega?oldid=494040441"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E6 ; - qudt:symbol "M" ; - qudt:ucumCode "M" ; - rdfs:isDefinedBy ; - rdfs:label "Mega"@en ; -. -prefix:Micro - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "\"micro\" is a decimal prefix for expressing a value with a scaling of \\(10^{-6}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Micro"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Micro?oldid=491618374"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-6 ; - qudt:symbol "μ" ; - qudt:ucumCode "u" ; - rdfs:isDefinedBy ; - rdfs:label "Micro"@en ; -. -prefix:Milli - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'milli' is a decimal prefix for expressing a value with a scaling of \\(10^{-3}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Milli-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Milli-?oldid=467190544"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-3 ; - qudt:symbol "m" ; - qudt:ucumCode "m" ; - rdfs:isDefinedBy ; - rdfs:label "Milli"@en ; -. -prefix:Nano - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'nano' is a decimal prefix for expressing a value with a scaling of \\(10^{-9}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nano"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nano?oldid=489001692"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-9 ; - qudt:symbol "n" ; - qudt:ucumCode "n" ; - rdfs:isDefinedBy ; - rdfs:label "Nano"@en ; -. -prefix:Pebi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{5}\\), or \\(2^{50}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "125899906842624"^^xsd:double ; - qudt:symbol "Pi" ; - rdfs:isDefinedBy ; - rdfs:label "Pebi"@en ; -. -prefix:Peta - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'peta' is a decimal prefix for expressing a value with a scaling of \\(10^{15}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Peta"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Peta?oldid=488263435"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E15 ; - qudt:symbol "P" ; - qudt:ucumCode "P" ; - rdfs:isDefinedBy ; - rdfs:label "Peta"@en ; -. -prefix:Pico - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'pico' is a decimal prefix for expressing a value with a scaling of \\(10^{-12}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pico"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pico?oldid=485697614"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-12 ; - qudt:symbol "p" ; - qudt:ucumCode "p" ; - rdfs:isDefinedBy ; - rdfs:label "Pico"@en ; -. -prefix:Quecto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'quecto' is a decimal prefix for expressing a value with a scaling of \\(10^{-30}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quecto"^^xsd:anyURI ; - qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-30 ; - qudt:symbol "q" ; - qudt:ucumCode "q" ; - rdfs:isDefinedBy ; - rdfs:label "Quecto"@en ; -. -prefix:Quetta - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'quetta' is a decimal prefix for expressing a value with a scaling of \\(10^{30}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quetta"^^xsd:anyURI ; - qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E30 ; - qudt:symbol "Q" ; - qudt:ucumCode "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Quetta"@en ; -. -prefix:Ronna - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'ronna' is a decimal prefix for expressing a value with a scaling of \\(10^{27}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ronna"^^xsd:anyURI ; - qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E27 ; - qudt:symbol "R" ; - qudt:ucumCode "R" ; - rdfs:isDefinedBy ; - rdfs:label "Ronna"@en ; -. -prefix:Ronto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'ronto' is a decimal prefix for expressing a value with a scaling of \\(10^{-27}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ronto"^^xsd:anyURI ; - qudt:informativeReference "https://www.nist.gov/pml/owm/metric-si-prefixes"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-27 ; - qudt:symbol "r" ; - qudt:ucumCode "r" ; - rdfs:isDefinedBy ; - rdfs:label "Ronto"@en ; -. -prefix:Tebi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^4}\\), or \\(2^{40}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1099511627776"^^xsd:double ; - qudt:symbol "Ti" ; - rdfs:isDefinedBy ; - rdfs:label "Tebi"@en ; -. -prefix:Tera - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'tera' is a decimal prefix for expressing a value with a scaling of \\(10^{12}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tera"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tera?oldid=494204788"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E12 ; - qudt:symbol "T" ; - qudt:ucumCode "T" ; - rdfs:isDefinedBy ; - rdfs:label "Tera"@en ; -. -prefix:Yobi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{8}\\), or \\(2^{80}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1208925819614629174706176"^^xsd:double ; - qudt:symbol "Yi" ; - rdfs:isDefinedBy ; - rdfs:label "Yobi"@en ; -. -prefix:Yocto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'yocto' is a decimal prefix for expressing a value with a scaling of \\(10^{-24}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Yocto-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Yocto-?oldid=488155799"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-24 ; - qudt:symbol "y" ; - qudt:ucumCode "y" ; - rdfs:isDefinedBy ; - rdfs:label "Yocto"@en ; -. -prefix:Yotta - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'yotta' is a decimal prefix for expressing a value with a scaling of \\(10^{24}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Yotta-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Yotta-?oldid=494538119"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E24 ; - qudt:symbol "Y" ; - qudt:ucumCode "Y" ; - rdfs:isDefinedBy ; - rdfs:label "Yotta"@en ; -. -prefix:Zebi - a qudt:BinaryPrefix ; - a qudt:Prefix ; - dcterms:description "A binary prefix for expressing a value with a scaling of \\(1024^{7}\\), or \\(2^{70}\\)."^^qudt:LatexString ; - qudt:prefixMultiplier "1180591620717411303424"^^xsd:double ; - qudt:symbol "Zi" ; - rdfs:isDefinedBy ; - rdfs:label "Zebi"@en ; -. -prefix:Zepto - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'zepto' is a decimal prefix for expressing a value with a scaling of \\(10^{-21}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Zepto-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Zepto-?oldid=476974663"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E-21 ; - qudt:symbol "z" ; - qudt:ucumCode "z" ; - rdfs:isDefinedBy ; - rdfs:label "Zepto"@en ; -. -prefix:Zetta - a qudt:DecimalPrefix ; - a qudt:Prefix ; - dcterms:description "'zetta' is a decimal prefix for expressing a value with a scaling of \\(10^{21}\\)."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Zetta-"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Zetta-?oldid=495223080"^^xsd:anyURI ; - qudt:prefixMultiplier 1.0E21 ; - qudt:symbol "Z" ; - qudt:ucumCode "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Zetta"@en ; -. -vaem:GMD_QUDT-PREFIXES - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Michael Ringel" ; - dcterms:contributor "Ralph Hodgson" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2020-07-15"^^xsd:date ; - dcterms:creator "Steve Ray" ; - dcterms:modified "2023-10-19T12:29:18.111-04:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Prefixes" ; - dcterms:title "QUDT Prefixes Version 2.1 Vocabulary" ; - vaem:description "The Prefixes vocabulary defines the prefixes commonly prepended to units to connote multiplication, either decimal or binary." ; - vaem:graphName "prefix" ; - vaem:graphTitle "QUDT Prefixes Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner ; - vaem:hasSteward ; - vaem:intent "Provides a vocabulary of prefixes for both human and machine use" ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-PREFIXES-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/vocab/prefix/"^^xsd:anyURI ; - vaem:namespacePrefix "prefix" ; - vaem:owner "QUDT.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-PREFIXES-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:specificity 1 ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/prefix"^^xsd:anyURI ; - vaem:urlForHTML "http://qudt.org/2.1/vocab/prefix.html"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:title ; - vaem:website "http://qudt.org/2.1/vocab/prefix.ttl"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Prefix Vocabulary Version Metadata 2.1.32" ; -. diff --git a/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl deleted file mode 100644 index 47ca49e86..000000000 --- a/libraries/qudt/VOCAB_QUDT-QUANTITY-KINDS-ALL-v2.1.ttl +++ /dev/null @@ -1,23896 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/quantitykind -# imports: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/vocab/dimensionvector - -@prefix constant: . -@prefix dc: . -@prefix dcterms: . -@prefix mc: . -@prefix owl: . -@prefix prov: . -@prefix qkdv: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix soqk: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-QUANTITY-KINDS-ALL ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Quantity Kind Vocabulary Version 2.1.32" ; - owl:imports ; - owl:imports ; - owl:versionIRI ; -. -quantitykind:AbsoluteActivity - a qudt:QuantityKind ; - dcterms:description "The \"Absolute Activity\" is the exponential of the ratio of the chemical potential to \\(RT\\) where \\(R\\) is the gas constant and \\(T\\) the thermodynamic temperature."^^qudt:LatexString ; - qudt:applicableUnit unit:BQ-SEC-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://goldbook.iupac.org/A00019.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda_B = e^{\\frac{\\mu_B}{RT}}\\), where \\(\\mu_B\\) is the chemical potential of substance \\(B\\), \\(R\\) is the molar gas constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda_B\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Absolute Activity"@en ; - skos:broader quantitykind:InverseVolume ; -. -quantitykind:AbsoluteHumidity - a qudt:QuantityKind ; - dcterms:description "\"Absolute Humidity\" is an amount of water vapor, usually discussed per unit volume. Absolute humidity in air ranges from zero to roughly 30 grams per cubic meter when the air is saturated at \\(30 ^\\circ C\\). The absolute humidity changes as air temperature or pressure changes. This is very inconvenient for chemical engineering calculations, e.g. for clothes dryers, where temperature can vary considerably. As a result, absolute humidity is generally defined in chemical engineering as mass of water vapor per unit mass of dry air, also known as the mass mixing ratio, which is much more rigorous for heat and mass balance calculations. Mass of water per unit volume as in the equation above would then be defined as volumetric humidity. Because of the potential confusion."^^qudt:LatexString ; - qudt:applicableUnit unit:DEGREE_BALLING ; - qudt:applicableUnit unit:DEGREE_BAUME ; - qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; - qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; - qudt:applicableUnit unit:DEGREE_BRIX ; - qudt:applicableUnit unit:DEGREE_OECHSLE ; - qudt:applicableUnit unit:DEGREE_PLATO ; - qudt:applicableUnit unit:DEGREE_TWADDELL ; - qudt:applicableUnit unit:FemtoGM-PER-L ; - qudt:applicableUnit unit:GM-PER-CentiM3 ; - qudt:applicableUnit unit:GM-PER-DeciL ; - qudt:applicableUnit unit:GM-PER-DeciM3 ; - qudt:applicableUnit unit:GM-PER-L ; - qudt:applicableUnit unit:GM-PER-M3 ; - qudt:applicableUnit unit:GM-PER-MilliL ; - qudt:applicableUnit unit:GRAIN-PER-GAL ; - qudt:applicableUnit unit:GRAIN-PER-GAL_US ; - qudt:applicableUnit unit:GRAIN-PER-M3 ; - qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; - qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; - qudt:applicableUnit unit:KiloGM-PER-L ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:applicableUnit unit:LB-PER-FT3 ; - qudt:applicableUnit unit:LB-PER-GAL ; - qudt:applicableUnit unit:LB-PER-GAL_UK ; - qudt:applicableUnit unit:LB-PER-GAL_US ; - qudt:applicableUnit unit:LB-PER-IN3 ; - qudt:applicableUnit unit:LB-PER-M3 ; - qudt:applicableUnit unit:LB-PER-YD3 ; - qudt:applicableUnit unit:MegaGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-DeciL ; - qudt:applicableUnit unit:MicroGM-PER-L ; - qudt:applicableUnit unit:MicroGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-MilliL ; - qudt:applicableUnit unit:MilliGM-PER-DeciL ; - qudt:applicableUnit unit:MilliGM-PER-L ; - qudt:applicableUnit unit:MilliGM-PER-M3 ; - qudt:applicableUnit unit:MilliGM-PER-MilliL ; - qudt:applicableUnit unit:NanoGM-PER-DeciL ; - qudt:applicableUnit unit:NanoGM-PER-L ; - qudt:applicableUnit unit:NanoGM-PER-M3 ; - qudt:applicableUnit unit:NanoGM-PER-MicroL ; - qudt:applicableUnit unit:NanoGM-PER-MilliL ; - qudt:applicableUnit unit:OZ-PER-GAL ; - qudt:applicableUnit unit:OZ-PER-GAL_UK ; - qudt:applicableUnit unit:OZ-PER-GAL_US ; - qudt:applicableUnit unit:OZ-PER-IN3 ; - qudt:applicableUnit unit:OZ-PER-YD3 ; - qudt:applicableUnit unit:PicoGM-PER-L ; - qudt:applicableUnit unit:PicoGM-PER-MilliL ; - qudt:applicableUnit unit:PlanckDensity ; - qudt:applicableUnit unit:SLUG-PER-FT3 ; - qudt:applicableUnit unit:TONNE-PER-M3 ; - qudt:applicableUnit unit:TON_LONG-PER-YD3 ; - qudt:applicableUnit unit:TON_Metric-PER-M3 ; - qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; - qudt:applicableUnit unit:TON_UK-PER-YD3 ; - qudt:applicableUnit unit:TON_US-PER-YD3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Humidity"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Humidity#Absolute_humidity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition """\\(AH = \\frac{\\mathcal{M}_\\omega}{\\vee_{net}}\\), -where \\(\\mathcal{M}_\\omega\\) is the mass of water vapor per unit volume of total air and \\(\\vee_{net}\\) is water vapor mixture."""^^qudt:LatexString ; - qudt:symbol "AH" ; - rdfs:isDefinedBy ; - rdfs:label "Absolute Humidity"@en ; - rdfs:seeAlso quantitykind:RelativeHumidity ; - skos:broader quantitykind:Density ; -. -quantitykind:AbsorbedDose - a qudt:QuantityKind ; - dcterms:description "\"Absorbed Dose\" (also known as Total Ionizing Dose, TID) is a measure of the energy deposited in a medium by ionizing radiation. It is equal to the energy deposited per unit mass of medium, and so has the unit \\(J/kg\\), which is given the special name Gray (\\(Gy\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:GRAY ; - qudt:applicableUnit unit:MicroGRAY ; - qudt:applicableUnit unit:MilliGRAY ; - qudt:applicableUnit unit:MilliRAD_R ; - qudt:applicableUnit unit:RAD_R ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Absorbed_dose"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbed_dose"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(D = \\frac{d\\bar{\\varepsilon}}{dm}\\), where \\(d\\bar{\\varepsilon}\\) is the mean energy imparted by ionizing radiation to an element of irradiated matter with the mass \\(dm\\)."^^qudt:LatexString ; - qudt:symbol "D" ; - rdfs:comment "Note that the absorbed dose is not a good indicator of the likely biological effect. 1 Gy of alpha radiation would be much more biologically damaging than 1 Gy of photon radiation for example. Appropriate weighting factors can be applied reflecting the different relative biological effects to find the equivalent dose. The risk of stoctic effects due to radiation exposure can be quantified using the effective dose, which is a weighted average of the equivalent dose to each organ depending upon its radiosensitivity. When ionising radiation is used to treat cancer, the doctor will usually prescribe the radiotherapy treatment in Gy. When risk from ionising radiation is being discussed, a related unit, the Sievert is used." ; - rdfs:isDefinedBy ; - rdfs:label "Absorbed Dose"@en ; - skos:broader quantitykind:SpecificEnergy ; -. -quantitykind:AbsorbedDoseRate - a qudt:QuantityKind ; - dcterms:description "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)."^^rdf:HTML ; - qudt:applicableUnit unit:ERG-PER-GM-SEC ; - qudt:applicableUnit unit:GRAY-PER-SEC ; - qudt:applicableUnit unit:MilliW-PER-MilliGM ; - qudt:applicableUnit unit:W-PER-GM ; - qudt:applicableUnit unit:W-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:informativeReference "http://www.answers.com/topic/absorbed-dose-rate"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\dot{D} = \\frac{dD}{dt}\\), where \\(dD\\) is the increment of absorbed dose during time interval with duration \\(dt\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\dot{D}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Absorbed Dose Rate\" is the absorbed dose of ionizing radiation imparted at a given location per unit of time (second, minute, hour, or day)." ; - rdfs:isDefinedBy ; - rdfs:label "Absorbed Dose Rate"@en ; -. -quantitykind:Absorptance - a qudt:QuantityKind ; - dcterms:description "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Absorbance"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Absorptance"^^xsd:anyURI ; - qudt:informativeReference "https://www.researchgate.net/post/Absorptance_or_absorbance"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha = \\frac{\\Phi_a}{\\Phi_m}\\), where \\(\\Phi_a\\) is the absorbed radiant flux or the absorbed luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Absorptance is the ratio of the radiation absorbed by a surface to that incident upon it. Also known as absorbance." ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Absorptance"@en ; -. -quantitykind:Acceleration - a qudt:QuantityKind ; - dcterms:description "Acceleration is the (instantaneous) rate of change of velocity. Acceleration may be either linear acceleration, or angular acceleration. It is a vector quantity with dimension \\(length/time^{2}\\) for linear acceleration, or in the case of angular acceleration, with dimension \\(angle/time^{2}\\). In SI units, linear acceleration is measured in \\(meters/second^{2}\\) (\\(m \\cdot s^{-2}\\)) and angular acceleration is measured in \\(radians/second^{2}\\). In physics, any increase or decrease in speed is referred to as acceleration and similarly, motion in a circle at constant speed is also an acceleration, since the direction component of the velocity is changing."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiM-PER-SEC2 ; - qudt:applicableUnit unit:FT-PER-SEC2 ; - qudt:applicableUnit unit:G ; - qudt:applicableUnit unit:GALILEO ; - qudt:applicableUnit unit:IN-PER-SEC2 ; - qudt:applicableUnit unit:KN-PER-SEC ; - qudt:applicableUnit unit:KiloPA-M2-PER-GM ; - qudt:applicableUnit unit:M-PER-SEC2 ; - qudt:applicableUnit unit:MicroG ; - qudt:applicableUnit unit:MilliG ; - qudt:applicableUnit unit:MilliGAL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; - qudt:exactMatch quantitykind:LinearAcceleration ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acceleration"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Beschleunigung"@de ; - rdfs:label "Pecutan"@ms ; - rdfs:label "Zrychlení"@cs ; - rdfs:label "acceleratio"@la ; - rdfs:label "acceleration"@en ; - rdfs:label "accelerazione"@it ; - rdfs:label "accelerație"@ro ; - rdfs:label "accélération"@fr ; - rdfs:label "aceleración"@es ; - rdfs:label "aceleração"@pt ; - rdfs:label "ivme"@tr ; - rdfs:label "pospešek"@sl ; - rdfs:label "przyspieszenie"@pl ; - rdfs:label "Όγκος"@el ; - rdfs:label "Ускоре́ние"@ru ; - rdfs:label "التسارع"@ar ; - rdfs:label "شتاب"@fa ; - rdfs:label "त्वरण"@hi ; - rdfs:label "加速度"@ja ; - rdfs:label "加速度"@zh ; -. -quantitykind:AccelerationOfGravity - a qudt:QuantityKind ; - dcterms:description "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-SEC2 ; - qudt:applicableUnit unit:FT-PER-SEC2 ; - qudt:applicableUnit unit:G ; - qudt:applicableUnit unit:GALILEO ; - qudt:applicableUnit unit:IN-PER-SEC2 ; - qudt:applicableUnit unit:KN-PER-SEC ; - qudt:applicableUnit unit:KiloPA-M2-PER-GM ; - qudt:applicableUnit unit:M-PER-SEC2 ; - qudt:applicableUnit unit:MicroG ; - qudt:applicableUnit unit:MilliG ; - qudt:applicableUnit unit:MilliGAL ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:plainTextDescription "The acceleration of freely falling bodies under the influence of terrestrial gravity, equal to approximately 9.81 meters (32 feet) per second per second." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "Acceleration Of Gravity"@en ; - skos:broader quantitykind:Acceleration ; -. -quantitykind:AcceptorDensity - a qudt:QuantityKind ; - dcterms:description "\"Acceptor Density\" is the number per volume of acceptor levels."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Acceptor Density\" is the number per volume of acceptor levels." ; - qudt:symbol "n_a" ; - rdfs:isDefinedBy ; - rdfs:label "Acceptor Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:AcceptorIonizationEnergy - a qudt:QuantityKind ; - dcterms:description "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Acceptor Ionization Energy\" is the ionization energy of an acceptor." ; - qudt:symbol "E_a" ; - rdfs:isDefinedBy ; - rdfs:label "Acceptor Ionization Energy"@en ; - skos:broader quantitykind:IonizationEnergy ; - skos:closeMatch quantitykind:DonorIonizationEnergy ; -. -quantitykind:Acidity - a qudt:QuantityKind ; - dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity."^^rdf:HTML ; - qudt:applicableUnit unit:PH ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; - qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; lower pH means higher acidity." ; - rdfs:isDefinedBy ; - rdfs:label "Acidity"@en ; - skos:broader quantitykind:PH ; -. -quantitykind:AcousticImpedance - a qudt:QuantityKind ; - dcterms:description "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface."^^rdf:HTML ; - qudt:applicableUnit unit:PA-SEC-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z_a= \\frac{p}{q} = \\frac{p}{vS}\\), where \\(p\\) is the sound pressure, \\(q\\) is the sound volume velocity, \\(v\\) is sound particle velocity, and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; - qudt:plainTextDescription "Acoustic impedance at a surface is the complex quotient of the average sound pressure over that surface by the sound volume flow rate through that surface." ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Acoustic Impediance"@en ; - skos:broader quantitykind:MassPerAreaTime ; -. -quantitykind:Action - a qudt:QuantityKind ; - dcterms:description """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. -The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; - qudt:applicableUnit unit:AttoJ-SEC ; - qudt:applicableUnit unit:J-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Action_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(S = \\int Ldt\\), where \\(L\\) is the Lagrange function and \\(t\\) is time."^^qudt:LatexString ; - qudt:plainTextDescription """An action is usually an integral over time. But for action pertaining to fields, it may be integrated over spatial variables as well. In some cases, the action is integrated along the path followed by the physical system. If the action is represented as an integral over time, taken a the path of the system between the initial time and the final time of the development of the system. -The evolution of a physical system between two states is determined by requiring the action be minimized or, more generally, be stationary for small perturbations about the true evolution. This requirement leads to differential equations that describe the true evolution. Conversely, an action principle is a method for reformulating differential equations of motion for a physical system as an equivalent integral equation. Although several variants have been defined (see below), the most commonly used action principle is Hamilton's principle.""" ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Action"@en ; -. -quantitykind:ActionTime - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:comment "Action Time (sec) " ; - rdfs:isDefinedBy ; - rdfs:label "Action Time"@en ; -. -quantitykind:ActiveEnergy - a qudt:QuantityKind ; - dcterms:description "\"Active Energy\" is the electrical energy transformable into some other form of energy."^^rdf:HTML ; - qudt:abbreviation "active-energy" ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=601-01-19"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(W = \\int_{t_1}^{t_2} p dt\\), where \\(p\\) is instantaneous power and the integral interval is the time interval from \\(t_1\\) to \\(t_2\\)."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Active Energy\" is the electrical energy transformable into some other form of energy." ; - qudt:symbol "W" ; - rdfs:isDefinedBy ; - rdfs:label "Active Energy"@en ; - rdfs:seeAlso quantitykind:InstantaneousPower ; - skos:broader quantitykind:Energy ; -. -quantitykind:ActivePower - a qudt:QuantityKind ; - dcterms:description "\\(Active Power\\) is, under periodic conditions, the mean value, taken over one period \\(T\\), of the instantaneous power \\(p\\). In complex notation, \\(P = \\mathbf{Re} \\; \\underline{S}\\), where \\(\\underline{S}\\) is \\(\\textit{complex power}\\)\"."^^qudt:LatexString ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-42"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(P = \\frac{1}{T}\\int_{0}^{T} pdt\\), where \\(T\\) is the period and \\(p\\) is instantaneous power."^^qudt:LatexString ; - qudt:symbol "P" ; - rdfs:isDefinedBy ; - rdfs:label "Active Power"@en ; - rdfs:seeAlso quantitykind:ComplexPower ; - rdfs:seeAlso quantitykind:InstantaneousPower ; - skos:broader quantitykind:ComplexPower ; -. -quantitykind:Activity - a qudt:QuantityKind ; - dcterms:description "\"Activity\" is the number of decays per unit time of a radioactive sample, the term used to characterise the number of nuclei which disintegrate in a radioactive substance per unit time. Activity is usually measured in Becquerels (\\(Bq\\)), where 1 \\(Bq\\) is 1 disintegration per second, in honor of the scientist Henri Becquerel."^^qudt:LatexString ; - qudt:applicableUnit unit:BQ ; - qudt:applicableUnit unit:Ci ; - qudt:applicableUnit unit:GigaBQ ; - qudt:applicableUnit unit:KiloBQ ; - qudt:applicableUnit unit:KiloCi ; - qudt:applicableUnit unit:MegaBQ ; - qudt:applicableUnit unit:MicroBQ ; - qudt:applicableUnit unit:MicroCi ; - qudt:applicableUnit unit:MilliBQ ; - qudt:applicableUnit unit:MilliCi ; - qudt:applicableUnit unit:NanoBQ ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Radioactive_decay"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radioactive_decay"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radioactive_decay#Radioactive_decay_rates"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition """\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number. - -Variation \\(dN\\) of spontaneous number of nuclei \\(N\\) in a particular energy state, in a sample of radionuclide, due to spontaneous nuclear transitions from this state during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(A = -\\frac{dN}{dt}\\)."""^^qudt:LatexString ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Activity"@en ; - skos:broader quantitykind:StochasticProcess ; -. -quantitykind:ActivityCoefficient - a qudt:QuantityKind ; - dcterms:description "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. "^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(f_B = \\frac{\\lambda_B}{(\\lambda_B^*x_B)}\\), where \\(\\lambda_B\\) the absolute activity of substance \\(B\\), \\(\\lambda_B^*\\) is the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\)."^^qudt:LatexString ; - qudt:plainTextDescription "An \"Activity Coefficient\" is a factor used in thermodynamics to account for deviations from ideal behaviour in a mixture of chemical substances. In an ideal mixture, the interactions between each pair of chemical species are the same (or more formally, the enthalpy change of solution is zero) and, as a result, properties of the mixtures can be expressed directly in terms of simple concentrations or partial pressures of the substances present e.g. Raoult's law. Deviations from ideality are accommodated by modifying the concentration by an activity coefficient. " ; - qudt:symbol "f_B" ; - rdfs:isDefinedBy ; - rdfs:label "Activity Coefficient"@en ; -. -quantitykind:ActivityConcentration - a qudt:QuantityKind ; - dcterms:description "The \"Activity Concentration\", also known as volume activity, and activity density, is ."^^rdf:HTML ; - qudt:applicableUnit unit:BQ-PER-L ; - qudt:applicableUnit unit:BQ-PER-M3 ; - qudt:applicableUnit unit:MicroBQ-PER-L ; - qudt:applicableUnit unit:MilliBQ-PER-L ; - qudt:applicableUnit unit:NanoBQ-PER-L ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/activityconcentration.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(c_A = \\frac{A}{V}\\), where \\(A\\) is the activity of a sample and \\(V\\) is its volume."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Activity Concentration\", also known as volume activity, and activity density, is ." ; - qudt:symbol "c_A" ; - rdfs:isDefinedBy ; - rdfs:label "Activity Concentration"@en ; -. -quantitykind:ActivityThresholds - a qudt:QuantityKind ; - dcterms:description "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Activity Thresholds\" are thresholds of sensitivity for radioactivity." ; - rdfs:isDefinedBy ; - rdfs:label "Activity Thresholds"@en ; -. -quantitykind:Adaptation - a qudt:QuantityKind ; - dcterms:description "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation), usually measured in units of time."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Neural_adaptation#Visual"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Adaptation\" is the recovery of visual ability following exposure to light (dark adaptation)." ; - rdfs:isDefinedBy ; - rdfs:label "Adaptation"@en ; -. -quantitykind:Admittance - a qudt:QuantityKind ; - dcterms:description "\"Admittance\" is a measure of how easily a circuit or device will allow a current to flow. It is defined as the inverse of the impedance (\\(Z\\)). "^^qudt:LatexString ; - qudt:applicableUnit unit:DeciS ; - qudt:applicableUnit unit:KiloS ; - qudt:applicableUnit unit:MegaS ; - qudt:applicableUnit unit:MicroS ; - qudt:applicableUnit unit:MilliS ; - qudt:applicableUnit unit:NanoS ; - qudt:applicableUnit unit:PicoS ; - qudt:applicableUnit unit:S ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(Y = \\frac{1}{Z}\\), where \\(Z\\) is impedance."^^qudt:LatexString ; - qudt:latexSymbol "\\(Y\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Admittance"@en ; - rdfs:seeAlso quantitykind:Impedance ; -. -quantitykind:AlphaDisintegrationEnergy - a qudt:QuantityKind ; - dcterms:description "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the \\(\\alpha\\)-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration."^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:latexSymbol "\\(Q_a\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Alpha Disintegration Energy\" is the sum of the kinetic energy of the alpha-particle produced in the disintegration process and the recoil energy of the product atom in the reference frame in which the emitting nucleus is at rest before its disintegration." ; - rdfs:isDefinedBy ; - rdfs:label "Alpha Disintegration Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:Altitude - a qudt:QuantityKind ; - dcterms:description "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]"^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Altitude"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "Altitude or height is defined based on the context in which it is used (aviation, geometry, geographical survey, sport, and more). As a general definition, altitude is a distance measurement, usually in the vertical or \"up\" direction, between a reference datum and a point or object. The reference datum also often varies according to the context. [Wikipedia]" ; - rdfs:isDefinedBy ; - rdfs:label "Altitude"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:AmbientPressure - a qudt:QuantityKind ; - dcterms:description """The ambient pressure on an object is the pressure of the surrounding medium, such as a gas or liquid, which comes into contact with the object. -The SI unit of pressure is the pascal (Pa), which is a very small unit relative to atmospheric pressure on Earth, so kilopascals (\\(kPa\\)) are more commonly used in this context. """^^qudt:LatexString ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:symbol "p_a" ; - rdfs:isDefinedBy ; - rdfs:label "Ambient Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:AmountOfSubstance - a qudt:QuantityKind ; - dcterms:description "\"Amount of Substance\" is a standards-defined quantity that measures the size of an ensemble of elementary entities, such as atoms, molecules, electrons, and other particles. It is sometimes referred to as chemical amount. The International System of Units (SI) defines the amount of substance to be proportional to the number of elementary entities present. The SI unit for amount of substance is \\(mole\\). It has the unit symbol \\(mol\\). The mole is defined as the amount of substance that contains an equal number of elementary entities as there are atoms in 0.012kg of the isotope carbon-12. This number is called Avogadro's number and has the value \\(6.02214179(30) \\times 10^{23}\\). The only other unit of amount of substance in current use is the \\(pound-mole\\) with the symbol \\(lb-mol\\), which is sometimes used in chemical engineering in the United States. One \\(pound-mole\\) is exactly \\(453.59237 mol\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiMOL ; - qudt:applicableUnit unit:FemtoMOL ; - qudt:applicableUnit unit:IU ; - qudt:applicableUnit unit:KiloMOL ; - qudt:applicableUnit unit:MOL ; - qudt:applicableUnit unit:MicroMOL ; - qudt:applicableUnit unit:MilliMOL ; - qudt:applicableUnit unit:NanoMOL ; - qudt:applicableUnit unit:PicoMOL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Amount_of_substance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Jumlah bahan"@ms ; - rdfs:label "Látkové množství"@cs ; - rdfs:label "Stoffmenge"@de ; - rdfs:label "amount of substance"@en ; - rdfs:label "anyagmennyiség"@hu ; - rdfs:label "cantidad de sustancia"@es ; - rdfs:label "cantitate de substanță"@ro ; - rdfs:label "chemical amount"@en ; - rdfs:label "jumlah kimia"@ms ; - rdfs:label "liczność materii"@pl ; - rdfs:label "madde miktarı"@tr ; - rdfs:label "množina snovi"@sl ; - rdfs:label "quantidade de substância"@pt ; - rdfs:label "quantitas substantiae"@la ; - rdfs:label "quantità chimica"@it ; - rdfs:label "quantità di materia"@it ; - rdfs:label "quantità di sostanza"@it ; - rdfs:label "quantité de matière"@fr ; - rdfs:label "Ποσότητα Ουσίας"@el ; - rdfs:label "Количество вещества"@ru ; - rdfs:label "Количество вещество"@bg ; - rdfs:label "כמות חומר"@he ; - rdfs:label "كمية المادة"@ar ; - rdfs:label "مقدار ماده"@fa ; - rdfs:label "पदार्थ की मात्रा"@hi ; - rdfs:label "物質量"@ja ; - rdfs:label "物质的量"@zh ; -. -quantitykind:AmountOfSubstanceConcentration - a qudt:QuantityKind ; - dcterms:description "\"Amount of Substance of Concentration\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; - qudt:applicableUnit unit:CentiMOL-PER-L ; - qudt:applicableUnit unit:FemtoMOL-PER-L ; - qudt:applicableUnit unit:KiloMOL-PER-M3 ; - qudt:applicableUnit unit:MOL-PER-DeciM3 ; - qudt:applicableUnit unit:MOL-PER-L ; - qudt:applicableUnit unit:MOL-PER-M3 ; - qudt:applicableUnit unit:MicroMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-M3 ; - qudt:applicableUnit unit:NanoMOL-PER-L ; - qudt:applicableUnit unit:PicoMOL-PER-L ; - qudt:applicableUnit unit:PicoMOL-PER-M3 ; - qudt:exactMatch quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; - qudt:symbol "C_B" ; - rdfs:isDefinedBy ; - rdfs:label "Amount of Substance of Concentration"@en ; -. -quantitykind:AmountOfSubstanceConcentrationOfB - a qudt:QuantityKind ; - dcterms:description "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture."^^rdf:HTML ; - dcterms:isReplacedBy quantitykind:AmountOfSubstanceConcentration ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_of_substance_concentration"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(C_B = \\frac{n_B}{V}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Amount of Substance of Concentration of B\" is defined as the amount of a constituent divided by the volume of the mixture." ; - qudt:symbol "C_B" ; - rdfs:isDefinedBy ; - rdfs:label "Amount of Substance of Concentration of B"@en ; -. -quantitykind:AmountOfSubstanceFraction - a qudt:QuantityKind ; - dcterms:description "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Fractional Amount of Substance\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; - qudt:symbol "X_B" ; - rdfs:isDefinedBy ; - rdfs:label "Fractional Amount of Substance"@en ; -. -quantitykind:AmountOfSubstanceFractionOfB - a qudt:QuantityKind ; - dcterms:description "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture."^^rdf:HTML ; - dcterms:isReplacedBy quantitykind:AmountOfSubstanceFraction ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Amount_fraction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(x_B = \\frac{n_B}{n}\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(n\\) is the total amount of substance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Amount of Substance of Fraction of B\" is defined as tthe amount of a constituent divided by the total amount of all constituents in a mixture." ; - qudt:symbol "X_B" ; - rdfs:isDefinedBy ; - rdfs:label "Amount of Substance of Fraction of B"@en ; -. -quantitykind:AmountOfSubstancePerUnitMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; - qudt:applicableUnit unit:FemtoMOL-PER-KiloGM ; - qudt:applicableUnit unit:IU-PER-MilliGM ; - qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; - qudt:applicableUnit unit:MOL-PER-KiloGM ; - qudt:applicableUnit unit:MOL-PER-TONNE ; - qudt:applicableUnit unit:MicroMOL-PER-GM ; - qudt:applicableUnit unit:MicroMOL-PER-KiloGM ; - qudt:applicableUnit unit:MilliMOL-PER-GM ; - qudt:applicableUnit unit:MilliMOL-PER-KiloGM ; - qudt:applicableUnit unit:NanoMOL-PER-KiloGM ; - qudt:applicableUnit unit:PicoMOL-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - vaem:todo "fix the numerator and denominator dimensions" ; - rdfs:isDefinedBy ; - rdfs:label "Amount of Substance per Unit Mass"@en ; -. -quantitykind:AmountOfSubstancePerUnitMassPressure - a qudt:QuantityKind ; - dcterms:description "The \"Variation of Molar Mass\" of a gas as a function of pressure."^^rdf:HTML ; - qudt:applicableUnit unit:MOL-PER-KiloGM-PA ; - qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; - qudt:plainTextDescription "The \"Variation of Molar Mass\" of a gas as a function of pressure." ; - rdfs:isDefinedBy ; - rdfs:label "Molar Mass variation due to Pressure"@en ; -. -quantitykind:AmountOfSubstancePerUnitVolume - a qudt:QuantityKind ; - dcterms:description "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure."^^rdf:HTML ; - qudt:applicableUnit unit:CentiMOL-PER-L ; - qudt:applicableUnit unit:FemtoMOL-PER-L ; - qudt:applicableUnit unit:KiloMOL-PER-M3 ; - qudt:applicableUnit unit:MOL-PER-DeciM3 ; - qudt:applicableUnit unit:MOL-PER-L ; - qudt:applicableUnit unit:MOL-PER-M3 ; - qudt:applicableUnit unit:MicroMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-M3 ; - qudt:applicableUnit unit:NanoMOL-PER-L ; - qudt:applicableUnit unit:PicoMOL-PER-L ; - qudt:applicableUnit unit:PicoMOL-PER-M3 ; - qudt:exactMatch quantitykind:AmountOfSubstanceConcentration ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://www.ask.com/answers/72367781/what-is-defined-as-the-amount-of-substance-per-unit-of-volume"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; - qudt:plainTextDescription "The amount of substance per unit volume is called the molar density. Molar density is an intensive property of a substance and depends on the temperature and pressure." ; - rdfs:isDefinedBy ; - rdfs:label "Amount of Substance per Unit Volume"@en ; - skos:broader quantitykind:Concentration ; -. -quantitykind:Angle - a qudt:QuantityKind ; - dcterms:description "The abstract notion of angle. Narrow concepts include plane angle and solid angle. While both plane angle and solid angle are dimensionless, they are actually length/length and area/area respectively."^^qudt:LatexString ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angle"^^xsd:anyURI ; - qudt:exactMatch quantitykind:PlaneAngle ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Angle"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:AngleOfAttack - a qudt:QuantityKind ; - dcterms:description "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Angle of attack is the angle between the oncoming air or relative wind and a reference line on the airplane or wing." ; - rdfs:isDefinedBy ; - rdfs:label "Angle Of Attack"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:AngleOfOpticalRotation - a qudt:QuantityKind ; - dcterms:description "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Optical_rotation"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Angle of Optical Rotation\" is the angle through which plane-polarized light is rotated clockwise, as seen when facing the light source, in passing through an optically active medium." ; - rdfs:isDefinedBy ; - rdfs:label "Angle of Optical Rotation"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:AngularAcceleration - a qudt:QuantityKind ; - dcterms:description "Angular acceleration is the rate of change of angular velocity over time. Measurement of the change made in the rate of change of an angle that a spinning object undergoes per unit time. It is a vector quantity. Also called Rotational acceleration. In SI units, it is measured in radians per second squared (\\(rad/s^2\\)), and is usually denoted by the Greek letter alpha."^^qudt:LatexString ; - qudt:applicableUnit unit:DEG-PER-SEC2 ; - qudt:applicableUnit unit:RAD-PER-SEC2 ; - qudt:applicableUnit unit:REV-PER-SEC2 ; - qudt:baseCGSUnitDimensions "U/T^2" ; - qudt:baseSIUnitDimensions "\\(/s^2\\)"^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_acceleration"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Accelerație unghiulară"@ro ; - rdfs:label "Açısal ivme"@tr ; - rdfs:label "Pecutan bersudut"@ms ; - rdfs:label "Przyspieszenie kątowe"@pl ; - rdfs:label "Winkelbeschleunigung"@de ; - rdfs:label "accelerazione angolare"@it ; - rdfs:label "accélération angulaire"@fr ; - rdfs:label "aceleración angular"@es ; - rdfs:label "aceleração angular"@pt ; - rdfs:label "angular acceleration"@en ; - rdfs:label "Úhlové zrychlení"@cs ; - rdfs:label "Угловое ускорение"@ru ; - rdfs:label "تسارع زاوي"@ar ; - rdfs:label "شتاب زاویه‌ای"@fa ; - rdfs:label "कोणीय त्वरण"@hi ; - rdfs:label "角加速度"@ja ; - rdfs:label "角加速度"@zh ; - skos:broader quantitykind:InverseSquareTime ; -. -quantitykind:AngularCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone, divided by the solid angle \\(d\\Omega\\) of that cone."^^qudt:LatexString ; - qudt:applicableUnit unit:M2-PER-SR ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sigma = \\int \\sigma_\\Omega d\\Omega\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma_\\Omega\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Angular Cross-section"@en ; - skos:closeMatch quantitykind:SpectralCrossSection ; -. -quantitykind:AngularDistance - a qudt:QuantityKind ; - dcterms:description "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Angular distance travelled by orbiting vehicle measured from the azimuth of closest approach." ; - rdfs:isDefinedBy ; - rdfs:label "Angular Distance"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:AngularFrequency - a qudt:QuantityKind ; - dcterms:description "\"Angular frequency\", symbol \\(\\omega\\) (also referred to by the terms angular speed, radial frequency, circular frequency, orbital frequency, radian frequency, and pulsatance) is a scalar measure of rotation rate. Angular frequency (or angular speed) is the magnitude of the vector quantity angular velocity."^^qudt:LatexString ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_frequency"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_frequency"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\omega = 2\\pi f\\), where \\(f\\) is frequency."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Kreisfrequenz"@de ; - rdfs:label "Pulsación"@fr ; - rdfs:label "Pulsatanzpulsation"@de ; - rdfs:label "angular frequency"@en ; - rdfs:label "frequenza angolare"@it ; - rdfs:label "frequência angular"@pt ; - rdfs:label "pulsación"@es ; - rdfs:label "pulsacja"@pl ; - rdfs:label "pulsatance"@en ; - rdfs:label "pulsazione"@it ; - rdfs:label "pulsação"@pt ; - rdfs:label "تردد زاوى"@ar ; - rdfs:label "نابض"@ar ; - rdfs:label "角周波数"@ja ; - rdfs:label "角振動数"@ja ; - rdfs:label "角速度"@zh ; - rdfs:label "角频率"@zh ; - skos:broader quantitykind:AngularVelocity ; -. -quantitykind:AngularImpulse - a qudt:QuantityKind ; - dcterms:description "The Angular Impulse, also known as angular momentum, is the moment of linear momentum around a point. It is defined as\\(H = \\int Mdt\\), where \\(M\\) is the moment of force and \\(t\\) is time."^^qudt:LatexString ; - qudt:applicableUnit unit:ERG-SEC ; - qudt:applicableUnit unit:EV-SEC ; - qudt:applicableUnit unit:FT-LB_F-SEC ; - qudt:applicableUnit unit:J-SEC ; - qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; - qudt:applicableUnit unit:N-M-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/AngularMomentum"^^xsd:anyURI ; - qudt:exactMatch quantitykind:AngularMomentum ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://emweb.unl.edu/NEGAHBAN/EM373/note13/note.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:symbol "H" ; - rdfs:isDefinedBy ; - rdfs:label "Drehmomentstoß"@de ; - rdfs:label "Drehstoß"@de ; - rdfs:label "angular impulse"@en ; - rdfs:label "impulsion angulaire"@fr ; - rdfs:label "impulso angolare"@it ; - rdfs:label "impulso angular"@es ; - rdfs:label "impulsão angular"@pt ; - rdfs:label "popęd kątowy"@pl ; - rdfs:label "نبضة دفعية زاوية"@ar ; - rdfs:label "角冲量;冲量矩"@zh ; - rdfs:label "角力積"@ja ; -. -quantitykind:AngularMomentum - a qudt:QuantityKind ; - dcterms:description "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis."^^rdf:HTML ; - qudt:applicableUnit unit:ERG-SEC ; - qudt:applicableUnit unit:EV-SEC ; - qudt:applicableUnit unit:FT-LB_F-SEC ; - qudt:applicableUnit unit:J-SEC ; - qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; - qudt:applicableUnit unit:N-M-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_momentum"^^xsd:anyURI ; - qudt:exactMatch quantitykind:AngularImpulse ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = I\\omega\\), where \\(I\\) is the moment of inertia, and \\(\\omega\\) is the angular velocity."^^qudt:LatexString ; - qudt:plainTextDescription "Angular Momentum of an object rotating about some reference point is the measure of the extent to which the object will continue to rotate about that point unless acted upon by an external torque. In particular, if a point mass rotates about an axis, then the angular momentum with respect to a point on the axis is related to the mass of the object, the velocity and the distance of the mass to the axis. While the motion associated with linear momentum has no absolute frame of reference, the rotation associated with angular momentum is sometimes spoken of as being measured relative to the fixed stars. \\textit{Angular Momentum}, \\textit{Moment of Momentum}, or \\textit{Rotational Momentum\", is a vector quantity that represents the product of a body's rotational inertia and rotational velocity about a particular axis." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Angular Momentum"@en ; -. -quantitykind:AngularMomentumPerAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-M-SEC-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Angular Momentum per Angle"@en ; -. -quantitykind:AngularReciprocalLatticeVector - a qudt:QuantityKind ; - dcterms:description "\"Angular Reciprocal Lattice Vector\" is a vector whose scalar products with all fundamental lattice vectors are integral multiples of \\(2\\pi\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Angular Reciprocal Lattice Vector"@en ; -. -quantitykind:AngularVelocity - a qudt:QuantityKind ; - dcterms:description "Angular Velocity refers to how fast an object rotates or revolves relative to another point."^^qudt:LatexString ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angular_velocity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Angular_velocity"^^xsd:anyURI ; - qudt:plainTextDescription "The change of angle per unit time; specifically, in celestial mechanics, the change in angle of the radius vector per unit time." ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Açısal hız"@tr ; - rdfs:label "Halaju bersudut"@ms ; - rdfs:label "Prędkość kątowa"@pl ; - rdfs:label "Viteză unghiulară"@ro ; - rdfs:label "Winkelgeschwindigkeit"@de ; - rdfs:label "angular speed"@en ; - rdfs:label "angular velocity"@en ; - rdfs:label "kelajuan bersudut"@ms ; - rdfs:label "kotna hitrost"@sl ; - rdfs:label "velocidad angular"@es ; - rdfs:label "velocidade angular"@pt ; - rdfs:label "velocità angolare"@it ; - rdfs:label "vitesse angulaire"@fr ; - rdfs:label "Úhlová rychlost"@cs ; - rdfs:label "Угловая скорость"@ru ; - rdfs:label "سرعة زاوية"@ar ; - rdfs:label "سرعت زاویه‌ای"@fa ; - rdfs:label "कोणीय वेग"@hi ; - rdfs:label "角速度"@ja ; - rdfs:label "角速度"@zh ; -. -quantitykind:AngularWavenumber - a qudt:QuantityKind ; - dcterms:description "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector."^^rdf:HTML ; - qudt:applicableUnit unit:RAD-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition """\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave. - -Alternatively: - -\\(k = \\frac{p}{\\hbar}\\), where \\(p\\) is the linear momentum of quasi free electrons in an electron gas and \\(\\hbar\\) is the reduced Planck constant (\\(h\\) divided by \\(2\\pi\\)); for phonons, its magnitude is \\(k = \\frac{2\\pi}{\\lambda}\\), where \\(\\lambda\\) is the wavelength of the lattice vibrations."""^^qudt:LatexString ; - qudt:plainTextDescription "\"wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector." ; - qudt:symbol "k" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Kreisrepetenz"@de ; - rdfs:label "Kreiswellenzahl"@de ; - rdfs:label "angular repetency"@en ; - rdfs:label "angular wavenumber"@en ; - rdfs:label "liczba falowa kątowa"@pl ; - rdfs:label "nombre d'onde angulaire"@fr ; - rdfs:label "numero d'onda angolare"@it ; - rdfs:label "número de onda angular"@es ; - rdfs:label "número de onda angular"@pt ; - rdfs:label "repetencja kątowa"@pl ; - rdfs:label "repetência angular"@pt ; - rdfs:label "répétence angulaire"@fr ; - rdfs:label "تكرار زاوى"@ar ; - rdfs:label "عدد موجى زاوى"@ar ; - rdfs:label "角波数"@ja ; - rdfs:label "角波数"@zh ; - skos:broader quantitykind:InverseLength ; -. -quantitykind:ApogeeRadius - a qudt:QuantityKind ; - dcterms:description "Apogee radius of an elliptical orbit"^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "Apogee radius of an elliptical orbit" ; - qudt:symbol "r_2" ; - rdfs:isDefinedBy ; - rdfs:label "Apogee Radius"@en ; - skos:broader quantitykind:Radius ; -. -quantitykind:ApparentPower - a qudt:QuantityKind ; - dcterms:description "\"Apparent Power\" is the product of the rms voltage \\(U\\) between the terminals of a two-terminal element or two-terminal circuit and the rms electric current I in the element or circuit. Under sinusoidal conditions, the apparent power is the modulus of the complex power."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV-A ; - qudt:applicableUnit unit:MegaV-A ; - qudt:applicableUnit unit:V-A ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-41"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\left | \\underline{S} \\right | = UI\\), where \\(U\\) is rms value of voltage and \\(I\\) is rms value of electric current."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\left | \\underline{S} \\right |\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Scheinleistung"@de ; - rdfs:label "apparent power"@en ; - rdfs:label "moc pozorna"@pl ; - rdfs:label "potencia aparente"@es ; - rdfs:label "potenza apparente"@it ; - rdfs:label "potência aparente"@pt ; - rdfs:label "puissance apparente"@fr ; - rdfs:label "القدرة الظاهرية"@ar ; - rdfs:label "皮相電力"@ja ; - rdfs:label "表观功率"@zh ; - rdfs:label "视在功率"@zh ; - rdfs:seeAlso quantitykind:ElectricCurrent ; - rdfs:seeAlso quantitykind:Voltage ; - skos:broader quantitykind:ComplexPower ; -. -quantitykind:Area - a qudt:QuantityKind ; - dcterms:description "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:baseCGSUnitDimensions "cm^2" ; - qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Area"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:plainTextDescription "Area is a quantity expressing the two-dimensional size of a defined part of a surface, typically a region bounded by a closed curve." ; - rdfs:isDefinedBy ; - rdfs:label "Fläche"@de ; - rdfs:label "Keluasan"@ms ; - rdfs:label "aire"@fr ; - rdfs:label "alan"@tr ; - rdfs:label "area"@en ; - rdfs:label "area"@it ; - rdfs:label "arie"@ro ; - rdfs:label "plocha"@cs ; - rdfs:label "pole powierzchni"@pl ; - rdfs:label "površina"@sl ; - rdfs:label "superficie"@fr ; - rdfs:label "área"@es ; - rdfs:label "área"@pt ; - rdfs:label "Ταχύτητα"@el ; - rdfs:label "Площ"@bg ; - rdfs:label "Площадь"@ru ; - rdfs:label "שטח"@he ; - rdfs:label "مساحة"@ar ; - rdfs:label "مساحت"@fa ; - rdfs:label "क्षेत्रफल"@hi ; - rdfs:label "面积"@zh ; - rdfs:label "面積"@ja ; -. -quantitykind:AreaAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:M2-SR ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area Angle"@en ; -. -quantitykind:AreaPerTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM2-PER-SEC ; - qudt:applicableUnit unit:FT2-PER-HR ; - qudt:applicableUnit unit:FT2-PER-SEC ; - qudt:applicableUnit unit:IN2-PER-SEC ; - qudt:applicableUnit unit:M2-HZ ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:applicableUnit unit:MilliM2-PER-SEC ; - qudt:baseImperialUnitDimensions "\\(ft^2/s\\)"^^qudt:LatexString ; - qudt:baseSIUnitDimensions "\\(m^2/s\\)"^^qudt:LatexString ; - qudt:baseUSCustomaryUnitDimensions "\\(L^2/T\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area per Time"@en ; -. -quantitykind:AreaRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:M2-PER-HA ; - qudt:applicableUnit unit:M2-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:AreaTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:FT2-DEG_F ; - qudt:applicableUnit unit:M2-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area Temperature"@en ; -. -quantitykind:AreaThermalExpansion - a qudt:QuantityKind ; - dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/area_thermal_expansion"^^xsd:anyURI ; - qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion." ; - rdfs:isDefinedBy ; - rdfs:label "Area Thermal Expansion"@en ; -. -quantitykind:AreaTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM2-MIN ; - qudt:applicableUnit unit:CentiM2-SEC ; - qudt:applicableUnit unit:HR-FT2 ; - qudt:applicableUnit unit:SEC-FT2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area Time"@en ; -. -quantitykind:AreaTimeTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:FT2-HR-DEG_F ; - qudt:applicableUnit unit:FT2-SEC-DEG_F ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Area Time Temperature"@en ; -. -quantitykind:AreicHeatFlowRate - a qudt:QuantityKind ; - dcterms:description "Density of heat flow rate."^^rdf:HTML ; - qudt:abbreviation "heat-flow-rate" ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = \\frac{\\Phi}{A}\\), where \\(\\Phi\\) is heat flow rate and \\(A\\) is area."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "Density of heat flow rate." ; - qudt:symbol "φ" ; - rdfs:isDefinedBy ; - rdfs:label "Aeric Heat Flow Rate"@en ; - skos:broader quantitykind:PowerPerArea ; - skos:closeMatch ; -. -quantitykind:Asset - a qudt:QuantityKind ; - dcterms:description "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "An Asset is an economic resource owned by a business or company. Simply stated, assets are things of value that can be readily converted into cash (although cash itself is also considered an asset)." ; - rdfs:isDefinedBy ; - rdfs:label "Asset"@en ; -. -quantitykind:AtmosphericHydroxylationRate - a qudt:QuantityKind ; - dcterms:description "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM3-PER-MOL-SEC ; - qudt:applicableUnit unit:M3-PER-MOL-SEC ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; - qudt:plainTextDescription "A second order reaction rate constant that is a specific second order reaction rate constant that governs the kinetics of an atmospheric, gas-phase reaction between hydroxyl radicals and an organic chemical." ; - rdfs:isDefinedBy ; - rdfs:label "Atmospheric Hydroxylation Rate"@en ; - skos:broader quantitykind:SecondOrderReactionRateConstant ; -. -quantitykind:AtmosphericPressure - a qudt:QuantityKind ; - dcterms:description "The pressure exerted by the weight of the air above it at any point on the earth's surface. At sea level the atmosphere will support a column of mercury about \\(760 mm\\) high. This decreases with increasing altitude. The standard value for the atmospheric pressure at sea level in SI units is \\(101,325 pascals\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atmospheric_pressure"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.oxfordreference.com/views/ENTRY.html?subview=Main&entry=t83.e178"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Atmospheric Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:AtomScatteringFactor - a qudt:QuantityKind ; - dcterms:description "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://reference.iucr.org/dictionary/Atomic_scattering_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(f = \\frac{E_a}{E_e}\\), where \\(E_a\\) is the radiation amplitude scattered by the atom and \\(E_e\\) is the radiation ampliture scattered by a single electron."^^qudt:LatexString ; - qudt:plainTextDescription "\"Atom Scattering Factor\" is measure of the scattering power of an isolated atom." ; - qudt:symbol "f" ; - rdfs:isDefinedBy ; - rdfs:label "Atom Scattering Factor"@en ; -. -quantitykind:AtomicAttenuationCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_a = -\\frac{\\mu}{n}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Atomic Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per the number of atoms in the substance." ; - qudt:symbol "μₐ" ; - rdfs:isDefinedBy ; - rdfs:label "Atomic Attenuation Coefficient"@en ; - skos:broader quantitykind:Area ; - skos:closeMatch quantitykind:MolarAttenuationCoefficient ; -. -quantitykind:AtomicCharge - a qudt:QuantityKind ; - dcterms:description "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron."^^rdf:HTML ; - qudt:applicableUnit unit:A-HR ; - qudt:applicableUnit unit:A-SEC ; - qudt:applicableUnit unit:AttoC ; - qudt:applicableUnit unit:C ; - qudt:applicableUnit unit:C_Ab ; - qudt:applicableUnit unit:C_Stat ; - qudt:applicableUnit unit:CentiC ; - qudt:applicableUnit unit:DecaC ; - qudt:applicableUnit unit:DeciC ; - qudt:applicableUnit unit:E ; - qudt:applicableUnit unit:ElementaryCharge ; - qudt:applicableUnit unit:ExaC ; - qudt:applicableUnit unit:F ; - qudt:applicableUnit unit:FR ; - qudt:applicableUnit unit:FemtoC ; - qudt:applicableUnit unit:GigaC ; - qudt:applicableUnit unit:HectoC ; - qudt:applicableUnit unit:KiloA-HR ; - qudt:applicableUnit unit:KiloC ; - qudt:applicableUnit unit:MegaC ; - qudt:applicableUnit unit:MicroC ; - qudt:applicableUnit unit:MilliA-HR ; - qudt:applicableUnit unit:MilliC ; - qudt:applicableUnit unit:NanoC ; - qudt:applicableUnit unit:PetaC ; - qudt:applicableUnit unit:PicoC ; - qudt:applicableUnit unit:PlanckCharge ; - qudt:applicableUnit unit:TeraC ; - qudt:applicableUnit unit:YoctoC ; - qudt:applicableUnit unit:YottaC ; - qudt:applicableUnit unit:ZeptoC ; - qudt:applicableUnit unit:ZettaC ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:informativeReference "http://www.answers.com/topic/atomic-charge"^^xsd:anyURI ; - qudt:plainTextDescription "The electric charge of an ion, equal to the number of electrons the atom has gained or lost in its ionization multiplied by the charge on one electron." ; - rdfs:isDefinedBy ; - rdfs:label "Atomic Charge"@en ; - skos:broader quantitykind:ElectricCharge ; -. -quantitykind:AtomicMass - a qudt:QuantityKind ; - dcterms:description "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Atomic Mass\" is the mass of a specific isotope, most often expressed in unified atomic mass units." ; - qudt:symbol "m_a" ; - rdfs:isDefinedBy ; - rdfs:label "Atomic Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:AtomicNumber - a qudt:QuantityKind ; - dcterms:description "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge."^^rdf:HTML ; - qudt:applicableUnit unit:Z ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Atomic Number\", also known as the proton number, is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. A nuclide is a species of atom with specified numbers of protons and neutrons. Nuclides with the same value of Z but different values of N are called isotopes of an element. The ordinal number of an element in the periodic table is equal to the atomic number. The atomic number equals the charge of the nucleus in units of the elementary charge." ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Atomic Number"@en ; - skos:broader quantitykind:Count ; -. -quantitykind:AttenuationCoefficient - a qudt:QuantityKind ; - dcterms:description "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:applicableUnit unit:PERCENT-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; - qudt:latexDefinition "\\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The attenuation coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter. A large attenuation coefficient means that the beam is quickly \"attenuated\" (weakened) as it passes through the medium, and a small attenuation coefficient means that the medium is relatively transparent to the beam. The Attenuation Coefficient is also called linear attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient." ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Attenuation Coefficient"@en ; -. -quantitykind:AuditoryThresholds - a qudt:QuantityKind ; - dcterms:description "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing."^^rdf:HTML ; - qudt:applicableUnit unit:B ; - qudt:applicableUnit unit:DeciB ; - qudt:applicableUnit unit:DeciB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_a}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Auditory Thresholds\" is the thresholds of sensitivity to auditory signals and other input to the ear or the sense of hearing." ; - rdfs:isDefinedBy ; - rdfs:label "Auditory Thresholds"@en ; - skos:broader quantitykind:SoundPowerLevel ; -. -quantitykind:AuxillaryMagneticField - a qudt:QuantityKind ; - dcterms:description "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-CentiM ; - qudt:applicableUnit unit:A-PER-M ; - qudt:applicableUnit unit:A-PER-MilliM ; - qudt:applicableUnit unit:AT-PER-IN ; - qudt:applicableUnit unit:AT-PER-M ; - qudt:applicableUnit unit:KiloA-PER-M ; - qudt:applicableUnit unit:MilliA-PER-IN ; - qudt:applicableUnit unit:MilliA-PER-MilliM ; - qudt:applicableUnit unit:OERSTED ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:latexSymbol "H"^^qudt:LatexString ; - qudt:plainTextDescription "Magnetic Fields surround magnetic materials and electric currents and are detected by the force they exert on other magnetic materials and moving electric charges. The electric and magnetic fields are two interrelated aspects of a single object, called the electromagnetic field. A pure electric field in one reference frame is observed as a combination of both an electric field and a magnetic field in a moving reference frame. The Auxillary Magnetic Field, H characterizes how the true Magnetic Field B influences the organization of magnetic dipoles in a given medium." ; - rdfs:isDefinedBy ; - rdfs:label "Auxillary Magnetic Field"@en ; - skos:broader quantitykind:MagneticFieldStrength_H ; -. -quantitykind:AverageEnergyLossPerElementaryChargeProduced - a qudt:QuantityKind ; - dcterms:description "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:latexDefinition "\\(W_i = \\frac{E_k}{N_i}\\), where \\(E_k\\) is the initial kinetic energy of an ionizing charged particle and \\(N_i\\) is the total ionization produced by that particle."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Average Energy Loss per Elementary Charge Produced\" is also referred to as average energy loss per ion pair formed." ; - qudt:symbol "W_i" ; - rdfs:isDefinedBy ; - rdfs:label "Average Energy Loss per Elementary Charge Produced"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:AverageHeadEndPressure - a qudt:QuantityKind ; - qudt:abbreviation "AHEP" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Average Head End Pressure"@en ; - skos:broader quantitykind:HeadEndPressure ; -. -quantitykind:AverageLogarithmicEnergyDecrement - a qudt:QuantityKind ; - dcterms:description "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://everything2.com/title/Average+logarithmic+energy+decrement+per+collision"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Average Logarithmic Energy Decrement\" is a measure of the amount of energy a neutron loses upon colliding with various nuclei. It is the average value of the increase in lethargy in elastic collisions between neutrons and nuclei whose kinetic energy is negligible compared with that of the neutrons." ; - rdfs:isDefinedBy ; - rdfs:label "Average Logarithmic Energy Decrement"@en ; -. -quantitykind:AverageSpecificImpulse - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:comment "Avg Specific Impulse (lbf-sec/lbm) " ; - rdfs:isDefinedBy ; - rdfs:label "Average Specific Impulse"@en ; - skos:broader quantitykind:SpecificImpulse ; -. -quantitykind:AverageVacuumThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Average Vacuum Thrust"@en ; - skos:altLabel "AVT" ; - skos:broader quantitykind:VacuumThrust ; -. -quantitykind:Basicity - a qudt:QuantityKind ; - dcterms:description "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity."^^rdf:HTML ; - qudt:applicableUnit unit:PH ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Base_(chemistry)"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; - qudt:plainTextDescription "Chemicals or substances having a pH higher than 7 are said to be basic; higher pH means higher basicity." ; - rdfs:isDefinedBy ; - rdfs:label "Acidity"@en ; - skos:broader quantitykind:PH ; -. -quantitykind:BendingMomentOfForce - a qudt:QuantityKind ; - dcterms:description "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN-M ; - qudt:applicableUnit unit:DYN-CentiM ; - qudt:applicableUnit unit:DeciN-M ; - qudt:applicableUnit unit:KiloGM_F-M ; - qudt:applicableUnit unit:KiloN-M ; - qudt:applicableUnit unit:LB_F-FT ; - qudt:applicableUnit unit:LB_F-IN ; - qudt:applicableUnit unit:MegaN-M ; - qudt:applicableUnit unit:MicroN-M ; - qudt:applicableUnit unit:MilliN-M ; - qudt:applicableUnit unit:N-CentiM ; - qudt:applicableUnit unit:N-M ; - qudt:applicableUnit unit:OZ_F-IN ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bending_moment"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(M_b = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; - qudt:plainTextDescription "A bending moment exists in a structural element when a moment is applied to the element so that the element bends. It is the component of moment of force perpendicular to the longitudinal axis of a beam or a shaft." ; - qudt:symbol "M_b" ; - rdfs:isDefinedBy ; - rdfs:label "Bending Moment of Force"@en ; - skos:broader quantitykind:Torque ; -. -quantitykind:BetaDisintegrationEnergy - a qudt:QuantityKind ; - dcterms:description "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Decay_energy"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Beta Disintegration Energy\" is the energy released by a beta particle radioactive decay. It is the sum of the maximum beta-particle kinetic energy and the recoil energy of the atom produced in the reference frame in which the emitting nucleus is at rest before its disintegration." ; - qudt:symbol "Qᵦ" ; - rdfs:isDefinedBy ; - rdfs:label "Beta Disintegration Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:BevelGearPitchAngle - a qudt:QuantityKind ; - dcterms:description "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Pitch angle in bevel gears is the angle between an element of a pitch cone and its axis. In external and internal bevel gears, the pitch angles are respectively less than and greater than 90 degrees." ; - rdfs:isDefinedBy ; - rdfs:label "Bevel Gear Pitch Angle"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:BindingFraction - a qudt:QuantityKind ; - dcterms:description "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/binding+fraction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(b = \\frac{B_r}{A}\\), where \\(B_r\\) is the relative mass defect and \\(A\\) is the nucleon number."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Binding Fraction\" is the ratio of the binding energy of a nucleus to the atomic mass number." ; - qudt:symbol "b" ; - rdfs:isDefinedBy ; - rdfs:label "Binding Fraction"@en ; -. -quantitykind:BioconcentrationFactor - a qudt:QuantityKind ; - dcterms:description "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "The bioconcentration factor is the ratio of the concentration of a chemical substance in biota over the concentration of the same chemical substance in water. It is related to the octanol-water partition coefficient." ; - rdfs:isDefinedBy ; - rdfs:label "Bioconcentration Factor"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:BiodegredationHalfLife - a qudt:QuantityKind ; - dcterms:description "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism."^^rdf:HTML ; - qudt:applicableUnit unit:DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:plainTextDescription "A time that quantifies how long it takes to reduce a substance's concentration by 50% from any concentration point in time in a water or soil environment by either bacteria or another living organism." ; - rdfs:isDefinedBy ; - rdfs:label "Biodegredation Half Life"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:BloodGlucoseLevel - a qudt:QuantityKind ; - dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; - qudt:applicableUnit unit:MilliMOL-PER-L ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; - rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; - rdfs:isDefinedBy ; - rdfs:label "Blood Glucose Level"@en ; - rdfs:seeAlso quantitykind:BloodGlucoseLevel_Mass ; -. -quantitykind:BloodGlucoseLevel_Mass - a qudt:QuantityKind ; - dcterms:description "The blood sugar level, blood sugar concentration, or blood glucose level is the amount of glucose present in the blood of humans and other animals. Glucose is a simple sugar and approximately 4 grams of glucose are present in the blood of humans at all times. The body tightly regulates blood glucose levels as a part of metabolic homeostasis. Glucose is stored in skeletal muscle and liver cells in the form of glycogen;[2] in fasted individuals, blood glucose is maintained at a constant level at the expense of glycogen stores in the liver and skeletal muscle. [Wikipedia] \\(\\\\\\) There are two main methods of describing concentrations: by weight, and by molecular count. Weights are in grams, molecular counts in moles. A mole is \\(6.022\\times 10^{23}\\) molecules.) In both cases, the unit is usually modified by \\(milli-\\) or \\(micro-\\) or other prefix, and is always \\(per\\) some volume, often a liter. Conversion factors depend on the molecular weight of the substance in question. \\(\\\\\\) \\(mmol/L\\) is millimoles/liter, and is the world standard unit for measuring glucose in blood. Specifically, it is the designated SI (Systeme International) unit. 'World standard' is not universal; not only the US but a number of other countries use mg/dl. A mole is about \\(6\\times 10^{23}\\) molecules. \\(\\\\\\) \\(mg/dL\\) (milligrams/deciliter) is the traditional unit for measuring bG (blood glucose). There is a trend toward using \\(mmol/L\\) however mg/dL is much in practice. Some use is made of \\(mmol/L\\) as the primary unit with \\(mg/dL\\) quoted in parentheses. This acknowledges the large base of health care providers, researchers and patients who are already familiar with \\(mg/dL|)."^^qudt:LatexString ; - qudt:applicableUnit unit:MilliGM-PER-DeciL ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:informativeReference "http://www.faqs.org/faqs/diabetes/faq/part1/section-9.html"^^xsd:anyURI ; - rdfs:comment "citation: https://en.wikipedia.org/wiki/Blood_sugar_level" ; - rdfs:isDefinedBy ; - rdfs:label "Blood Glucose Level by Mass"@en ; - rdfs:seeAlso quantitykind:BloodGlucoseLevel ; -. -quantitykind:BodyMassIndex - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Body Mass Index}\\), BMI, is an index of weight for height, calculated as: \\(BMI = \\frac{M_{body}}{H^2}\\), where \\(M_{body}\\) is body mass in kg, and \\(H\\) is height in metres. The BMI has been used as a guideline for defining whether a person is overweight because it minimizes the effect of height, but it does not take into consideration other important factors, such as age and body build. The BMI has also been used as an indicator of obesity on the assumption that the higher the index, the greater the level of body fat."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloGM-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001.0001/acref-9780198631477-e-254"^^xsd:anyURI ; - qudt:symbol "BMI" ; - rdfs:isDefinedBy ; - rdfs:label "Body Mass Index"@en ; - skos:altLabel "BMI" ; -. -quantitykind:BoilingPoint - a qudt:QuantityKind ; - dcterms:description "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a liquid to a gas. It is also the temperature where the liquid and gaseous forms of a pure substance can exist in equilibrium." ; - rdfs:isDefinedBy ; - rdfs:label "Boiling Point Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:BraggAngle - a qudt:QuantityKind ; - dcterms:description "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://reference.iucr.org/dictionary/Bragg_angle"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(2d\\sin{\\vartheta} = n\\lambda \\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Bragg Angle\" describes the condition for a plane wave to be diffracted from a family of lattice planes, the angle between the wavevector of the incident plane wave, and the lattice planes." ; - rdfs:isDefinedBy ; - rdfs:label "Bragg Angle"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:Breadth - a qudt:QuantityKind ; - dcterms:description "\"Breadth\" is the extent or measure of how broad or wide something is."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wiktionary.org/wiki/breadth"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Breadth\" is the extent or measure of how broad or wide something is." ; - qudt:symbol "b" ; - rdfs:isDefinedBy ; - rdfs:label "Breite"@de ; - rdfs:label "ancho"@es ; - rdfs:label "breadth"@en ; - rdfs:label "genişliği"@tr ; - rdfs:label "largeur"@fr ; - rdfs:label "larghezza"@it ; - rdfs:label "largura"@pt ; - rdfs:label "lebar"@ms ; - rdfs:label "szerokość"@pl ; - rdfs:label "širina"@sl ; - rdfs:label "šířka"@cs ; - rdfs:label "ширина"@ru ; - rdfs:label "العرض"@ar ; - rdfs:label "عرض"@fa ; - rdfs:label "寬度"@zh ; - rdfs:label "幅"@ja ; - skos:broader quantitykind:Length ; -. -quantitykind:BucklingFactor - a qudt:QuantityKind ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:symbol "B" ; - rdfs:isDefinedBy ; - rdfs:label "Buckling Factor"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:BulkModulus - a qudt:QuantityKind ; - dcterms:description "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume."^^rdf:HTML ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PicoPA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bulk_modulus"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(K = \\frac{p}{\\vartheta}\\), where \\(p\\) is pressure and \\(\\vartheta\\) is volume strain."^^qudt:LatexString ; - qudt:plainTextDescription "The bulk modulus of a substance measures the substance's resistance to uniform compression. It is defined as the ratio of the infinitesimal pressure increase to the resulting relative decrease of the volume." ; - qudt:symbol "K" ; - rdfs:isDefinedBy ; - rdfs:label "Bulk Modulus"@en ; -. -quantitykind:BurgersVector - a qudt:QuantityKind ; - dcterms:description "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Burgers_vector"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Burgers Vector\" is the vector characterizing a dislocation, i.e. the closing vector in a Burgers circuit encircling a dislocation line." ; - qudt:symbol "b" ; - rdfs:isDefinedBy ; - rdfs:label "Burgers Vector"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:BurnRate - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Burn Rate"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:BurnTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:symbol "t" ; - rdfs:isDefinedBy ; - rdfs:label "Burn Time"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:CENTER-OF-GRAVITY_X - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:CenterOfGravity_X ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the X axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CENTER-OF-GRAVITY_Y - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:CenterOfGravity_Y ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the Y axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CENTER-OF-GRAVITY_Z - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:CenterOfGravity_Z ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the Z axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CENTER-OF-MASS - a qudt:QuantityKind ; - dcterms:description "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Center_of_mass"^^xsd:anyURI ; - qudt:plainTextDescription "The point at which the distributed mass of a composite body can be acted upon by a force without inducing any rotation of the composite body." ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Mass (CoM)"@en ; - skos:altLabel "COM" ; - skos:broader quantitykind:PositionVector ; -. -quantitykind:CONTRACT-END-ITEM-SPECIFICATION-MASS - a qudt:QuantityKind ; - dcterms:description "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Contractual mass requirement of a delivered item. Note that The term 'control mass' is sometimes utilized as a limit in lieu of CEI mass when a CEI mass does not exist. The term 'Interface Control Document Mass' is another alternative for specifying a contractual mass requirement." ; - rdfs:isDefinedBy ; - rdfs:label "Contract End Item (CEI) Specification Mass."@en ; - skos:altLabel "CEI" ; - skos:broader quantitykind:Mass ; -. -quantitykind:CONTROL-MASS - a qudt:QuantityKind ; - dcterms:description "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "The upper design gross mass limit of a system at a specified mission event against which margins are calculated after accounting for basic masses of flight hardware, MGA, and uncertainties. It may include propellants, crew, and cargo." ; - rdfs:isDefinedBy ; - rdfs:label "Control Mass."@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:CanonicalPartitionFunction - a qudt:QuantityKind ; - dcterms:description "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z = \\sum_r e^{-\\frac{E_r}{kT}}\\), where the sum is over all quantum states consistent with given energy, volume, external fields, and content, \\(E_r\\) is the energy in the \\(rth\\) quantum state, \\(k\\) is the Boltzmann constant, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:plainTextDescription "A \"Canonical Partition Function\" applies to a canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and number of particles." ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Canonical Partition Function"@en ; -. -quantitykind:Capacitance - a qudt:QuantityKind ; - dcterms:description "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity."^^rdf:HTML ; - qudt:applicableUnit unit:AttoFARAD ; - qudt:applicableUnit unit:FARAD ; - qudt:applicableUnit unit:FARAD_Ab ; - qudt:applicableUnit unit:FARAD_Stat ; - qudt:applicableUnit unit:MicroFARAD ; - qudt:applicableUnit unit:MilliFARAD ; - qudt:applicableUnit unit:NanoFARAD ; - qudt:applicableUnit unit:PicoFARAD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Capacitance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(C = Q/U\\), where \\(Q\\) is electric charge and \\(V\\) is voltage."^^qudt:LatexString ; - qudt:plainTextDescription "\"Capacitance\" is the ability of a body to hold an electrical charge; it is quantified as the amount of electric charge stored for a given electric potential. Capacitance is a scalar-valued quantity." ; - qudt:symbol "C" ; - rdfs:isDefinedBy ; - rdfs:label "Capacitance"@en ; -. -quantitykind:Capacity - a qudt:QuantityKind ; - dcterms:description "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food."^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Capacity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "In computer operations, (a) the largest quantity which can be stored, processed, or transferred; (b) the largest number of digits or characters which may regularly be processed; (c) the upper and lower limits of the quantities which may be processed. In other contexts, the amount of material that can be stored, such as fuel or food." ; - qudt:symbol "TBD" ; - rdfs:isDefinedBy ; - rdfs:label "Capacity"@en ; -. -quantitykind:CarrierLifetime - a qudt:QuantityKind ; - dcterms:description "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Carrier_lifetime"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\tau, \\tau_n, \\tau_p\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Carrier LifetIme\" is a time constant for recombination or trapping of minority charge carriers in semiconductors." ; - rdfs:isDefinedBy ; - rdfs:label "Carrier LifetIme"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:CartesianArea - a qudt:QuantityKind ; - dcterms:description "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane."^^rdf:HTML ; - qudt:abbreviation "area" ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Area"^^xsd:anyURI ; - qudt:latexDefinition "\\(A = \\int\\int dxdy\\), where \\(x\\) and \\(y\\) are cartesian coordinates."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Area\" is a quantity that expresses the extent of a two-dimensional surface or shape, or planar lamina, in the plane." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Cartesian Area"@en ; - skos:broader quantitykind:Area ; - skos:closeMatch quantitykind:Area ; -. -quantitykind:CartesianCoordinates - a qudt:QuantityKind ; - dcterms:description "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. "^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cartesian_coordinate_system"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Cartesian Coordinates\" specify each point uniquely in a plane by a pair of numerical coordinates, which are the signed distances from the point to two fixed perpendicular directed lines, measured in the same unit of length. " ; - qudt:symbol "x, y, z" ; - rdfs:isDefinedBy ; - rdfs:label "Cartesian coordinates"@en ; - rdfs:label "Kartézská soustava souřadnic"@cs ; - rdfs:label "Kartézské souřadnice"@cs ; - rdfs:label "Koordiant Kartesius"@ms ; - rdfs:label "coordenadas cartesianas"@pt ; - rdfs:label "coordinate cartesiane"@it ; - rdfs:label "coordonnées cartésiennes"@fr ; - rdfs:label "kartesische Koordinaten"@de ; - rdfs:label "kartezyen koordinatları"@tr ; - rdfs:label "مختصات دکارتی"@fa ; - rdfs:label "直角坐标系"@zh ; - skos:broader quantitykind:Length ; -. -quantitykind:CartesianVolume - a qudt:QuantityKind ; - dcterms:description "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains."^^rdf:HTML ; - qudt:applicableUnit unit:AC-FT ; - qudt:applicableUnit unit:ANGSTROM3 ; - qudt:applicableUnit unit:BBL ; - qudt:applicableUnit unit:BBL_UK_PET ; - qudt:applicableUnit unit:BBL_US ; - qudt:applicableUnit unit:CentiM3 ; - qudt:applicableUnit unit:DecaL ; - qudt:applicableUnit unit:DecaM3 ; - qudt:applicableUnit unit:DeciL ; - qudt:applicableUnit unit:DeciM3 ; - qudt:applicableUnit unit:FBM ; - qudt:applicableUnit unit:FT3 ; - qudt:applicableUnit unit:FemtoL ; - qudt:applicableUnit unit:GI_UK ; - qudt:applicableUnit unit:GI_US ; - qudt:applicableUnit unit:GT ; - qudt:applicableUnit unit:HectoL ; - qudt:applicableUnit unit:IN3 ; - qudt:applicableUnit unit:Kilo-FT3 ; - qudt:applicableUnit unit:KiloL ; - qudt:applicableUnit unit:L ; - qudt:applicableUnit unit:M3 ; - qudt:applicableUnit unit:MI3 ; - qudt:applicableUnit unit:MegaL ; - qudt:applicableUnit unit:MicroL ; - qudt:applicableUnit unit:MicroM3 ; - qudt:applicableUnit unit:MilliL ; - qudt:applicableUnit unit:MilliM3 ; - qudt:applicableUnit unit:NanoL ; - qudt:applicableUnit unit:OZ_VOL_UK ; - qudt:applicableUnit unit:PINT ; - qudt:applicableUnit unit:PINT_UK ; - qudt:applicableUnit unit:PK_UK ; - qudt:applicableUnit unit:PicoL ; - qudt:applicableUnit unit:PlanckVolume ; - qudt:applicableUnit unit:QT_UK ; - qudt:applicableUnit unit:QT_US ; - qudt:applicableUnit unit:RT ; - qudt:applicableUnit unit:STR ; - qudt:applicableUnit unit:Standard ; - qudt:applicableUnit unit:TBSP ; - qudt:applicableUnit unit:TON_SHIPPING_US ; - qudt:applicableUnit unit:TSP ; - qudt:applicableUnit unit:YD3 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Volume"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(V = \\int\\int\\int dxdydz\\), where \\(x\\), \\(y\\), and \\(z\\) are cartesian coordinates."^^qudt:LatexString ; - qudt:plainTextDescription "\"Volume\" is the quantity of three-dimensional space enclosed by some closed boundary, for example, the space that a substance (solid, liquid, gas, or plasma) or shape occupies or contains." ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Isipadu"@ms ; - rdfs:label "Objem"@cs ; - rdfs:label "Volumen"@de ; - rdfs:label "hacim"@tr ; - rdfs:label "objętość"@pl ; - rdfs:label "prostornina"@sl ; - rdfs:label "volum"@ro ; - rdfs:label "volume"@en ; - rdfs:label "volume"@fr ; - rdfs:label "volume"@it ; - rdfs:label "volume"@pt ; - rdfs:label "volumen"@es ; - rdfs:label "Επιτάχυνση"@el ; - rdfs:label "Обем"@bg ; - rdfs:label "Объём"@ru ; - rdfs:label "נפח"@he ; - rdfs:label "حجم"@ar ; - rdfs:label "حجم"@fa ; - rdfs:label "आयतन"@hi ; - rdfs:label "体积"@zh ; - rdfs:label "体積"@ja ; - skos:broader quantitykind:Volume ; -. -quantitykind:CatalyticActivity - a qudt:QuantityKind ; - dcterms:description "An index of the actual or potential activity of a catalyst. The catalytic activity of an enzyme or an enzyme-containing preparation is defined as the property measured by the increase in the rate of conversion of a specified chemical reaction that the enzyme produces in a specified assay system. Catalytic activity is an extensive quantity and is a property of the enzyme, not of the reaction mixture; it is thus conceptually different from rate of conversion although measured by and equidimensional with it. The unit for catalytic activity is the \\(katal\\); it may also be expressed in mol \\(s^{-1}\\). Dimensions: \\(N T^{-1}\\). Former terms such as catalytic ability, catalytic amount, and enzymic activity are no er recommended. Derived quantities are molar catalytic activity, specific catalytic activity, and catalytic activity concentration. Source(s): www.answers.com"^^qudt:LatexString ; - qudt:applicableUnit unit:KAT ; - qudt:applicableUnit unit:KiloMOL-PER-HR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Catalysis"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Catalytic Activity"@en ; -. -quantitykind:CatalyticActivityConcentration - a qudt:QuantityKind ; - dcterms:description "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre."^^rdf:HTML ; - qudt:applicableUnit unit:KAT-PER-L ; - qudt:applicableUnit unit:KAT-PER-MicroL ; - qudt:applicableUnit unit:MicroKAT-PER-L ; - qudt:applicableUnit unit:MilliKAT-PER-L ; - qudt:applicableUnit unit:NanoKAT-PER-L ; - qudt:applicableUnit unit:PicoKAT-PER-L ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:informativeReference "https://doi.org/10.1351/goldbook.C00882"^^xsd:anyURI ; - qudt:plainTextDescription "The catalytic activity of an enzyme per unit volume, where volume refers to that of the original enzyme‐containing preparation, not that of the assay system. It may be expressed in katals per litre." ; - rdfs:isDefinedBy ; - rdfs:label "Catalytic Activity Concentration"@en ; -. -quantitykind:CelsiusTemperature - a qudt:QuantityKind ; - dcterms:description "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition """\"Celsius Temperature\", the thermodynamic temperature \\(T_0\\), is exactly \\(0.01\\)kelvin below the thermodynamic temperature of the triple point of water. -\\(t = T - T_0\\), where \\(T\\) is Thermodynamic Temperature and \\(T_0 = 273.15 K\\)."""^^qudt:LatexString ; - qudt:plainTextDescription "\"Celsius Temperature\", the thermodynamic temperature T_0, is exactly 0.01 kelvin below the thermodynamic temperature of the triple point of water." ; - rdfs:isDefinedBy ; - rdfs:label "Celsius sıcaklık"@tr ; - rdfs:label "Celsius temperature"@en ; - rdfs:label "Celsius-Temperatur"@de ; - rdfs:label "Suhu Celsius"@ms ; - rdfs:label "temperatura Celsius"@es ; - rdfs:label "temperatura Celsius"@it ; - rdfs:label "temperatura celsius"@pt ; - rdfs:label "temperatura"@pl ; - rdfs:label "temperatura"@sl ; - rdfs:label "temperatură Celsius"@ro ; - rdfs:label "température Celsius"@fr ; - rdfs:label "teplota"@cs ; - rdfs:label "Температура Цельсия"@ru ; - rdfs:label "צלזיוס"@he ; - rdfs:label "درجة الحرارة المئوية أو السيلسيوس"@ar ; - rdfs:label "دمای سلسیوس/سانتیگراد"@fa ; - rdfs:label "सेल्सियस तापमान"@hi ; - rdfs:label "温度"@ja ; - rdfs:label "温度"@zh ; - skos:broader quantitykind:ThermodynamicTemperature ; - prov:wasDerivedFrom quantitykind:ThermodynamicTemperature ; -. -quantitykind:CenterOfGravity_X - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the X axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CenterOfGravity_Y - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the Y axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CenterOfGravity_Z - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/k-12/airplane/cg.html"^^xsd:anyURI ; - qudt:symbol "cg" ; - rdfs:isDefinedBy ; - rdfs:label "Center of Gravity in the Z axis"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:CharacteristicAcousticImpedance - a qudt:QuantityKind ; - dcterms:description "Characteristic impedance at a point in a non-dissipative medium and for a plane progressive wave, the quotient of the sound pressure \\(p\\) by the component of the sound particle velocity \\(v\\) in the direction of the wave propagation."^^qudt:LatexString ; - qudt:applicableUnit unit:PA-SEC-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance#Characteristic_acoustic_impedance"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z_c = pc\\), where \\(p\\) is the sound pressure and \\(c\\) is the phase speed of sound."^^qudt:LatexString ; - qudt:symbol "Z" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Characteristic Acoustic Impedance"@en ; - skos:broader quantitykind:AcousticImpedance ; -. -quantitykind:CharacteristicVelocity - a qudt:QuantityKind ; - dcterms:description "Characteristic velocity or \\(c^{*}\\) is a measure of the combustion performance of a rocket engine independent of nozzle performance, and is used to compare different propellants and propulsion systems."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:latexSymbol "\\(c^{*}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Characteristic Velocity"@en ; -. -quantitykind:ChargeNumber - a qudt:QuantityKind ; - dcterms:description "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Charge Number\", or just valance of an ion is the coefficient that, when multiplied by the elementary charge, gives the ion's charge." ; - qudt:symbol "z" ; - rdfs:isDefinedBy ; - rdfs:label "Charge Number"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:ChemicalAffinity - a qudt:QuantityKind ; - dcterms:description "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_affinity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(A = -\\sum \\nu_b\\mu_B\\), where \\(\\nu_b\\) is the stoichiometric number of substance \\(B\\) and \\(\\mu_B\\) is the chemical potential of substance \\(B\\)."^^qudt:LatexString ; - qudt:plainTextDescription "In chemical physics and physical chemistry, \"Chemical Affinity\" is the electronic property by which dissimilar chemical species are capable of forming chemical compounds. Chemical affinity can also refer to the tendency of an atom or compound to combine by chemical reaction with atoms or compounds of unlike composition." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Chemical Affinity"@en ; -. -quantitykind:ChemicalConsumptionPerMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:DeciL-PER-GM ; - qudt:applicableUnit unit:L-PER-KiloGM ; - qudt:applicableUnit unit:M3-PER-KiloGM ; - qudt:applicableUnit unit:MilliL-PER-GM ; - qudt:applicableUnit unit:MilliL-PER-KiloGM ; - qudt:applicableUnit unit:MilliM3-PER-GM ; - qudt:applicableUnit unit:MilliM3-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:plainTextDescription "In the context of a chemical durability test, this is measure of how much of a solution (often a corrosive or reactive one) is consumed or used up per unit mass of a material being tested. In other words, this the volume of solution needed to cause a certain level of chemical reaction or damage to a given mass of the material." ; - rdfs:isDefinedBy ; - rdfs:label "Chemical Consumption per Mass"@en ; - skos:broader quantitykind:SpecificVolume ; -. -quantitykind:ChemicalPotential - a qudt:QuantityKind ; - dcterms:description "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-MOL ; - qudt:applicableUnit unit:KiloCAL-PER-MOL ; - qudt:applicableUnit unit:KiloJ-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_B = (\\frac{\\partial G}{\\partial n_B})_{T,p,n_i}\\), where \\(G\\) is Gibbs energy, and \\(n_B\\) is the amount of substance \\(B\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_B\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Chemical Potential\", also known as partial molar free energy, is a form of potential energy that can be absorbed or released during a chemical reaction." ; - rdfs:isDefinedBy ; - rdfs:label "Chemický potenciál"@cs ; - rdfs:label "Keupayaan kimia"@ms ; - rdfs:label "Potencjał chemiczny"@pl ; - rdfs:label "Potențial chimic"@ro ; - rdfs:label "chemical potential"@en ; - rdfs:label "chemisches Potential des Stoffs B"@de ; - rdfs:label "kimyasal potansiyel"@tr ; - rdfs:label "potencial químico"@es ; - rdfs:label "potencial químico"@pt ; - rdfs:label "potential chimique"@fr ; - rdfs:label "potenziale chimico"@it ; - rdfs:label "Химический потенциал"@ru ; - rdfs:label "جهد كيميائي"@ar ; - rdfs:label "پتانسیل شیمیایی"@fa ; - rdfs:label "化学ポテンシャル"@ja ; - rdfs:label "化学势"@zh ; - skos:broader quantitykind:MolarEnergy ; -. -quantitykind:Chromaticity - a qudt:QuantityKind ; - dcterms:description "Chromaticity is an objective specification of the quality of a color regardless of its luminance"^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Chromaticity"^^xsd:anyURI ; - qudt:plainTextDescription "Chromaticity is an objective specification of the quality of a color regardless of its luminance" ; - rdfs:isDefinedBy ; - rdfs:label "Chromaticity"@en ; -. -quantitykind:Circulation - a qudt:QuantityKind ; - dcterms:description "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM2-PER-SEC ; - qudt:applicableUnit unit:FT2-PER-HR ; - qudt:applicableUnit unit:FT2-PER-SEC ; - qudt:applicableUnit unit:IN2-PER-SEC ; - qudt:applicableUnit unit:M2-HZ ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:applicableUnit unit:MilliM2-PER-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Circulation_%28fluid_dynamics%29"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In fluid dynamics, circulation is the line integral around a closed curve of the fluid velocity. It has dimensions of length squared over time." ; - rdfs:isDefinedBy ; - rdfs:label "Circulation"@en ; - skos:broader quantitykind:AreaPerTime ; -. -quantitykind:ClosestApproachRadius - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:symbol "r_o" ; - rdfs:isDefinedBy ; - rdfs:label "Closest Approach Radius"@en ; - skos:broader quantitykind:Radius ; -. -quantitykind:CoefficientOfHeatTransfer - a qudt:QuantityKind ; - dcterms:description "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin."^^rdf:HTML ; - qudt:applicableSIUnit unit:W-PER-M2-K ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; - qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:W-PER-M2-K ; - qudt:expression "\\(heat-xfer-coeff\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer_coefficient"^^xsd:anyURI ; - qudt:latexDefinition """\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, \\(q/A\\), and the thermodynamic driving force for the flow of heat (that is, the temperature difference, \\( \\bigtriangleup T \\)). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \\(\\textit{Coefficient of Heat Transfer}\\), is often called \\(\\textit{thermal transmittance}\\), with the symbol \\(U\\). \\(\\textit{Coefficient of Heat Transfer}\\), has SI units in watts per squared meter kelvin: \\(W/(m^2 \\cdot K)\\) . - -\\(K = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is thermodynamic temperature difference."""^^qudt:LatexString ; - qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Coefficient of Heat Transfer\", in thermodynamics and in mechanical and chemical engineering, is used in calculating the heat transfer, typically by convection or phase transition between a fluid and a solid. The heat transfer coefficient is the proportionality coefficient between the heat flux, that is heat flow per unit area, q/A, and the thermodynamic driving force for the flow of heat (that is, the temperature difference, (Delta T). Areic heat flow rate divided by thermodynamic temperature difference. In building technology, the \"Coefficient of Heat Transfer\", is often called \"thermal transmittance}\" with the symbol \"U\". It has SI units in watts per squared meter kelvin." ; - rdfs:isDefinedBy ; - rdfs:label "Coefficient of heat transfer"@en ; -. -quantitykind:Coercivity - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Coercivity}\\), also referred to as \\(\\textit{Coercive Field Strength}\\), is the magnetic field strength to be applied to bring the magnetic flux density in a substance from its remaining magnetic flux density to zero. This is defined as the coercive field strength in a substance when either the magnetic flux density or the magnetic polarization and magnetization is brought from its value at magnetic saturation to zero by monotonic reduction of the applied magnetic field strength. The quantity which is brought to zero should be stated, and the appropriate symbol used: \\(H_{cB}\\), \\(H_{cJ}\\) or \\(H_{cM}\\) for the coercivity relating to the magnetic flux density, the magnetic polarization or the magnetization respectively, where \\(H_{cJ} = H_{cM}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-M ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-69"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:symbol "H_{c,B}" ; - rdfs:isDefinedBy ; - rdfs:label "Coercivity"@en ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; -. -quantitykind:CoherenceLength - a qudt:QuantityKind ; - dcterms:description "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Coherence_length"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Coherence Length\" characterizes the distance in a superconductor over which the effect of a perturbation is appreciable." ; - qudt:symbol "ξ" ; - rdfs:isDefinedBy ; - rdfs:label "Coherence Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:ColdReceptorThreshold - a qudt:QuantityKind ; - dcterms:description "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_c}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Cold Receptor Threshold\" is the threshold of cold-sensitive free nerve-ending." ; - rdfs:isDefinedBy ; - rdfs:label "Cold Receptor Threshold"@en ; -. -quantitykind:CombinedNonEvaporativeHeatTransferCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Combined Non Evaporative Heat Transfer Coefficient\" is the "^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-M2-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(h = h_r + h_c + h_k\\), where \\(h_r\\) is the linear radiative heat transfer coefficient, \\(h_c\\) is the convective heat transfer coefficient, and \\(h_k\\) is the conductive heat transfer coefficient."^^qudt:LatexString ; - qudt:plainTextDescription "\"Combined Non Evaporative Heat Transfer Coefficient\" is the " ; - qudt:symbol "h" ; - rdfs:isDefinedBy ; - rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; -. -quantitykind:CombustionChamberTemperature - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:symbol "T_c" ; - rdfs:isDefinedBy ; - rdfs:label "Combustion Chamber Temperature"@en ; -. -quantitykind:ComplexPower - a qudt:QuantityKind ; - dcterms:description "\"Complex Power\", under sinusoidal conditions, is the product of the phasor \\(U\\) representing the voltage between the terminals of a linear two-terminal element or two-terminal circuit and the complex conjugate of the phasor \\(I\\) representing the electric current in the element or circuit."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV-A ; - qudt:applicableUnit unit:MegaV-A ; - qudt:applicableUnit unit:V-A ; - qudt:expression "\\(complex-power\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-39"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\underline{S} = \\underline{U}\\underline{I^*}\\), where \\(\\underline{U}\\) is voltage phasor and \\(\\underline{I^*}\\) is the complex conjugate of the current phasor."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\underline{S}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Complex Power"@en ; - rdfs:seeAlso quantitykind:ElectricCurrentPhasor ; - rdfs:seeAlso quantitykind:VoltagePhasor ; - skos:broader quantitykind:ElectricPower ; -. -quantitykind:Compressibility - a qudt:QuantityKind ; - dcterms:description "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-N ; - qudt:applicableUnit unit:PER-BAR ; - qudt:applicableUnit unit:PER-MILLE-PER-PSI ; - qudt:applicableUnit unit:PER-PA ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\chi = -(\\frac{1}{V})\\frac{dV}{d\\rho}\\), where \\(V\\) is volume and \\(p\\) is pressure."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Compressibility is a measure of the relative volume change of a fluid or solid as a response to a pressure (or mean stress) change." ; - rdfs:isDefinedBy ; - rdfs:label "Compressibility"@en ; -. -quantitykind:CompressibilityFactor - a qudt:QuantityKind ; - dcterms:description "The compressibility factor (\\(Z\\)) is a useful thermodynamic property for modifying the ideal gas law to account for the real gas behaviour. The closer a gas is to a phase change, the larger the deviations from ideal behavior. It is simply defined as the ratio of the molar volume of a gas to the molar volume of an ideal gas at the same temperature and pressure. Values for compressibility are calculated using equations of state (EOS), such as the virial equation and van der Waals equation. The compressibility factor for specific gases can be obtained, with out calculation, from compressibility charts. These charts are created by plotting Z as a function of pressure at constant temperature."^^qudt:LatexString ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Compressibility Factor"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:Concentration - a qudt:QuantityKind ; - dcterms:description "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions."^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Concentration"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Concentration"^^xsd:anyURI ; - qudt:plainTextDescription "In chemistry, concentration is defined as the abundance of a constituent divided by the total volume of a mixture. Furthermore, in chemistry, four types of mathematical description can be distinguished: mass concentration, molar concentration, number concentration, and volume concentration. The term concentration can be applied to any kind of chemical mixture, but most frequently it refers to solutes in solutions." ; - rdfs:isDefinedBy ; - rdfs:label "Concentration"@en ; -. -quantitykind:Conductance - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Conductance}\\), for a resistive two-terminal element or two-terminal circuit with terminals A and B, quotient of the electric current i in the element or circuit by the voltage \\(u_{AB}\\) between the terminals: \\(G = \\frac{1}{R}\\), where the electric current is taken as positive if its direction is from A to B and negative in the opposite case. The conductance of an element or circuit is the inverse of its resistance."^^qudt:LatexString ; - qudt:applicableUnit unit:DeciS ; - qudt:applicableUnit unit:KiloS ; - qudt:applicableUnit unit:MegaS ; - qudt:applicableUnit unit:MicroS ; - qudt:applicableUnit unit:MilliS ; - qudt:applicableUnit unit:NanoS ; - qudt:applicableUnit unit:PicoS ; - qudt:applicableUnit unit:S ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-06"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition """\\(G = Re\\underline{Y}\\), where \\(\\underline{Y}\\) is admittance. - -Alternatively: - -\\(G = \\frac{1}{R}\\), where \\(R\\) is resistance."""^^qudt:LatexString ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Conductance"@en ; - rdfs:seeAlso quantitykind:Admittance ; -. -quantitykind:ConductionSpeed - a qudt:QuantityKind ; - dcterms:description "\"Conduction Speed\" is the speed of impulses in nerve fibers."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:KiloHZ-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Conduction Speed\" is the speed of impulses in nerve fibers." ; - qudt:symbol "c" ; - rdfs:isDefinedBy ; - rdfs:label "Conduction Speed"@en ; - skos:broader quantitykind:Speed ; -. -quantitykind:ConductiveHeatTransferRate - a qudt:QuantityKind ; - dcterms:description "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi_k\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Conductive Heat Transfer Rate\" is proportional to temperature gradient and area of contact." ; - rdfs:isDefinedBy ; - rdfs:label "Conductive Heat Transfer Rate"@en ; -. -quantitykind:Conductivity - a qudt:QuantityKind ; - dcterms:description "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity."^^rdf:HTML ; - qudt:applicableUnit unit:DeciS-PER-M ; - qudt:applicableUnit unit:KiloS-PER-M ; - qudt:applicableUnit unit:MegaS-PER-M ; - qudt:applicableUnit unit:MicroS-PER-CentiM ; - qudt:applicableUnit unit:MicroS-PER-M ; - qudt:applicableUnit unit:MilliS-PER-CentiM ; - qudt:applicableUnit unit:MilliS-PER-M ; - qudt:applicableUnit unit:NanoS-PER-CentiM ; - qudt:applicableUnit unit:NanoS-PER-M ; - qudt:applicableUnit unit:PicoS-PER-M ; - qudt:applicableUnit unit:S-PER-CentiM ; - qudt:applicableUnit unit:S-PER-M ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-03"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{J} = \\sigma \\mathbf{E}\\), where \\(\\mathbf{J}\\) is electric current density, and \\(\\mathbf{E}\\) is electric field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Conductivity\" is a scalar or tensor quantity the product of which by the electric field strength in a medium is equal to the electric current density. For an isotropic medium the conductivity is a scalar quantity; for an anisotropic medium it is a tensor quantity." ; - rdfs:isDefinedBy ; - rdfs:label "Conductivity"@en ; - rdfs:seeAlso quantitykind:ElectricCurrentDensity ; - rdfs:seeAlso quantitykind:ElectricFieldStrength ; -. -quantitykind:Constringence - a qudt:QuantityKind ; - dcterms:description "In optics and lens design, constringence of a transparent material, also known as the Abbe number or the V-number, is an approximate measure of the material's dispersion (change of refractive index versus wavelength), with high values of V indicating low dispersion."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Abbe_number"^^xsd:anyURI ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Constringence"@en ; - skos:altLabel "Abbe Number"@en ; - skos:altLabel "V-number"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:ConvectiveHeatTransfer - a qudt:QuantityKind ; - dcterms:description "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. "^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Convection"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi_c\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Convective Heat Transfer\" is convective heat transfer coefficient multiplied by temperature difference and exchange area. " ; - rdfs:isDefinedBy ; - rdfs:label "Convective Heat Transfer"@en ; -. -quantitykind:CorrelatedColorTemperature - a qudt:QuantityKind ; - dcterms:description "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity."^^rdf:HTML ; - qudt:applicableUnit unit:K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "https://www.lrc.rpi.edu/programs/nlpip/lightinganswers/lightsources/whatiscct.asp#:~:text=Correlated%20color%20temperature%20(CCT)%20is,required%20to%20specify%20a%20chromaticity."^^xsd:anyURI ; - qudt:plainTextDescription "Correlated color temperature (CCT) is a measure of light source color appearance defined by the proximity of the light source's chromaticity coordinates to the blackbody locus, as a single number rather than the two required to specify a chromaticity." ; - rdfs:isDefinedBy ; - rdfs:label "Correlated Color Temperature"@en-us ; - rdfs:label "Correlated Colour Temperature"@en ; - rdfs:seeAlso quantitykind:Duv ; - skos:broader quantitykind:ThermodynamicTemperature ; -. -quantitykind:Count - a qudt:QuantityKind ; - dcterms:description "\"Count\" is the value of a count of items."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "\"Count\" is the value of a count of items." ; - rdfs:isDefinedBy ; - rdfs:label "Count"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:CouplingFactor - a qudt:QuantityKind ; - dcterms:description "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=161-03-18"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "For inductive coupling between two inductive elements, \\(k = \\frac{\\left | L_{mn} \\right |}{\\sqrt{L_m L_n}}\\), where \\(L_m\\) and \\(L_n\\) are their self inductances, and \\(L_{mn}\\) is their mutual inductance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Coupling Factor\" is the ratio of an electromagnetic quantity, usually voltage or current, appearing at a specified location of a given circuit to the corresponding quantity at a specified location in the circuit from which energy is transferred by coupling." ; - qudt:symbol "k" ; - rdfs:isDefinedBy ; - rdfs:label "Constantă de cuplaj"@ro ; - rdfs:label "constante de acoplamiento"@es ; - rdfs:label "constante de couplage"@fr ; - rdfs:label "coupling factor"@en ; - rdfs:label "fattore di accoppiamento"@it ; - rdfs:label "stała sprzężenia"@pl ; - rdfs:label "Çiftlenim sabiti"@tr ; - rdfs:label "Константа взаимодействия"@ru ; - rdfs:label "結合定数"@ja ; - rdfs:label "耦合常數"@zh ; -. -quantitykind:CrossSection - a qudt:QuantityKind ; - dcterms:description "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Cross-section\" is used to express the likelihood of interaction between particles. For a specified target particle and for a specified reaction or process produced by incident charged or uncharged particles of specified type and energy, it is the mean number of such reactions or processes divided by the incident-particle fluence." ; - qudt:symbol "σ" ; - rdfs:isDefinedBy ; - rdfs:label "Cross-section"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:CrossSectionalArea - a qudt:QuantityKind ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Cross-sectional Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:CubicElectricDipoleMomentPerSquareEnergy - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; -. -quantitykind:CubicExpansionCoefficient - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:applicableUnit unit:PPM-PER-K ; - qudt:applicableUnit unit:PPTM-PER-K ; - qudt:expression "\\(cubic-exp-coef\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_V = \\frac{1}{V} \\; \\frac{dV}{dT}\\), where \\(V\\) is \\(volume\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_v\\)"^^qudt:LatexString ; - qudt:qkdvDenominator qkdv:A0E0L3I0M0H1T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Hullámszám"@hu ; - rdfs:label "Volumenausdehnungskoeffizient"@de ; - rdfs:label "coefficient de dilatation volumique"@fr ; - rdfs:label "coefficiente di dilatazione volumica"@it ; - rdfs:label "coeficiente de dilatación cúbica"@es ; - rdfs:label "coeficiente de dilatação volúmica"@pt ; - rdfs:label "cubic expansion coefficient"@en ; - rdfs:label "kübik genleşme katsayısı"@tr ; - rdfs:label "współczynnik rozszerzalności objętościowej"@pl ; - rdfs:label "Κυματαριθμός"@el ; - rdfs:label "Вълново число"@bg ; - rdfs:label "Температурный коэффициент"@ru ; - rdfs:label "מספר גל"@he ; - rdfs:label "ضریب انبساط گرمایی"@fa ; - rdfs:label "معامل التمدد الحجمى"@ar ; - rdfs:label "体膨胀系数"@zh ; - rdfs:label "線膨張係数"@ja ; - skos:broader quantitykind:ExpansionRatio ; -. -quantitykind:CurieTemperature - a qudt:QuantityKind ; - dcterms:description "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Curie_temperature"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Curie Temperature\" is the critical thermodynamic temperature of a ferromagnet." ; - qudt:symbol "T_C" ; - rdfs:isDefinedBy ; - rdfs:label "Curie sıcaklığı"@tr ; - rdfs:label "Curie temperature"@en ; - rdfs:label "Curie-Temperatur"@de ; - rdfs:label "Curieova teplota"@cs ; - rdfs:label "Punct Curie"@ro ; - rdfs:label "Suhu Curie"@ms ; - rdfs:label "punto di Curie"@it ; - rdfs:label "temperatura Curie"@pl ; - rdfs:label "temperatura de Curie"@es ; - rdfs:label "temperatura de Curie"@pt ; - rdfs:label "température de Curie"@fr ; - rdfs:label "Точка Кюри"@ru ; - rdfs:label "درجة حرارة كوري"@ar ; - rdfs:label "نقطه کوری"@fa ; - rdfs:label "क्यूरी ताप"@hi ; - rdfs:label "キュリー温度"@ja ; - rdfs:label "居里点"@zh ; - skos:closeMatch quantitykind:NeelTemperature ; - skos:closeMatch quantitykind:SuperconductionTransitionTemperature ; -. -quantitykind:CurrencyPerFlight - a qudt:QuantityKind ; - qudt:applicableUnit unit:MegaDOLLAR_US-PER-FLIGHT ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Currency Per Flight"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:CurrentLinkage - a qudt:QuantityKind ; - dcterms:description "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:expression "\\(current-linkage\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Current Linkage\" is the net electric current through a surface delimited by a closed loop." ; - rdfs:isDefinedBy ; - rdfs:label "Current Linkage"@en ; -. -quantitykind:Curvature - a qudt:QuantityKind ; - dcterms:description "The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. The magnitude of curvature at points on physical curves can be measured in \\(diopters\\) (also spelled \\(dioptre\\)) — this is the convention in optics."^^qudt:LatexString ; - qudt:applicableUnit unit:DIOPTER ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Curvature"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; - qudt:plainTextDescription """The canonical example of extrinsic curvature is that of a circle, which has curvature equal to the inverse of its radius everywhere. Smaller circles bend more sharply, and hence have higher curvature. The curvature of a smooth curve is defined as the curvature of its osculating circle at each point. The osculating circle of a sufficiently smooth plane curve at a given point on the curve is the circle whose center lies on the inner normal line and whose curvature is the same as that of the given curve at that point. This circle is tangent to the curve at the given point. -That is, given a point P on a smooth curve C, the curvature of C at P is defined to be 1/R where R is the radius of the osculating circle of C at P. The magnitude of curvature at points on physical curves can be measured in diopters (also spelled dioptre) — this is the convention in optics. [Wikipedia],""" ; - rdfs:isDefinedBy ; - rdfs:label "Curvature"@en ; - skos:broader quantitykind:InverseLength ; -. -quantitykind:CurvatureFromRadius - a qudt:QuantityKind ; - dcterms:description "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Curvature"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\kappa = \\frac{1}{\\rho}\\), where \\(\\rho\\) is the radius of the curvature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In mathematics \"Curvature\" is the amount by which a geometric object deviates from being flat, or straight in the case of a line, but this is defined in different ways depending on the context." ; - rdfs:isDefinedBy ; - rdfs:label "Curvature"@en ; - skos:closeMatch quantitykind:Curvature ; -. -quantitykind:CyclotronAngularFrequency - a qudt:QuantityKind ; - dcterms:description "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_cyclotron_resonance"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\omega_c = \\frac{\\left | q \\right |}{m}B\\), where \\(q\\) is the electric charge, \\(m\\) is its mass, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\omega_c\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Cyclotron Angular Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; - rdfs:isDefinedBy ; - rdfs:label "Larmor Angular Frequency"@en ; - skos:broader quantitykind:AngularFrequency ; -. -quantitykind:DELTA-V - a qudt:QuantityKind ; - dcterms:description "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Delta-v"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\bigtriangleup v\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The change in translational velocity including all losses for a propulsive system or module. Delta-V losses include, but are not limited to, gravity losses and steering losses." ; - rdfs:isDefinedBy ; - rdfs:label "Delta-V"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:DRY-MASS - a qudt:QuantityKind ; - dcterms:description "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Mass of a system without the propellants, pressurants, reserve or residual fluids, personnel and personnel provisions, and cargo." ; - rdfs:isDefinedBy ; - rdfs:label "Dry Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:DataRate - a qudt:QuantityKind ; - dcterms:description "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits."^^rdf:HTML ; - qudt:applicableUnit unit:BIT-PER-SEC ; - qudt:applicableUnit unit:GigaBIT-PER-SEC ; - qudt:applicableUnit unit:KiloBIT-PER-SEC ; - qudt:applicableUnit unit:KiloBYTE-PER-SEC ; - qudt:applicableUnit unit:MegaBIT-PER-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Data_rate"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:plainTextDescription "The frequency derived from the period of time required to transmit one bit. This represents the amount of data transferred per second by a communications channel or a computing or storage device. Data rate is measured in units of bits per second (written \"b/s\" or \"bps\"), bytes per second (Bps), or baud. When applied to data rate, the multiplier prefixes \"kilo-\", \"mega-\", \"giga-\", etc. (and their abbreviations, \"k\", \"M\", \"G\", etc.) always denote powers of 1000. For example, 64 kbps is 64,000 bits per second. This contrasts with units of storage which use different prefixes to denote multiplication by powers of 1024, for example 1 kibibit = 1024 bits." ; - rdfs:isDefinedBy ; - rdfs:label "Data Rate"@en ; - skos:broader quantitykind:InformationFlowRate ; -. -quantitykind:Debye-WallerFactor - a qudt:QuantityKind ; - dcterms:description "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Debye–Waller_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; - qudt:plainTextDescription "\"Debye-Waller Factor\" (DWF), named after Peter Debye and Ivar Waller, is used in condensed matter physics to describe the attenuation of x-ray scattering or coherent neutron scattering caused by thermal motion. Also, a factor by which the intensity of a diffraction line is reduced because of the lattice vibrations." ; - qudt:symbol "D, B" ; - rdfs:isDefinedBy ; - rdfs:label "Debye-Waller Factor"@en ; -. -quantitykind:DebyeAngularFrequency - a qudt:QuantityKind ; - dcterms:description "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://lamp.tu-graz.ac.at/~hadley/ss1/phonons/table/dosdebye.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\omega_b\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Debye Angular Frequency\" is the cut-off angular frequency in the Debye model of the vibrational spectrum of a solid." ; - rdfs:isDefinedBy ; - rdfs:label "Debye Angular Frequency"@en ; - skos:broader quantitykind:AngularFrequency ; -. -quantitykind:DebyeAngularWavenumber - a qudt:QuantityKind ; - dcterms:description "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid."^^rdf:HTML ; - qudt:applicableUnit unit:RAD-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Debye Angular Wavenumber\" is the cut-off angular wavenumber in the Debye model of the vibrational spectrum of a solid." ; - qudt:symbol "q_D" ; - rdfs:isDefinedBy ; - rdfs:label "Debye Angular Wavenumber"@en ; - skos:broader quantitykind:InverseLength ; -. -quantitykind:DebyeTemperature - a qudt:QuantityKind ; - dcterms:description "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Debye_model"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Theta_D = \\frac{\\hbar\\omega_D}{k}\\), where \\(k\\) is the Boltzmann constant, \\(\\hbar\\) is the reduced Planck constant, and \\(\\omega_D\\) is the Debye angular frequency."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Theta_D\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Debye Temperature\" is the temperature at which the highest-frequency mode (and hence all modes) are excited." ; - rdfs:isDefinedBy ; - rdfs:label "Debye Temperature"@en ; -. -quantitykind:DecayConstant - a qudt:QuantityKind ; - dcterms:description "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay."^^rdf:HTML ; - qudt:applicableUnit unit:KiloCi ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI ; - qudt:informativeReference "http://www.britannica.com/EBchecked/topic/154945/decay-constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "Relative variation \\(\\frac{dN}{N}\\) of the number \\(N\\) of atoms or nuclei in a system, due to spontaneous emission from these atoms or nuclei during an infinitesimal time interval, divided by its duration \\(dt\\), thus \\(\\lambda = -\\frac{1}{N}\\frac{dN}{dt}\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Decay Constant\" is the proportionality between the size of a population of radioactive atoms and the rate at which the population decreases because of radioactive decay." ; - rdfs:isDefinedBy ; - rdfs:label "Decay Constant"@en ; - skos:broader quantitykind:InverseTime ; -. -quantitykind:DegreeOfDissociation - a qudt:QuantityKind ; - dcterms:description "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Faraday_constant"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dissociation_(chemistry)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Degree of Dissociation\" is the fraction of original solute molecules that have dissociated." ; - rdfs:isDefinedBy ; - rdfs:label "Degree of Dissociation"@en ; -. -quantitykind:Density - a qudt:QuantityKind ; - dcterms:description "The mass density or density of a material is defined as its mass per unit volume. The symbol most often used for density is \\(\\rho\\). Mathematically, density is defined as mass divided by volume: \\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume. In some cases, density is also defined as its weight per unit volume, although this quantity is more properly called specific weight."^^qudt:LatexString ; - qudt:applicableUnit unit:DEGREE_BALLING ; - qudt:applicableUnit unit:DEGREE_BAUME ; - qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; - qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; - qudt:applicableUnit unit:DEGREE_BRIX ; - qudt:applicableUnit unit:DEGREE_OECHSLE ; - qudt:applicableUnit unit:DEGREE_PLATO ; - qudt:applicableUnit unit:DEGREE_TWADDELL ; - qudt:applicableUnit unit:FemtoGM-PER-L ; - qudt:applicableUnit unit:GM-PER-CentiM3 ; - qudt:applicableUnit unit:GM-PER-DeciL ; - qudt:applicableUnit unit:GM-PER-DeciM3 ; - qudt:applicableUnit unit:GM-PER-L ; - qudt:applicableUnit unit:GM-PER-M3 ; - qudt:applicableUnit unit:GM-PER-MilliL ; - qudt:applicableUnit unit:GRAIN-PER-GAL ; - qudt:applicableUnit unit:GRAIN-PER-GAL_US ; - qudt:applicableUnit unit:GRAIN-PER-M3 ; - qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; - qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; - qudt:applicableUnit unit:KiloGM-PER-L ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:applicableUnit unit:LB-PER-FT3 ; - qudt:applicableUnit unit:LB-PER-GAL ; - qudt:applicableUnit unit:LB-PER-GAL_UK ; - qudt:applicableUnit unit:LB-PER-GAL_US ; - qudt:applicableUnit unit:LB-PER-IN3 ; - qudt:applicableUnit unit:LB-PER-M3 ; - qudt:applicableUnit unit:LB-PER-YD3 ; - qudt:applicableUnit unit:MegaGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-DeciL ; - qudt:applicableUnit unit:MicroGM-PER-L ; - qudt:applicableUnit unit:MicroGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-MilliL ; - qudt:applicableUnit unit:MilliGM-PER-DeciL ; - qudt:applicableUnit unit:MilliGM-PER-L ; - qudt:applicableUnit unit:MilliGM-PER-M3 ; - qudt:applicableUnit unit:MilliGM-PER-MilliL ; - qudt:applicableUnit unit:NanoGM-PER-DeciL ; - qudt:applicableUnit unit:NanoGM-PER-L ; - qudt:applicableUnit unit:NanoGM-PER-M3 ; - qudt:applicableUnit unit:NanoGM-PER-MicroL ; - qudt:applicableUnit unit:NanoGM-PER-MilliL ; - qudt:applicableUnit unit:OZ-PER-GAL ; - qudt:applicableUnit unit:OZ-PER-GAL_UK ; - qudt:applicableUnit unit:OZ-PER-GAL_US ; - qudt:applicableUnit unit:OZ-PER-IN3 ; - qudt:applicableUnit unit:OZ-PER-YD3 ; - qudt:applicableUnit unit:PicoGM-PER-L ; - qudt:applicableUnit unit:PicoGM-PER-MilliL ; - qudt:applicableUnit unit:PlanckDensity ; - qudt:applicableUnit unit:SLUG-PER-FT3 ; - qudt:applicableUnit unit:TONNE-PER-M3 ; - qudt:applicableUnit unit:TON_LONG-PER-YD3 ; - qudt:applicableUnit unit:TON_Metric-PER-M3 ; - qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; - qudt:applicableUnit unit:TON_UK-PER-YD3 ; - qudt:applicableUnit unit:TON_US-PER-YD3 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Density"^^xsd:anyURI ; - qudt:exactMatch quantitykind:MassDensity ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = m/V\\), where \\(\\rho\\) is the density, \\(m\\) is the mass, and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Density"@en ; -. -quantitykind:DensityInCombustionChamber - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:latexSymbol "\\(\\rho_c\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Density In Combustion Chamber"@en ; -. -quantitykind:DensityOfStates - a qudt:QuantityKind ; - dcterms:description "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume."^^rdf:HTML ; - qudt:applicableUnit unit:SEC-PER-RAD-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Density of States\" is the number of vibrational modes in an infinitesimal interval of angular frequency divided by the range of that interval and by volume." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "Density of states"@en ; -. -quantitykind:DensityOfTheExhaustGases - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEGREE_BALLING ; - qudt:applicableUnit unit:DEGREE_BAUME ; - qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; - qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; - qudt:applicableUnit unit:DEGREE_BRIX ; - qudt:applicableUnit unit:DEGREE_OECHSLE ; - qudt:applicableUnit unit:DEGREE_PLATO ; - qudt:applicableUnit unit:DEGREE_TWADDELL ; - qudt:applicableUnit unit:FemtoGM-PER-L ; - qudt:applicableUnit unit:GM-PER-CentiM3 ; - qudt:applicableUnit unit:GM-PER-DeciL ; - qudt:applicableUnit unit:GM-PER-DeciM3 ; - qudt:applicableUnit unit:GM-PER-L ; - qudt:applicableUnit unit:GM-PER-M3 ; - qudt:applicableUnit unit:GM-PER-MilliL ; - qudt:applicableUnit unit:GRAIN-PER-GAL ; - qudt:applicableUnit unit:GRAIN-PER-GAL_US ; - qudt:applicableUnit unit:GRAIN-PER-M3 ; - qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; - qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; - qudt:applicableUnit unit:KiloGM-PER-L ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:applicableUnit unit:LB-PER-FT3 ; - qudt:applicableUnit unit:LB-PER-GAL ; - qudt:applicableUnit unit:LB-PER-GAL_UK ; - qudt:applicableUnit unit:LB-PER-GAL_US ; - qudt:applicableUnit unit:LB-PER-IN3 ; - qudt:applicableUnit unit:LB-PER-M3 ; - qudt:applicableUnit unit:LB-PER-YD3 ; - qudt:applicableUnit unit:MegaGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-DeciL ; - qudt:applicableUnit unit:MicroGM-PER-L ; - qudt:applicableUnit unit:MicroGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-MilliL ; - qudt:applicableUnit unit:MilliGM-PER-DeciL ; - qudt:applicableUnit unit:MilliGM-PER-L ; - qudt:applicableUnit unit:MilliGM-PER-M3 ; - qudt:applicableUnit unit:MilliGM-PER-MilliL ; - qudt:applicableUnit unit:NanoGM-PER-DeciL ; - qudt:applicableUnit unit:NanoGM-PER-L ; - qudt:applicableUnit unit:NanoGM-PER-M3 ; - qudt:applicableUnit unit:NanoGM-PER-MicroL ; - qudt:applicableUnit unit:NanoGM-PER-MilliL ; - qudt:applicableUnit unit:OZ-PER-GAL ; - qudt:applicableUnit unit:OZ-PER-GAL_UK ; - qudt:applicableUnit unit:OZ-PER-GAL_US ; - qudt:applicableUnit unit:OZ-PER-IN3 ; - qudt:applicableUnit unit:OZ-PER-YD3 ; - qudt:applicableUnit unit:PicoGM-PER-L ; - qudt:applicableUnit unit:PicoGM-PER-MilliL ; - qudt:applicableUnit unit:PlanckDensity ; - qudt:applicableUnit unit:SLUG-PER-FT3 ; - qudt:applicableUnit unit:TONNE-PER-M3 ; - qudt:applicableUnit unit:TON_LONG-PER-YD3 ; - qudt:applicableUnit unit:TON_Metric-PER-M3 ; - qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; - qudt:applicableUnit unit:TON_UK-PER-YD3 ; - qudt:applicableUnit unit:TON_US-PER-YD3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Density Of The Exhaust Gases"@en ; - skos:broader quantitykind:Density ; -. -quantitykind:Depth - a qudt:QuantityKind ; - dcterms:description "Depth typically refers to the vertical measure of length from the surface of a liquid."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "Depth typically refers to the vertical measure of length from the surface of a liquid." ; - rdfs:isDefinedBy ; - rdfs:label "Depth"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:DewPointTemperature - a qudt:QuantityKind ; - dcterms:description "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "\"Dew Point Temperature\" is the temperature at which vapour in air reaches saturation." ; - qudt:symbol "T_d" ; - rdfs:isDefinedBy ; - rdfs:label "Dew Point Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:Diameter - a qudt:QuantityKind ; - dcterms:description "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. "^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Diameter"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Diameter"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(d = 2r\\), where \\(r\\) is the radius of the circle."^^qudt:LatexString ; - qudt:plainTextDescription "In classical geometry, the \"Diameter\" of a circle is any straight line segment that passes through the center of the circle and whose endpoints lie on the circle. " ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Durchmesser"@de ; - rdfs:label "diameter"@en ; - rdfs:label "diametro"@it ; - rdfs:label "diamètre"@fr ; - rdfs:label "diámetro"@es ; - rdfs:label "diâmetro"@pt ; - rdfs:label "premer"@sl ; - rdfs:label "průměr"@cs ; - rdfs:label "çap"@tr ; - rdfs:label "średnica"@pl ; - rdfs:label "диаметр"@ru ; - rdfs:label "قطر"@ar ; - rdfs:label "قطر"@fa ; - rdfs:label "直径"@ja ; - rdfs:label "直径"@zh ; - skos:broader quantitykind:Length ; -. -quantitykind:DiastolicBloodPressure - a qudt:QuantityKind ; - dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; - qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; - rdfs:isDefinedBy ; - rdfs:label "Diastolic Blood Pressure"@en ; - rdfs:seeAlso quantitykind:SystolicBloodPressure ; - skos:broader quantitykind:Pressure ; -. -quantitykind:DiffusionArea - a qudt:QuantityKind ; - dcterms:description "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+area"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Diffusion Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the point where a neutron enters a specified class and the point where it leaves that class." ; - qudt:symbol "L^2" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusion Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:DiffusionCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(C_B \\left \\langle \\nu_B \\right \\rangle = -D grad C_B\\), where \\(C_B\\) the local molecular concentration of substance \\(B\\) in the mixture and \\(\\left \\langle \\nu_B \\right \\rangle\\) is the local average velocity of the molecules of \\(B\\)."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Diffusion Coefficient\" is a proportionality constant between the molar flux due to molecular diffusion and the gradient in the concentration of the species (or the driving force for diffusion). Diffusivity is encountered in Fick's law and numerous other equations of physical chemistry." ; - qudt:symbol "D" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusionskoeffizient"@de ; - rdfs:label "coefficient de diffusion"@fr ; - rdfs:label "coefficiente di diffusione"@it ; - rdfs:label "coeficiente de difusión"@es ; - rdfs:label "coeficiente de difusão"@pt ; - rdfs:label "diffusion coefficient"@en ; - rdfs:label "difuzijski koeficient"@sl ; -. -quantitykind:DiffusionCoefficientForFluenceRate - a qudt:QuantityKind ; - dcterms:description "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ."^^rdf:HTML ; - qudt:abbreviation "m" ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_diffusivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(D_\\varphi = -\\frac{J_x}{\\frac{\\partial d\\varphi}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(\\varphi\\) is the particle fluence rate."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Diffusion Coefficient for Fluence Rate\" is a proportionality constant between the ." ; - qudt:symbol "Dᵩ" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusion Coefficient for Fluence Rate"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:DiffusionLength - a qudt:QuantityKind ; - dcterms:description "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/diffusion+length"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = \\sqrt{L^2}\\), where \\(L^2\\) is the diffusion area."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Diffusion Length\" is the average distance traveled by a particle, or a thermal neutron in a nuclear reactor, from the point at which it is formed to the point at which it is absorbed." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusion Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Dimensionless - a qudt:QuantityKind ; - dcterms:description "In dimensional analysis, a dimensionless quantity or quantity of dimension one is a quantity without an associated physical dimension. It is thus a \"pure\" number, and as such always has a dimension of 1. Dimensionless quantities are widely used in mathematics, physics, engineering, economics, and in everyday life (such as in counting). Numerous well-known quantities, such as \\(\\pi\\), \\(\\epsilon\\), and \\(\\psi\\), are dimensionless. By contrast, non-dimensionless quantities are measured in units of length, area, time, etc. Dimensionless quantities are often defined as products or ratios of quantities that are not dimensionless, but whose dimensions cancel out when their powers are multiplied."^^qudt:LatexString ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dimensionless_quantity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dimensionless_quantity"^^xsd:anyURI ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Dimensionless"@en ; -. -quantitykind:DimensionlessRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Dimensionless Ratio"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:Displacement - a qudt:QuantityKind ; - dcterms:description "\"Displacement\" is the shortest distance from the initial to the final position of a point P."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_(vector)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Delta r = R_f - R_i\\), where \\(R_f\\) is the final position and \\(R_i\\) is the initial position."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Delta r\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Displacement\" is the shortest distance from the initial to the final position of a point P." ; - rdfs:isDefinedBy ; - rdfs:label "Displacement"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:DisplacementCurrent - a qudt:QuantityKind ; - dcterms:description "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement_current"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(I_D= \\int_S J_D \\cdot e_n dA\\), over a surface \\(S\\), where \\(J_D\\) is displacement current density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; - qudt:plainTextDescription "\"Displacement Current\" is a quantity appearing in Maxwell's equations that is defined in terms of the rate of change of electric displacement field. Displacement current has the units of electric current density, and it has an associated magnetic field just as actual currents do. However it is not an electric current of moving charges, but a time-varying electric field. In materials, there is also a contribution from the slight motion of charges bound in atoms, dielectric polarization." ; - qudt:symbol "I_D" ; - rdfs:isDefinedBy ; - rdfs:label "Displacement Current"@en ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; -. -quantitykind:DisplacementCurrentDensity - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Displacement Current Density}\\) is the time rate of change of the \\(\\textit{Electric Flux Density}\\). This is a measure of how quickly the electric field changes if we observe it as a function of time. This is different than if we look at how the electric field changes spatially, that is, over a region of space for a fixed amount of time."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-M2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.maxwells-equations.com/math/partial-electric-flux.php"^^xsd:anyURI ; - qudt:latexDefinition "\\(J_D = \\frac{\\partial D}{\\partial t}\\), where \\(D\\) is electric flux density and \\(t\\) is time."^^qudt:LatexString ; - qudt:latexSymbol "\\(J_D\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Displacement Current Density"@en ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; -. -quantitykind:DisplacementVectorOfIon - a qudt:QuantityKind ; - dcterms:description "\"Displacement Vector of Ion\" is the ."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Displacement"^^xsd:anyURI ; - qudt:latexDefinition "\\(u = R - R_0\\), where \\(R\\) is the particle position vector and \\(R_0\\) is the equilibrium position vector of a particle."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Displacement Vector of Ion\" is the ." ; - qudt:symbol "u" ; - rdfs:isDefinedBy ; - rdfs:label "Displacement Vector of Ion"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Dissipance - a qudt:QuantityKind ; - dcterms:description "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dissipation_factor"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\delta = \\frac{P_d}{P_i}\\), where \\(P_d\\) is the dissipated sound power, and \\(P_i\\) is the incident sound power."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Dissipance, or dissipation factor for sound power, is the ratio of dissipated sound power to incident sound power. The dissipation factor (DF) is a measure of loss-rate of energy of a mode of oscillation (mechanical, electrical, or electromechanical) in a dissipative system. It is the reciprocal of quality factor, which represents the quality of oscillation." ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Dissipance"@en ; -. -quantitykind:Distance - a qudt:QuantityKind ; - dcterms:description "\"Distance\" is a numerical description of how far apart objects are. "^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Distance"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Distance\" is a numerical description of how far apart objects are. " ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Entfernung"@de ; - rdfs:label "Jarak"@ms ; - rdfs:label "Vzdálenost"@cs ; - rdfs:label "distance"@en ; - rdfs:label "distance"@fr ; - rdfs:label "distancia"@es ; - rdfs:label "distanza"@it ; - rdfs:label "distância"@pt ; - rdfs:label "uzaklık"@tr ; - rdfs:label "مسافت"@fa ; - rdfs:label "距离"@zh ; - skos:broader quantitykind:Length ; -. -quantitykind:DistanceTraveledDuringBurn - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:symbol "s" ; - rdfs:isDefinedBy ; - rdfs:label "Distance Traveled During a Burn"@en ; -. -quantitykind:DonorDensity - a qudt:QuantityKind ; - dcterms:description "\"Donor Density\" is the number per volume of donor levels."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Donor Density\" is the number per volume of donor levels." ; - qudt:symbol "n_d" ; - rdfs:isDefinedBy ; - rdfs:label "Donor Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:DonorIonizationEnergy - a qudt:QuantityKind ; - dcterms:description "\"Donor Ionization Energy\" is the ionization energy of a donor."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Donor Ionization Energy\" is the ionization energy of a donor." ; - qudt:symbol "E_d" ; - rdfs:isDefinedBy ; - rdfs:label "Donor Ionization Energy"@en ; - skos:broader quantitykind:IonizationEnergy ; - skos:closeMatch quantitykind:AcceptorIonizationEnergy ; -. -quantitykind:DoseEquivalent - a qudt:QuantityKind ; - dcterms:description "\"Dose Equivalent} (former), or \\textit{Equivalent Absorbed Radiation Dose}, usually shortened to \\textit{Equivalent Dose\", is a computed average measure of the radiation absorbed by a fixed mass of biological tissue, that attempts to account for the different biological damage potential of different types of ionizing radiation. The equivalent dose to a tissue is found by multiplying the absorbed dose, in gray, by a dimensionless \"quality factor\" \\(Q\\), dependent upon radiation type, and by another dimensionless factor \\(N\\), dependent on all other pertinent factors. N depends upon the part of the body irradiated, the time and volume over which the dose was spread, even the species of the subject."^^qudt:LatexString ; - qudt:applicableUnit unit:MicroSV ; - qudt:applicableUnit unit:MicroSV-PER-HR ; - qudt:applicableUnit unit:MilliR_man ; - qudt:applicableUnit unit:MilliSV ; - qudt:applicableUnit unit:REM ; - qudt:applicableUnit unit:SV ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Equivalent_dose"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "At the point of interest in tissue, \\(H = DQ\\), where \\(D\\) is the absorbed dose and \\(Q\\) is the quality factor at that point."^^qudt:LatexString ; - qudt:symbol "H" ; - rdfs:isDefinedBy ; - rdfs:label "Dose Equivalent"@en ; - skos:broader quantitykind:SpecificEnergy ; -. -quantitykind:DoseEquivalentQualityFactor - a qudt:QuantityKind ; - dcterms:description "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Equivalent_dose"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Dose Equivalent Quality Factor\" is a factor in the caculation and measurement of dose equivalent, by which the absorbed dose is to be weighted in order to account for different biological effectiveness of radiations, for radiation protection purposes." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Dose Equivalent Quality Factor"@en ; -. -quantitykind:DragCoefficient - a qudt:QuantityKind ; - dcterms:description "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "In fluid dynamics, the drag coefficient is a dimensionless quantity that is used to quantify the drag or resistance of an object in a fluid environment such as air or water." ; - qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:symbol "C_D" ; - rdfs:isDefinedBy ; - rdfs:label "Drag Coefficient"@en ; -. -quantitykind:DragForce - a qudt:QuantityKind ; - dcterms:description """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. -Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:plainTextDescription """In fluid dynamics, drag refers to forces which act on a solid object in the direction of the relative fluid flow velocity. Unlike other resistive forces such as dry friction, which is nearly independent of velocity, drag forces depend on velocity. -Drag forces always decrease fluid velocity relative to the solid object in the fluid's path.""" ; - qudt:symbol "D or F_D" ; - rdfs:isDefinedBy ; - rdfs:label "Drag Force"@en ; -. -quantitykind:DryVolume - a qudt:QuantityKind ; - dcterms:description "Dry measures are units of volume used to measure bulk commodities which are not gas or liquid. They are typically used in agriculture, agronomy, and commodity markets to measure grain, dried beans, and dried and fresh fruit; formerly also salt pork and fish. They are also used in fishing for clams, crabs, etc. and formerly for many other substances (for example coal, cement, lime) which were typically shipped and delivered in a standardized container such as a barrel. In the original metric system, the unit of dry volume was the stere, but this is not part of the modern metric system; the liter and the cubic meter (\\(m^{3}\\)) are now used. However, the stere is still widely used for firewood."^^qudt:LatexString ; - qudt:applicableUnit unit:BBL_US_DRY ; - qudt:applicableUnit unit:BU_UK ; - qudt:applicableUnit unit:BU_US ; - qudt:applicableUnit unit:CORD ; - qudt:applicableUnit unit:GAL_US_DRY ; - qudt:applicableUnit unit:PINT_US_DRY ; - qudt:applicableUnit unit:PK_US_DRY ; - qudt:applicableUnit unit:QT_US_DRY ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dry_measure"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Dry Volume"@en ; - skos:broader quantitykind:Volume ; -. -quantitykind:Duv - a qudt:QuantityKind ; - dcterms:description "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://www.waveformlighting.com/tech/calculate-duv-from-cie-1931-xy-coordinates"^^xsd:anyURI ; - qudt:informativeReference "https://www1.eere.energy.gov/buildings/publications/pdfs/ssl/led-color-characteristics-factsheet.pdf"^^xsd:anyURI ; - qudt:plainTextDescription "Duv is a metric that is short for Delta u,v (not to be confused with Delta u',v') and describes the distance of a light color point from the black body curve." ; - rdfs:isDefinedBy ; - rdfs:label "Delta u,v"@en ; - rdfs:seeAlso quantitykind:CorrelatedColorTemperature ; -. -quantitykind:DynamicFriction - a qudt:QuantityKind ; - dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; - rdfs:isDefinedBy ; - rdfs:label "Dynamic Friction"@en ; - skos:broader quantitykind:Friction ; -. -quantitykind:DynamicFrictionCoefficient - a qudt:QuantityKind ; - dcterms:description "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\frac{F}{N}\\), where \\(F\\) is the tangential component of the contact force and \\(N\\) is the normal component of the contact force between two sliding bodies."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Kinetic (or dynamic) friction occurs when two objects are moving relative to each other and rub together (like a sled on the ground)." ; - qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Dynamic Friction Coefficient"@en ; - skos:broader quantitykind:FrictionCoefficient ; -. -quantitykind:DynamicPressure - a qudt:QuantityKind ; - dcterms:description "Dynamic Pressure (indicated with q, or Q, and sometimes called velocity pressure) is the quantity defined by: \\(q = 1/2 * \\rho v^{2}\\), where (using SI units), \\(q\\) is dynamic pressure in \\(pascals\\), \\(\\rho\\) is fluid density in \\(kg/m^{3}\\) (for example, density of air) and \\(v \\) is fluid velocity in \\(m/s\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dynamic_pressure"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:symbol "q" ; - rdfs:isDefinedBy ; - rdfs:label "Dynamic Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:DynamicViscosity - a qudt:QuantityKind ; - dcterms:description "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE ; - qudt:applicableUnit unit:KiloGM-PER-M-HR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC ; - qudt:applicableUnit unit:LB-PER-FT-HR ; - qudt:applicableUnit unit:LB-PER-FT-SEC ; - qudt:applicableUnit unit:LB_F-SEC-PER-FT2 ; - qudt:applicableUnit unit:LB_F-SEC-PER-IN2 ; - qudt:applicableUnit unit:MicroPOISE ; - qudt:applicableUnit unit:MilliPA-SEC ; - qudt:applicableUnit unit:PA-SEC ; - qudt:applicableUnit unit:POISE ; - qudt:applicableUnit unit:SLUG-PER-FT-SEC ; - qudt:exactMatch quantitykind:Viscosity ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:informativeReference "http://dictionary.reference.com/browse/dynamic+viscosity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\tau_{xz} = \\eta\\frac{dv_x}{dz}\\), where \\(\\tau_{xz}\\) is shear stress in a fluid moving with a velocity gradient \\(\\frac{dv_x}{dz}\\) perpendicular to the plane of shear. "^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "A measure of the molecular frictional resistance of a fluid as calculated using Newton's law." ; - rdfs:isDefinedBy ; - rdfs:label "Kelikatan dinamik"@ms ; - rdfs:label "Viscozitate dinamică"@ro ; - rdfs:label "dinamik akmazlık"@tr ; - rdfs:label "dinamična viskoznost"@sl ; - rdfs:label "dynamic viscosity"@en ; - rdfs:label "dynamische Viskosität"@de ; - rdfs:label "lepkość dynamiczna"@pl ; - rdfs:label "viscosidad dinámica"@es ; - rdfs:label "viscosidade dinâmica"@pt ; - rdfs:label "viscosità di taglio"@it ; - rdfs:label "viscosità dinamica"@it ; - rdfs:label "viscosité dynamique"@fr ; - rdfs:label "viskozita"@cs ; - rdfs:label "динамическую вязкость"@ru ; - rdfs:label "لزوجة"@ar ; - rdfs:label "گرانروی دینامیکی/ویسکوزیته دینامیکی"@fa ; - rdfs:label "श्यानता"@hi ; - rdfs:label "动力粘度"@zh ; - rdfs:label "粘度"@ja ; - rdfs:seeAlso quantitykind:KinematicViscosity ; - rdfs:seeAlso quantitykind:MolecularViscosity ; -. -quantitykind:EarthClosestApproachVehicleVelocity - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:symbol "V_o" ; - rdfs:isDefinedBy ; - rdfs:label "Earth Closest Approach Vehicle Velocity"@en ; - skos:broader quantitykind:VehicleVelocity ; -. -quantitykind:EccentricityOfOrbit - a qudt:QuantityKind ; - dcterms:description "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The orbital eccentricity of an astronomical object is a parameter that determines the amount by which its orbit around another body deviates from a perfect circle. In a two-body problem with inverse-square-law force, every orbit is a Kepler orbit. The eccentricity of this Kepler orbit is a positive number that defines its shape." ; - rdfs:isDefinedBy ; - rdfs:label "Eccentricity Of Orbit"@en ; -. -quantitykind:EffectiveExhaustVelocity - a qudt:QuantityKind ; - dcterms:description "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "The velocity of an exhaust stream after reduction by effects such as friction, non-axially directed flow, and pressure differences between the inside of the rocket and its surroundings. The effective exhaust velocity is one of two factors determining the thrust, or accelerating force, that a rocket can develop, the other factor being the quantity of reaction mass expelled from the rocket in unit time. In most cases, the effective exhaust velocity is close to the actual exhaust velocity." ; - qudt:symbol "v_{e}" ; - rdfs:isDefinedBy ; - rdfs:label "Effective Exhaustvelocity"@en ; -. -quantitykind:EffectiveMass - a qudt:QuantityKind ; - dcterms:description "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Effective_mass_(solid-state_physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(m^* = \\hbar^2k(\\frac{d\\varepsilon}{dk})\\), where \\(\\hbar\\) is the reduced Planck constant, \\(k\\) is the wavenumber, and \\(\\varepsilon\\) is the energy of the electron."^^qudt:LatexString ; - qudt:plainTextDescription "\"Effective Mass\" is used in the motional equation for electrons in solid state bodies, depending on the wavenumber and corresponding to its velocity and energy level." ; - qudt:symbol "m^*" ; - rdfs:isDefinedBy ; - rdfs:label "Effective Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:EffectiveMultiplicationFactor - a qudt:QuantityKind ; - dcterms:description "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction#Effective_neutron_multiplication_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Effective Multiplication Factor\" is the multiplication factor for a finite medium." ; - qudt:symbol "k_{eff}" ; - rdfs:isDefinedBy ; - rdfs:label "Effective Multiplication Factor"@en ; - skos:broader quantitykind:MultiplicationFactor ; - skos:closeMatch quantitykind:InfiniteMultiplicationFactor ; -. -quantitykind:Efficiency - a qudt:QuantityKind ; - dcterms:description "Efficiency is the ratio of output power to input power."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\eta = \\frac{P_{out}}{P_{in}}\\), where \\(P_{out}\\) is the output power and \\(P_{in}\\) is the input power."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Efficiency is the ratio of output power to input power." ; - rdfs:isDefinedBy ; - rdfs:label "Wirkungsgrad"@de ; - rdfs:label "efficiency"@en ; - rdfs:label "efficienza"@it ; - rdfs:label "eficiência"@pt ; - rdfs:label "rendement"@fr ; - rdfs:label "rendimento"@it ; - rdfs:label "rendimiento"@es ; - rdfs:label "sprawność"@pl ; - rdfs:label "коэффициент полезного действия"@ru ; - rdfs:label "كفاءة"@ar ; - rdfs:label "効率"@ja ; - rdfs:label "效率"@zh ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:EinsteinTransitionProbability - a qudt:QuantityKind ; - dcterms:description "Given two atomic states of energy \\(E_j\\) and \\(E_k\\). Let \\(E_j > E_k\\). Assume the atom is bathed in radiation of energy density \\(u(w)\\). Transitions between these states can take place in three different ways. Spontaneous, induced/stimulated emission, and induced absorption. \\(A_jk\\) represents the Einstein transition probability for spontaneous emission."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://electron6.phys.utk.edu/qm2/modules/m10/einstein.htm"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\frac{-dN_j}{dt} = A_jkN_j\\), where \\(-dN_j\\) is the number of molecules spontaneously leaving the state j for the state k during a time interval of duration \\(dt\\), \\(N_j\\) is the number of molecules in the state j, and \\(E_j > E_k\\)."^^qudt:LatexString ; - qudt:symbol "A_jkN_j" ; - rdfs:isDefinedBy ; - rdfs:label "Einstein Transition Probability"@en ; -. -quantitykind:ElectricCharge - a qudt:QuantityKind ; - dcterms:description "\"Electric Charge\" is a fundamental conserved property of some subatomic particles, which determines their electromagnetic interaction. Electrically charged matter is influenced by, and produces, electromagnetic fields. The electric charge on a body may be positive or negative. Two positively charged bodies experience a mutual repulsive force, as do two negatively charged bodies. A positively charged body and a negatively charged body experience an attractive force. Electric charge is carried by discrete particles and can be positive or negative. The sign convention is such that the elementary electric charge \\(e\\), that is, the charge of the proton, is positive. The SI derived unit of electric charge is the coulomb."^^qudt:LatexString ; - qudt:applicableUnit unit:A-HR ; - qudt:applicableUnit unit:A-SEC ; - qudt:applicableUnit unit:AttoC ; - qudt:applicableUnit unit:C ; - qudt:applicableUnit unit:C_Ab ; - qudt:applicableUnit unit:C_Stat ; - qudt:applicableUnit unit:CentiC ; - qudt:applicableUnit unit:DecaC ; - qudt:applicableUnit unit:DeciC ; - qudt:applicableUnit unit:E ; - qudt:applicableUnit unit:ElementaryCharge ; - qudt:applicableUnit unit:ExaC ; - qudt:applicableUnit unit:F ; - qudt:applicableUnit unit:FR ; - qudt:applicableUnit unit:FemtoC ; - qudt:applicableUnit unit:GigaC ; - qudt:applicableUnit unit:HectoC ; - qudt:applicableUnit unit:KiloA-HR ; - qudt:applicableUnit unit:KiloC ; - qudt:applicableUnit unit:MegaC ; - qudt:applicableUnit unit:MicroC ; - qudt:applicableUnit unit:MilliA-HR ; - qudt:applicableUnit unit:MilliC ; - qudt:applicableUnit unit:NanoC ; - qudt:applicableUnit unit:PetaC ; - qudt:applicableUnit unit:PicoC ; - qudt:applicableUnit unit:PlanckCharge ; - qudt:applicableUnit unit:TeraC ; - qudt:applicableUnit unit:YoctoC ; - qudt:applicableUnit unit:YottaC ; - qudt:applicableUnit unit:ZeptoC ; - qudt:applicableUnit unit:ZettaC ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_charge"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_charge?oldid=492961669"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(dQ = Idt\\), where \\(I\\) is electric current."^^qudt:LatexString ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Cas elektrik"@ms ; - rdfs:label "Charge électrique"@fr ; - rdfs:label "Elektrický náboj"@cs ; - rdfs:label "cantitate de electricitate"@ro ; - rdfs:label "carga eléctrica"@es ; - rdfs:label "carga elétrica"@pt ; - rdfs:label "carica elettrica"@it ; - rdfs:label "electric charge"@en ; - rdfs:label "elektrik yükü"@tr ; - rdfs:label "elektrische Ladung"@de ; - rdfs:label "električni naboj"@sl ; - rdfs:label "elektromos töltés"@hu ; - rdfs:label "onus electricum"@la ; - rdfs:label "sarcină electrică"@ro ; - rdfs:label "ładunek elektryczny"@pl ; - rdfs:label "Ηλεκτρικό φορτίο"@el ; - rdfs:label "Електрически заряд"@bg ; - rdfs:label "Электрический заряд"@ru ; - rdfs:label "מטען חשמלי"@he ; - rdfs:label "الشحنة الكهربائية"@ar ; - rdfs:label "بار الکتریکی"@fa ; - rdfs:label "विद्युत आवेग या विद्युत बहाव"@hi ; - rdfs:label "电荷"@zh ; - rdfs:label "電荷"@ja ; - rdfs:seeAlso quantitykind:ElectricCurrent ; -. -quantitykind:ElectricChargeDensity - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-M3 ; - qudt:applicableUnit unit:MegaC-PER-M3 ; - qudt:applicableUnit unit:MicroC-PER-M3 ; - qudt:expression "\\(charge-density\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.maxwells-equations.com/pho/charge-density.php"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = \\frac{dQ}{dV}\\), where \\(Q\\) is electric charge and \\(V\\) is Volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Density"@en ; - rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity ; -. -quantitykind:ElectricChargeLineDensity - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot \\), \\(m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-M ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Line Density"@en ; -. -quantitykind:ElectricChargeLinearDensity - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-M ; - qudt:expression "\\(linear-charge-density\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_l = \\frac{dQ}{dl}\\), where \\(Q\\) is electric charge and \\(l\\) is length."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Linear Density"@en ; - rdfs:seeAlso quantitykind:ElectricChargeDensity ; -. -quantitykind:ElectricChargePerAmountOfSubstance - a qudt:QuantityKind ; - dcterms:description "\"Electric Charge Per Amount Of Substance\" is the charge assocated with a given amount of substance. Un the ISO and SI systems this is \\(1 mol\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-MOL ; - qudt:applicableUnit unit:C_Stat-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electric charge per amount of substance"@en ; -. -quantitykind:ElectricChargePerArea - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-CentiM2 ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:C-PER-MilliM2 ; - qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:applicableUnit unit:MegaC-PER-M2 ; - qudt:applicableUnit unit:MicroC-PER-M2 ; - qudt:applicableUnit unit:MilliC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Electric charge per area"@en ; -. -quantitykind:ElectricChargePerMass - a qudt:QuantityKind ; - dcterms:description "\"Electric Charge Per Mass\" is the charge associated with a specific mass of a substance. In the SI and ISO systems this is \\(1 kg\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:A-M2-PER-J-SEC ; - qudt:applicableUnit unit:C-PER-KiloGM ; - qudt:applicableUnit unit:HZ-PER-T ; - qudt:applicableUnit unit:KiloR ; - qudt:applicableUnit unit:MegaHZ-PER-T ; - qudt:applicableUnit unit:MilliC-PER-KiloGM ; - qudt:applicableUnit unit:MilliR ; - qudt:applicableUnit unit:PER-T-SEC ; - qudt:applicableUnit unit:R ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Per Mass"@en ; -. -quantitykind:ElectricChargeSurfaceDensity - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:expression "\\(surface-charge-density\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_A = \\frac{dQ}{dA}\\), where \\(Q\\) is electric charge and \\(A\\) is Area."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Surface Density"@en ; - rdfs:seeAlso quantitykind:ElectricChargeDensity ; -. -quantitykind:ElectricChargeVolumeDensity - a qudt:QuantityKind ; - dcterms:description "In electromagnetism, charge density is a measure of electric charge per unit volume of space, in one, two or three dimensions. More specifically: the linear, surface, or volume charge density is the amount of electric charge per unit length, surface area, or volume, respectively. The respective SI units are \\(C \\cdot m^{-1}\\), \\(C \\cdot m^{-2}\\) or \\(C \\cdot m^{-3}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-CentiM3 ; - qudt:applicableUnit unit:C-PER-M3 ; - qudt:applicableUnit unit:C-PER-MilliM3 ; - qudt:applicableUnit unit:KiloC-PER-M3 ; - qudt:applicableUnit unit:MilliC-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Charge_density"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Electric Charge Volume Density"@en ; -. -quantitykind:ElectricConductivity - a qudt:QuantityKind ; - dcterms:description "\"Electric Conductivity} or \\textit{Specific Conductance\" is a measure of a material's ability to conduct an electric current. When an electrical potential difference is placed across a conductor, its movable charges flow, giving rise to an electric current. The conductivity \\(\\sigma\\) is defined as the ratio of the electric current density \\(J\\) to the electric field \\(E\\): \\(J = \\sigma E\\). In isotropic materials, conductivity is scalar-valued, however in general, conductivity is a tensor-valued quantity."^^qudt:LatexString ; - qudt:applicableUnit unit:A_Ab-CentiM2 ; - qudt:applicableUnit unit:MHO ; - qudt:applicableUnit unit:MHO_Stat ; - qudt:applicableUnit unit:MicroMHO ; - qudt:applicableUnit unit:S_Ab ; - qudt:applicableUnit unit:S_Stat ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Kekonduksian elektrik"@ms ; - rdfs:label "conducibilità elettrica"@it ; - rdfs:label "conductividad eléctrica"@es ; - rdfs:label "conductivité électrique"@fr ; - rdfs:label "condutividade elétrica"@pt ; - rdfs:label "electric conductivity"@en ; - rdfs:label "elektrik iletkenliği"@tr ; - rdfs:label "elektrische Leitfähigkeit"@de ; - rdfs:label "električna prevodnost"@sl ; - rdfs:label "رسانايى الکتريکى/هدایت الکتریکی"@fa ; - rdfs:label "电导率"@zh ; -. -quantitykind:ElectricCurrent - a qudt:QuantityKind ; - dcterms:description "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. "^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:applicableUnit unit:A_Ab ; - qudt:applicableUnit unit:A_Stat ; - qudt:applicableUnit unit:BIOT ; - qudt:applicableUnit unit:KiloA ; - qudt:applicableUnit unit:MegaA ; - qudt:applicableUnit unit:MicroA ; - qudt:applicableUnit unit:MilliA ; - qudt:applicableUnit unit:NanoA ; - qudt:applicableUnit unit:PicoA ; - qudt:applicableUnit unit:PlanckCurrent ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_current"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:plainTextDescription "\"Electric Current\" is the flow (movement) of electric charge. The amount of electric current through some surface, for example, a section through a copper conductor, is defined as the amount of electric charge flowing through that surface over time. Current is a scalar-valued quantity. Electric current is one of the base quantities in the International System of Quantities, ISQ, on which the International System of Units, SI, is based. " ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Arus elektrik"@ms ; - rdfs:label "Elektrický proud"@cs ; - rdfs:label "corrente elettrica"@it ; - rdfs:label "corrente elétrica"@pt ; - rdfs:label "corriente eléctrica"@es ; - rdfs:label "curent electric"@ro ; - rdfs:label "electric current"@en ; - rdfs:label "elektrik akımı"@tr ; - rdfs:label "elektrische Stromstärke"@de ; - rdfs:label "električni tok"@sl ; - rdfs:label "elektromos áramerősség"@hu ; - rdfs:label "fluxio electrica"@la ; - rdfs:label "intensité de courant électrique"@fr ; - rdfs:label "prąd elektryczny"@pl ; - rdfs:label "Ένταση ηλεκτρικού ρεύματος"@el ; - rdfs:label "Електрически ток"@bg ; - rdfs:label "Сила электрического тока"@ru ; - rdfs:label "זרם חשמלי"@he ; - rdfs:label "تيار كهربائي"@ar ; - rdfs:label "جریان الکتریکی"@fa ; - rdfs:label "विद्युत धारा"@hi ; - rdfs:label "电流"@zh ; - rdfs:label "電流"@ja ; -. -quantitykind:ElectricCurrentDensity - a qudt:QuantityKind ; - dcterms:description "\"Electric Current Density\" is a measure of the density of flow of electric charge; it is the electric current per unit area of cross section. Electric current density is a vector-valued quantity. Electric current, \\(I\\), through a surface \\(S\\) is defined as \\(I = \\int_S J \\cdot e_n dA\\), where \\(e_ndA\\) is the vector surface element."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-CentiM2 ; - qudt:applicableUnit unit:A-PER-M2 ; - qudt:applicableUnit unit:A-PER-MilliM2 ; - qudt:applicableUnit unit:A_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:A_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloA-PER-M2 ; - qudt:applicableUnit unit:MegaA-PER-M2 ; - qudt:applicableUnit unit:PlanckCurrentDensity ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Current_density"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:informativeReference "http://maxwells-equations.com/density/current.php"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(J = \\rho v\\), where \\(\\rho\\) is electric current density and \\(v\\) is volume."^^qudt:LatexString ; - qudt:symbol "J" ; - rdfs:isDefinedBy ; - rdfs:label "Akım yoğunluğu"@tr ; - rdfs:label "Densitate de curent"@ro ; - rdfs:label "Gęstość prądu elektrycznego"@pl ; - rdfs:label "Hustota elektrického proudu"@cs ; - rdfs:label "Ketumpatan arus elektrik"@ms ; - rdfs:label "areic electric current"@en ; - rdfs:label "densidad de corriente"@es ; - rdfs:label "densidade de corrente elétrica"@pt ; - rdfs:label "densità di corrente elettrica"@it ; - rdfs:label "densité de courant"@fr ; - rdfs:label "electric current density"@en ; - rdfs:label "elektrische Stromdichte"@de ; - rdfs:label "gostota električnega toka"@sl ; - rdfs:label "keluasan arus elektrik"@ms ; - rdfs:label "плотность тока"@ru ; - rdfs:label "كثافة التيار"@ar ; - rdfs:label "چگالی جریان الکتریکی"@fa ; - rdfs:label "धारा घनत्व"@hi ; - rdfs:label "电流密度"@zh ; - rdfs:label "電流密度"@ja ; -. -quantitykind:ElectricCurrentPerAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:A-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electric Current per Angle"@en ; -. -quantitykind:ElectricCurrentPerUnitEnergy - a qudt:QuantityKind ; - qudt:applicableUnit unit:A-PER-J ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electric Current per Unit Energy"@en ; -. -quantitykind:ElectricCurrentPerUnitLength - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electric Current per Unit Length"@en ; -. -quantitykind:ElectricCurrentPerUnitTemperature - a qudt:QuantityKind ; - dcterms:description "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-DEG_C ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; - qudt:plainTextDescription "\"Electric Current per Unit Temperature\" is used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Current per Unit Temperature"@en ; -. -quantitykind:ElectricCurrentPhasor - a qudt:QuantityKind ; - dcterms:description "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Phasor_(electronics)"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "When \\(i = \\hat{I} \\cos{(\\omega t + \\alpha)}\\), where \\(i\\) is the electric current, \\(\\omega\\) is angular frequence, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{I} = Ie^{ja}\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\underline{I}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Current Phasor\" is a representation of current as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Current Phasor"@en ; -. -quantitykind:ElectricDipoleMoment - a qudt:QuantityKind ; - dcterms:description "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain."^^rdf:HTML ; - qudt:applicableUnit unit:C-M ; - qudt:applicableUnit unit:Debye ; - qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_dipole_moment"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition """\\(E_p = -p \\cdot E\\), where \\(E_p\\) is the interaction energy of the molecule with electric dipole moment \\(p\\) and an electric field with electric field strength \\(E\\). - -\\(p = q(r_+ - r_i)\\), where \\(r_+\\) and \\(r_-\\) are the position vectors to carriers of electric charge \\(a\\) and \\(-q\\), respectively."""^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Dipole Moment\" is a measure of the separation of positive and negative electrical charges in a system of (discrete or continuous) charges. It is a vector-valued quantity. If the system of charges is neutral, that is if the sum of all charges is zero, then the dipole moment of the system is independent of the choice of a reference frame; however in a non-neutral system, such as the dipole moment of a single proton, a dependence on the choice of reference point arises. In such cases it is conventional to choose the reference point to be the center of mass of the system or the center of charge, not some arbitrary origin. This convention ensures that the dipole moment is an intrinsic property of the system. The electric dipole moment of a substance within a domain is the vector sum of electric dipole moments of all electric dipoles included in the domain." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Dipólový moment"@cs ; - rdfs:label "Momen dwikutub elektrik"@ms ; - rdfs:label "electric dipole moment"@en ; - rdfs:label "elektrik dipol momenti"@tr ; - rdfs:label "elektrisches Dipolmoment"@de ; - rdfs:label "elektryczny moment dipolowy"@pl ; - rdfs:label "moment dipolaire"@fr ; - rdfs:label "moment electric dipolar"@ro ; - rdfs:label "momento de dipolo eléctrico"@es ; - rdfs:label "momento di dipolo elettrico"@it ; - rdfs:label "momento do dipolo elétrico"@pt ; - rdfs:label "Электрический дипольный момент"@ru ; - rdfs:label "عزم ثنائي قطب"@ar ; - rdfs:label "گشتاور دوقطبی الکتریکی"@fa ; - rdfs:label "विद्युत द्विध्रुव आघूर्ण"@hi ; - rdfs:label "电偶极矩"@zh ; - rdfs:label "電気双極子"@ja ; -. -quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared - a qudt:QuantityKind ; - qudt:applicableUnit unit:C3-M-PER-J2 ; - qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Electric Dipole Moment per Square Energy"@en ; -. -quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic - a qudt:QuantityKind ; - qudt:applicableUnit unit:C4-M4-PER-J3 ; - qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; -. -quantitykind:ElectricDisplacement - a qudt:QuantityKind ; - dcterms:description "In a dielectric material the presence of an electric field E causes the bound charges in the material (atomic nuclei and their electrons) to slightly separate, inducing a local electric dipole moment. The Electric Displacement Field, \\(D\\), is a vector field that accounts for the effects of free charges within such dielectric materials. This describes also the charge density on an extended surface that could be causing the field."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-CentiM2 ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:C-PER-MilliM2 ; - qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:applicableUnit unit:MegaC-PER-M2 ; - qudt:applicableUnit unit:MicroC-PER-M2 ; - qudt:applicableUnit unit:MilliC-PER-M2 ; - qudt:exactMatch quantitykind:ElectricFluxDensity ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-895"^^xsd:anyURI ; - qudt:latexDefinition "\\(D = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(E\\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; - qudt:symbol "D" ; - rdfs:isDefinedBy ; - rdfs:label "Electric Displacement"@en ; - skos:broader quantitykind:ElectricChargePerArea ; -. -quantitykind:ElectricDisplacementField - a qudt:QuantityKind ; - qudt:applicableUnit unit:C-PER-CentiM2 ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:C-PER-MilliM2 ; - qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:applicableUnit unit:MegaC-PER-M2 ; - qudt:applicableUnit unit:MicroC-PER-M2 ; - qudt:applicableUnit unit:MilliC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:symbol "D" ; - rdfs:isDefinedBy ; - rdfs:label "Electric Displacement Field"@en ; - skos:broader quantitykind:ElectricChargePerArea ; -. -quantitykind:ElectricField - a qudt:QuantityKind ; - dcterms:description "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)."^^rdf:HTML ; - qudt:applicableUnit unit:V-PER-M ; - qudt:applicableUnit unit:V_Ab-PER-CentiM ; - qudt:applicableUnit unit:V_Stat-PER-CentiM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_field"^^xsd:anyURI ; - qudt:expression "\\(E\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; - qudt:plainTextDescription "The space surrounding an electric charge or in the presence of a time-varying magnetic field has a property called an electric field. This electric field exerts a force on other electrically charged objects. In the idealized case, the force exerted between two point charges is inversely proportional to the square of the distance between them. (Coulomb's Law)." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Field"@en ; -. -quantitykind:ElectricFieldStrength - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Electric Field Strength}\\) is the magnitude and direction of an electric field, expressed by the value of \\(E\\), also referred to as \\(\\color{indigo} {\\textit{electric field intensity}}\\) or simply the electric field."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV-PER-M ; - qudt:applicableUnit unit:MegaV-PER-M ; - qudt:applicableUnit unit:MicroV-PER-M ; - qudt:applicableUnit unit:MilliV-PER-M ; - qudt:applicableUnit unit:V-PER-CentiM ; - qudt:applicableUnit unit:V-PER-IN ; - qudt:applicableUnit unit:V-PER-M ; - qudt:applicableUnit unit:V-PER-MilliM ; - qudt:applicableUnit unit:V_Ab-PER-CentiM ; - qudt:applicableUnit unit:V_Stat-PER-CentiM ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{E} = \\mathbf{F}/q\\), where \\(\\mathbf{F}\\) is force and \\(q\\) is electric charge, of a test particle at rest."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mathbf{E} \\)"^^qudt:LatexString ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Elektromos mező"@hu ; - rdfs:label "Kekuatan medan elektrik"@ms ; - rdfs:label "câmp electric"@ro ; - rdfs:label "electric field strength"@en ; - rdfs:label "elektrické pole"@cs ; - rdfs:label "elektriksel alan kuvveti"@tr ; - rdfs:label "elektrische Feldstärke"@de ; - rdfs:label "intensidad de campo eléctrico"@es ; - rdfs:label "intensidade de campo elétrico"@pt ; - rdfs:label "intensità di campo elettrico"@it ; - rdfs:label "intensité de champ électrique"@fr ; - rdfs:label "jakost električnega polja"@sl ; - rdfs:label "natężenie pola elektrycznego"@pl ; - rdfs:label "Ηλεκτρικό πεδίο"@el ; - rdfs:label "Електрично поле"@bg ; - rdfs:label "Напряженность электрического поля"@ru ; - rdfs:label "שדה חשמלי"@he ; - rdfs:label "شدت میدان الکتریکی"@fa ; - rdfs:label "عدد الموجة"@ar ; - rdfs:label "विद्युत्-क्षेत्र"@hi ; - rdfs:label "電場"@zh ; - rdfs:label "電界強度"@ja ; -. -quantitykind:ElectricFlux - a qudt:QuantityKind ; - dcterms:description "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity."^^rdf:HTML ; - qudt:applicableUnit unit:V-M ; - qudt:applicableUnit unit:V_Stat-CentiM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; - qudt:expression "\\(electirc-flux\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Psi = \\int_S D \\cdot e_n dA\\), over a surface \\(S\\), where \\(D\\) is electric flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Flux\" through an area is defined as the electric field multiplied by the area of the surface projected in a plane perpendicular to the field. Electric Flux is a scalar-valued quantity." ; - rdfs:isDefinedBy ; - rdfs:label "Electric Flux"@en ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; -. -quantitykind:ElectricFluxDensity - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Electric Flux Density}\\), also referred to as \\(\\textit{Electric Displacement}\\), is related to electric charge density by the following equation: \\(\\text{div} \\; D = \\rho\\), where \\(\\text{div}\\) denotes the divergence."^^qudt:LatexString ; - qudt:applicableUnit unit:C-PER-CentiM2 ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:C-PER-MilliM2 ; - qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:applicableUnit unit:MegaC-PER-M2 ; - qudt:applicableUnit unit:MicroC-PER-M2 ; - qudt:applicableUnit unit:MilliC-PER-M2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electric_flux"^^xsd:anyURI ; - qudt:exactMatch quantitykind:ElectricDisplacement ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{D} = \\epsilon_0 E + P\\), where \\(\\epsilon_0\\) is the electric constant, \\(\\mathbf{E} \\) is electric field strength, and \\(P\\) is electric polarization."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mathbf{D}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Densidad de flujo eléctrico"@es ; - rdfs:label "Elektrická indukce"@cs ; - rdfs:label "Induction électrique"@fr ; - rdfs:label "Inducție electrică"@ro ; - rdfs:label "Indukcja elektryczna"@pl ; - rdfs:label "Ketumpatan fluks elektrik"@ms ; - rdfs:label "anjakan"@ms ; - rdfs:label "campo de deslocamento elétrico"@pt ; - rdfs:label "densité de flux électrique"@fr ; - rdfs:label "displacement"@en ; - rdfs:label "electric flux density"@en ; - rdfs:label "elektrik akı yoğunluğu"@tr ; - rdfs:label "elektrische Flussdichte"@de ; - rdfs:label "elektrische Induktion"@de ; - rdfs:label "elektrische Verschiebung"@de ; - rdfs:label "induzione elettrica"@it ; - rdfs:label "spostamento elettrico"@it ; - rdfs:label "yer değiştirme"@tr ; - rdfs:label "Электрическая индукция"@ru ; - rdfs:label "إزاحة كهربائية"@ar ; - rdfs:label "چگالی شار الکتریکی"@fa ; - rdfs:label "電位移"@zh ; - rdfs:label "電束密度"@ja ; - skos:broader quantitykind:ElectricChargePerArea ; -. -quantitykind:ElectricPolarizability - a qudt:QuantityKind ; - dcterms:description "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Polarizability"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_{i,j} = \\frac{\\partial p_i}{\\partial E_j}\\), where \\(p_i\\) is the cartesian component along the \\(i-axis\\) of the electric dipole moment induced by the applied electric field strength acting on the molecule, and \\(E_j\\) is the component along the \\(j-axis\\) of this electric field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which is applied typically by inserting the molecule in a charged parallel-plate capacitor, but may also be caused by the presence of a nearby ion or dipole." ; - rdfs:isDefinedBy ; - rdfs:label "Kepengkutuban elektrik"@ms ; - rdfs:label "Kutuplanabilirlik"@tr ; - rdfs:label "Polarisabilité"@fr ; - rdfs:label "Polarizabilidad"@es ; - rdfs:label "Polarizovatelnost"@cs ; - rdfs:label "Polaryzowalność"@pl ; - rdfs:label "electric polarizability"@en ; - rdfs:label "elektrische Polarisierbarkeit"@de ; - rdfs:label "polarizabilidade"@pt ; - rdfs:label "polarizzabilità elettrica"@it ; - rdfs:label "Поляризуемость"@ru ; - rdfs:label "قابلية استقطاب"@ar ; - rdfs:label "قطبیت پذیری الکتریکی"@fa ; - rdfs:label "分極率"@ja ; - rdfs:label "極化性"@zh ; -. -quantitykind:ElectricPolarization - a qudt:QuantityKind ; - dcterms:description "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:informativeReference "http://www.britannica.com/EBchecked/topic/182690/electric-polarization"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(P =\\frac{dp}{dV}\\), where \\(p\\) is electic charge density and \\(V\\) is volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Polarization\" is the relative shift of positive and negative electric charge in opposite directions within an insulator, or dielectric, induced by an external electric field. Polarization occurs when an electric field distorts the negative cloud of electrons around positive atomic nuclei in a direction opposite the field. This slight separation of charge makes one side of the atom somewhat positive and the opposite side somewhat negative. In some materials whose molecules are permanently polarized by chemical forces, such as water molecules, some of the polarization is caused by molecules rotating into the same alignment under the influence of the electric field. One of the measures of polarization is electric dipole moment, which equals the distance between the slightly shifted centres of positive and negative charge multiplied by the amount of one of the charges. Polarization P in its quantitative meaning is the amount of dipole moment p per unit volume V of a polarized material, P = p/V." ; - qudt:symbol "P" ; - rdfs:isDefinedBy ; - rdfs:label "electric polarization"@en ; - rdfs:label "elektrische Polarisation"@de ; - rdfs:label "polarisation électrique"@fr ; - rdfs:label "polarización eléctrica"@es ; - rdfs:label "polarização eléctrica"@pt ; - rdfs:label "polarizzazione elettrica"@it ; - rdfs:label "polaryzacja elektryczna"@pl ; - rdfs:label "электрическая поляризация"@ru ; - rdfs:label "إستقطاب كهربائي"@ar ; - rdfs:label "電気分極"@ja ; - rdfs:seeAlso quantitykind:ElectricChargeDensity ; - rdfs:seeAlso quantitykind:ElectricDipoleMoment ; -. -quantitykind:ElectricPotential - a qudt:QuantityKind ; - dcterms:description "The Electric Potential is a scalar valued quantity associated with an electric field. The electric potential \\(\\phi(x)\\) at a point, \\(x\\), is formally defined as the line integral of the electric field taken along a path from x to the point at infinity. If the electric field is static, that is time independent, then the choice of the path is arbitrary; however if the electric field is time dependent, taking the integral a different paths will produce different results."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:exactMatch quantitykind:ElectricPotentialDifference ; - qudt:exactMatch quantitykind:EnergyPerElectricCharge ; - qudt:exactMatch quantitykind:Voltage ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(-\\textbf{grad} \\; V = E + \\frac{\\partial A}{\\partial t}\\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential and \\(t\\) is time."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Keupayaan elektrik"@ms ; - rdfs:label "electric potential"@en ; - rdfs:label "elektrický potenciál"@cs ; - rdfs:label "elektrik potansiyeli"@tr ; - rdfs:label "elektrisches Potenzial"@de ; - rdfs:label "električni potencial"@sl ; - rdfs:label "elektromos feszültség , elektromos potenciálkülönbség"@hu ; - rdfs:label "potencial eléctrico"@es ; - rdfs:label "potencial elétrico"@pt ; - rdfs:label "potencjał elektryczny"@pl ; - rdfs:label "potentiel électrique"@fr ; - rdfs:label "potenziale elettrico"@it ; - rdfs:label "potențial electric"@ro ; - rdfs:label "tensio electrica"@la ; - rdfs:label "vis electromotrix"@la ; - rdfs:label "Електрически потенциал"@bg ; - rdfs:label "электростатический потенциал"@ru ; - rdfs:label "מתח חשמלי (הפרש פוטנציאלים)"@he ; - rdfs:label "كمون كهربائي"@ar ; - rdfs:label "پتانسیل الکتریکی"@fa ; - rdfs:label "विद्युत विभव"@hi ; - rdfs:label "電位"@ja ; - rdfs:label "電勢"@zh ; - skos:broader quantitykind:EnergyPerElectricCharge ; -. -quantitykind:ElectricPotentialDifference - a qudt:QuantityKind ; - dcterms:description "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field."^^rdf:HTML ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:exactMatch quantitykind:ElectricPotential ; - qudt:exactMatch quantitykind:EnergyPerElectricCharge ; - qudt:exactMatch quantitykind:Voltage ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(V_{ab} = \\int_{r_a(C)}^{r_b} (E +\\frac{\\partial A}{\\partial t}) \\), where \\(E\\) is electric field strength, \\(A\\) is magentic vector potential, \\(t\\) is time, and \\(r\\) is position vector along a curve C from a point \\(a\\) to \\(b\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Potential Difference\" is a scalar valued quantity associated with an electric field." ; - qudt:symbol "V_{ab}" ; - rdfs:isDefinedBy ; - rdfs:label "Voltan Perbezaan keupayaan elektrik"@ms ; - rdfs:label "diferență de potențial electric"@ro ; - rdfs:label "differenza di potenziale elettrico"@it ; - rdfs:label "electric potential difference"@en ; - rdfs:label "elektrické napětí"@cs ; - rdfs:label "elektrische Spannung"@de ; - rdfs:label "električna napetost"@sl ; - rdfs:label "gerilim"@tr ; - rdfs:label "ketegangan"@ms ; - rdfs:label "napięcie elektryczne"@pl ; - rdfs:label "tension électrique"@fr ; - rdfs:label "tensione elettrica"@it ; - rdfs:label "tensiune"@ro ; - rdfs:label "tensión eléctrica"@es ; - rdfs:label "tensão elétrica (diferença de potencial)"@pt ; - rdfs:label "электрическое напряжение"@ru ; - rdfs:label "جهد كهربائي"@ar ; - rdfs:label "ولتاژ/ اختلاف پتانسیل"@fa ; - rdfs:label "विभवांतर"@hi ; - rdfs:label "電圧"@ja ; - rdfs:label "電壓"@zh ; - skos:broader quantitykind:EnergyPerElectricCharge ; -. -quantitykind:ElectricPower - a qudt:QuantityKind ; - dcterms:description "\"Electric Power\" is the rate at which electrical energy is transferred by an electric circuit. In the simple case of direct current circuits, electric power can be calculated as the product of the potential difference in the circuit (V) and the amount of current flowing in the circuit (I): \\(P = VI\\), where \\(P\\) is the power, \\(V\\) is the potential difference, and \\(I\\) is the current. However, in general electric power is calculated by taking the integral of the vector cross-product of the electrical and magnetic fields over a specified area."^^qudt:LatexString ; - qudt:applicableSIUnit unit:KiloW ; - qudt:applicableSIUnit unit:MegaW ; - qudt:applicableSIUnit unit:MilliW ; - qudt:applicableSIUnit unit:W ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; - qudt:symbol "P_E" ; - rdfs:isDefinedBy ; - rdfs:label "Wirkleistung"@de ; - rdfs:label "electric power"@en ; - rdfs:label "moc czynna"@pl ; - rdfs:label "potencia activa"@es ; - rdfs:label "potenza attiva"@it ; - rdfs:label "potência activa"@pt ; - rdfs:label "puissance active"@fr ; - rdfs:label "القدرة الفعالة"@ar ; - rdfs:label "有功功率"@zh ; - rdfs:label "有効電力"@ja ; - skos:broader quantitykind:Power ; -. -quantitykind:ElectricPropulsionPropellantMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_P" ; - rdfs:isDefinedBy ; - rdfs:label "Electric Propulsion Propellant Mass"@en ; - skos:broader quantitykind:PropellantMass ; -. -quantitykind:ElectricQuadrupoleMoment - a qudt:QuantityKind ; - dcterms:description "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued."^^rdf:HTML ; - qudt:applicableUnit unit:C-M2 ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; - qudt:plainTextDescription "The Electric Quadrupole Moment is a quantity which describes the effective shape of the ellipsoid of nuclear charge distribution. A non-zero quadrupole moment Q indicates that the charge distribution is not spherically symmetric. By convention, the value of Q is taken to be positive if the ellipsoid is prolate and negative if it is oblate. In general, the electric quadrupole moment is tensor-valued." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Momen kuadrupol elektrik"@ms ; - rdfs:label "electric quadrupole moment"@en ; - rdfs:label "elektrik kuadrupol momenti"@tr ; - rdfs:label "elektrisches Quadrupolmoment"@de ; - rdfs:label "elektryczny moment kwadrupolowy"@pl ; - rdfs:label "moment quadrupolaire électrique"@fr ; - rdfs:label "momento de cuadrupolo eléctrico"@es ; - rdfs:label "momento de quadrupolo elétrico"@pt ; - rdfs:label "momento di quadrupolo elettrico"@it ; - rdfs:label "Электрический квадрупольный момент"@ru ; - rdfs:label "گشتاور چهار قطبی الکتریکی"@fa ; - rdfs:label "四極子"@ja ; - rdfs:label "电四极矩"@zh ; -. -quantitykind:ElectricSusceptibility - a qudt:QuantityKind ; - dcterms:description "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; - qudt:expression "\\(e-susceptibility\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\chi = \\frac{P}{(\\epsilon_0 E)}\\), where \\(P\\) is electric polorization, \\(\\epsilon_0\\) is the electric constant, and \\(E\\) is electric field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\chi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Electric Susceptibility\" is the ratio of electric polarization to electric field strength, normalized to the electric constant. The definition applies to an isotropic medium. For an anisotropic medium, electric susceptibility is a second order tensor." ; - rdfs:isDefinedBy ; - rdfs:label "electric susceptibility"@en ; - rdfs:label "elektrische Suszeptibilität"@de ; - rdfs:label "podatność elektryczna"@pl ; - rdfs:label "susceptibilidad eléctrica"@es ; - rdfs:label "susceptibilidade eléctrica"@pt ; - rdfs:label "susceptibilité électrique"@fr ; - rdfs:label "susceptywność elektryczna"@pl ; - rdfs:label "suscettività elettrica"@it ; - rdfs:label "диэлектрическая восприимчивость"@ru ; - rdfs:label "электрическая восприимчивость"@ru ; - rdfs:label "المتأثرية الكهربائية، سرعة التأثر الكهربائية"@ar ; - rdfs:label "電気感受率"@ja ; - rdfs:seeAlso quantitykind:ElectricFieldStrength ; - rdfs:seeAlso quantitykind:ElectricPolarization ; -. -quantitykind:ElectricalPowerToMassRatio - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Electrical Power To Mass Ratio"@en ; -. -quantitykind:ElectrolyticConductivity - a qudt:QuantityKind ; - dcterms:description "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity."^^rdf:HTML ; - qudt:applicableUnit unit:S-PER-M ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Conductivity_(electrolytic)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(x = \\frac{J}{E}\\), where \\(J\\) is the electrolytic current density and \\(E\\) is the electric field strength."^^qudt:LatexString ; - qudt:plainTextDescription "\"Electrolytic Conductivity\" of an electrolyte solution is a measure of its ability to conduct electricity." ; - qudt:symbol "x" ; - rdfs:isDefinedBy ; - rdfs:label "Electrolytic Conductivity"@en ; -. -quantitykind:ElectromagneticEnergyDensity - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Electromagnetic Energy Density}\\), also known as the \\(\\color{indigo} {\\textit{Volumic Electromagnetic Energy}}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:exactMatch quantitykind:VolumicElectromagneticEnergy ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; - qudt:symbol "w" ; - rdfs:isDefinedBy ; - rdfs:label "Electromagnetic Energy Density"@en ; - rdfs:seeAlso quantitykind:ElectricFieldStrength ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; - rdfs:seeAlso quantitykind:MagneticFluxDensity ; -. -quantitykind:ElectromagneticPermeability - a qudt:QuantityKind ; - dcterms:description "\"Permeability} is the degree of magnetization of a material that responds linearly to an applied magnetic field. In general permeability is a tensor-valued quantity. The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor. In electromagnetism, permeability is the measure of the ability of a material to support the formation of a magnetic field within itself. In other words, it is the degree of magnetization that a material obtains in response to an applied magnetic field. Magnetic permeability is typically represented by the Greek letter \\(\\mu\\). The term was coined in September, 1885 by Oliver Heaviside. The reciprocal of magnetic permeability is \\textit{Magnetic Reluctivity\"."^^qudt:LatexString ; - qudt:applicableUnit unit:H-PER-M ; - qudt:applicableUnit unit:H_Stat-PER-CentiM ; - qudt:applicableUnit unit:MicroH-PER-M ; - qudt:applicableUnit unit:NanoH-PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability"^^xsd:anyURI ; - qudt:exactMatch quantitykind:Permeability ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\frac{B}{H}\\), where \\(B\\) is magnetic flux density, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Permeability"@en ; - rdfs:seeAlso constant:ElectromagneticPermeabilityOfVacuum ; - rdfs:seeAlso constant:MagneticConstant ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; - rdfs:seeAlso quantitykind:MagneticFluxDensity ; -. -quantitykind:ElectromagneticPermeabilityRatio - a qudt:QuantityKind ; - dcterms:description "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space."^^rdf:HTML ; - qudt:applicableUnit unit:PERMEABILITY_EM_REL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:plainTextDescription "The ratio of the electromagnetic permeability of a specific medium to the electromagnetic permeability of free space." ; - qudt:qkdvDenominator qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E-2L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Electromagnetic Permeability Ratio"@en ; -. -quantitykind:ElectromagneticWavePhaseSpeed - a qudt:QuantityKind ; - dcterms:description "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber."^^rdf:HTML ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(c = w/k\\) where \\(w\\) is angular velocity and \\(k\\) is angular wavenumber."^^qudt:LatexString ; - qudt:plainTextDescription "\"Electromagnetic Wave Phase Speed\" is the ratio of angular velocity and wavenumber." ; - qudt:symbol "c" ; - rdfs:isDefinedBy ; - rdfs:label "Electromagnetic Wave Phase Speed"@en ; -. -quantitykind:ElectromotiveForce - a qudt:QuantityKind ; - dcterms:description "In physics, electromotive force, or most commonly \\(emf\\) (seldom capitalized), or (occasionally) electromotance is that which tends to cause current (actual electrons and ions) to flow. More formally, \\(emf\\) is the external work expended per unit of charge to produce an electric potential difference across two open-circuited terminals. \"Electromotive Force\" is deprecated in the ISO System of Quantities."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electromotive_force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Daya gerak elektrik"@ms ; - rdfs:label "Elektromotor kuvvet"@tr ; - rdfs:label "Elektromotorické napětí"@cs ; - rdfs:label "electromotive force"@en ; - rdfs:label "elektromotorische Kraft"@de ; - rdfs:label "elektromotorna sila"@sl ; - rdfs:label "force électromotrice"@fr ; - rdfs:label "forza elettromotrice"@it ; - rdfs:label "força eletromotriz"@pt ; - rdfs:label "forță electromotoare"@ro ; - rdfs:label "fuerza electromotriz"@es ; - rdfs:label "siła elektromotoryczna"@pl ; - rdfs:label "электродвижущая сила"@ru ; - rdfs:label "قوة محركة كهربائية"@ar ; - rdfs:label "نیروی محرک الکتریکی"@fa ; - rdfs:label "विद्युतवाहक बल"@hi ; - rdfs:label "起電力"@ja ; - rdfs:label "電動勢"@zh ; - skos:broader quantitykind:EnergyPerElectricCharge ; -. -quantitykind:ElectronAffinity - a qudt:QuantityKind ; - dcterms:description "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_affinity"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Electron Affinity\" is the energy difference between an electron at rest at infinity and an electron at the lowest level of the conduction band in an insulator or semiconductor. The the amount of energy released when an electron is added to a neutral atom or molecule to form a negative ion." ; - qudt:symbol "χ" ; - rdfs:isDefinedBy ; - rdfs:label "Electron Affinity"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:ElectronDensity - a qudt:QuantityKind ; - dcterms:description "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_density"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Electron Density\" is the number of electrons per volume in conduction bands. It is the measure of the probability of an electron being present at a specific location." ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Electron Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:ElectronMeanFreePath - a qudt:QuantityKind ; - dcterms:description "\"Electron Mean Free Path\" is the mean free path of electrons."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Electron Mean Free Path\" is the mean free path of electrons." ; - qudt:symbol "l_e" ; - rdfs:isDefinedBy ; - rdfs:label "Electron Mean Free Path"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:ElectronRadius - a qudt:QuantityKind ; - dcterms:description "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Classical_electron_radius"^^xsd:anyURI ; - qudt:latexDefinition "\\(r_e = \\frac{e^2}{4\\pi m_e c_0^2}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, item \\(m_e\\) is the rest mass of electrons, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Electron Radius\", also known as the Lorentz radius or the Thomson scattering length, is based on a classical (i.e., non-quantum) relativistic model of the electron." ; - qudt:symbol "r_e" ; - rdfs:isDefinedBy ; - rdfs:label "Electron Radius"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:EllipticalOrbitApogeeVelocity - a qudt:QuantityKind ; - dcterms:description "Velocity at apogee for an elliptical orbit velocity"^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity" ; - qudt:symbol "V_a" ; - rdfs:isDefinedBy ; - rdfs:label "Elliptical Orbit Apogee Velocity"@en ; - skos:broader quantitykind:VehicleVelocity ; -. -quantitykind:EllipticalOrbitPerigeeVelocity - a qudt:QuantityKind ; - dcterms:description "Velocity at apogee for an elliptical orbit velocity."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "Velocity at apogee for an elliptical orbit velocity." ; - qudt:symbol "V_p" ; - rdfs:isDefinedBy ; - rdfs:label "Elliptical Orbit Perigee Velocity"@en ; - skos:broader quantitykind:VehicleVelocity ; -. -quantitykind:Emissivity - a qudt:QuantityKind ; - dcterms:description "Emissivity of a material (usually written \\(\\varepsilon\\) or e) is the relative ability of its surface to emit energy by radiation."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Emissivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varepsilon = \\frac{M}{M_b}\\), where \\(M\\) is the radiant exitance of a thermal radiator and \\(M_b\\) is the radiant exitance of a blackbody at the same temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varepsilon\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Emissivity"@en ; -. -quantitykind:Energy - a qudt:QuantityKind ; - dcterms:description "Energy is the quantity characterizing the ability of a system to do work."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "Energy is the quantity characterizing the ability of a system to do work." ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Energie"@cs ; - rdfs:label "Energie"@de ; - rdfs:label "Tenaga"@ms ; - rdfs:label "energia , munka , hő"@hu ; - rdfs:label "energia"@es ; - rdfs:label "energia"@it ; - rdfs:label "energia"@la ; - rdfs:label "energia"@pl ; - rdfs:label "energia"@pt ; - rdfs:label "energie"@ro ; - rdfs:label "energija"@sl ; - rdfs:label "energy"@en ; - rdfs:label "enerji"@tr ; - rdfs:label "énergie"@fr ; - rdfs:label "Έργο - Ενέργεια"@el ; - rdfs:label "Енергия"@bg ; - rdfs:label "Энергия"@ru ; - rdfs:label "אנרגיה ועבודה"@he ; - rdfs:label "الطاقة"@ar ; - rdfs:label "انرژی"@fa ; - rdfs:label "ऊर्जा"@hi ; - rdfs:label "エネルギー"@ja ; - rdfs:label "能量"@zh ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:Entropy ; - rdfs:seeAlso quantitykind:GibbsEnergy ; - rdfs:seeAlso quantitykind:HelmholtzEnergy ; - rdfs:seeAlso quantitykind:InternalEnergy ; - rdfs:seeAlso quantitykind:Work ; -. -quantitykind:EnergyDensity - a qudt:QuantityKind ; - dcterms:description "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT3 ; - qudt:applicableUnit unit:BTU_TH-PER-FT3 ; - qudt:applicableUnit unit:ERG-PER-CentiM3 ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:applicableUnit unit:MegaJ-PER-M3 ; - qudt:applicableUnit unit:W-HR-PER-M3 ; - qudt:baseISOUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)" ; - qudt:baseImperialUnitDimensions "\\(ft^{-1} \\cdot lb \\cdot s^{-2}\\)"^^qudt:LatexString ; - qudt:baseSIUnitDimensions "\\(m^{-1} \\cdot kg \\cdot s^{-2}\\)"^^qudt:LatexString ; - qudt:baseUSCustomaryUnitDimensions "\\(L^{-1} \\cdot M \\cdot T^{-2}\\)"^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Energy_density"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Energy_density"^^xsd:anyURI ; - qudt:plainTextDescription "Energy density is defined as energy per unit volume. The SI unit for energy density is the joule per cubic meter." ; - rdfs:isDefinedBy ; - rdfs:label "Energy Density"@en ; -. -quantitykind:EnergyDensityOfStates - a qudt:QuantityKind ; - dcterms:description "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume."^^rdf:HTML ; - qudt:applicableUnit unit:PER-J-M3 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Density_of_states"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho(E) = n_E(E) = \\frac{dN(E)}{dE}\\frac{1}{V}\\), where \\(N(E)\\) is the total number of states with energy less than \\(E\\), and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Energy Density of States\" refers to electrons or other entities, e.g. phonons. It can, for example, refer to amount of substance instead of volume." ; - qudt:symbol "n_E" ; - rdfs:isDefinedBy ; - rdfs:label "Energy Density of States"@en ; -. -quantitykind:EnergyExpenditure - a qudt:QuantityKind ; - dcterms:description """Energy expenditure is dependent on a person's sex, metabolic rate, body-mass composition, the thermic effects of food, and activity level. The approximate energy expenditure of a man lying in bed is \\(1.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For slow walking (just over two miles per hour), \\(3.0\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). For fast steady running (about 10 miles per hour), \\(16.3\\,kilo\\,calorie\\,per\\,hour\\,per\\,kilogram\\). -Females expend about 10 per cent less energy than males of the same size doing a comparable activity. For people weighing the same, individuals with a high percentage of body fat usually expend less energy than lean people, because fat is not as metabolically active as muscle."""^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198631477.001\\).0001/acref-9780198631477-e-594"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Energy Expenditure"@en ; -. -quantitykind:EnergyFluence - a qudt:QuantityKind ; - dcterms:description "\"Energy Fluence\" can be used to describe the energy delivered per unit area"^^rdf:HTML ; - qudt:applicableUnit unit:GigaJ-PER-M2 ; - qudt:applicableUnit unit:J-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Psi = \\frac{dR}{dA}\\), where \\(dR\\) describes the sum of radiant energies, exclusive of rest energy, of all particles incident on a small spherical domain, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Energy Fluence\" can be used to describe the energy delivered per unit area" ; - rdfs:isDefinedBy ; - rdfs:label "Energy Fluence"@en ; -. -quantitykind:EnergyFluenceRate - a qudt:QuantityKind ; - dcterms:description "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Psi = \\frac{d\\Psi}{dt}\\), where \\(d\\Psi\\) is the increment of the energy fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Energy Fluence Rate\" can be used to describe the energy fluence delivered per unit time." ; - qudt:symbol "Ψ" ; - rdfs:isDefinedBy ; - rdfs:label "Energy Fluence Rate"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:EnergyImparted - a qudt:QuantityKind ; - dcterms:description "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; - qudt:latexDefinition "For ionizing radiation in the matter in a given 3D domain, \\(\\varepsilon = \\sum_i \\varepsilon_i\\), where the energy deposit, \\(\\varepsilon_i\\) is the energy deposited in a single interaction \\(i\\), and is given by \\(\\varepsilon_i = \\varepsilon_{in} - \\varepsilon_{out} + Q\\), where \\(\\varepsilon_{in}\\) is the energy of the incident ionizing particle, excluding rest energy, \\(\\varepsilon_{out}\\) is the sum of the energies of all ionizing particles leaving the interaction, excluding rest energy, and \\(Q\\) is the change in the rest energies of the nucleus and of all particles involved in the interaction."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Energy Imparted\", is a physical quantity associated with the energy delivered to a particular volume of matter by all the directly and indirectly ionizing particles (i.e. charged and uncharged) entering that volume." ; - qudt:symbol "ε" ; - rdfs:isDefinedBy ; - rdfs:label "Energy Imparted"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:EnergyInternal - a qudt:QuantityKind ; - dcterms:description "The internal energy is the total energy contained by a thermodynamic system. It is the energy needed to create the system, but excludes the energy to displace the system's surroundings, any energy associated with a move as a whole, or due to external force fields. Internal energy has two major components, kinetic energy and potential energy. The internal energy (U) is the sum of all forms of energy (Ei) intrinsic to a thermodynamic system: \\( U = \\sum_i E_i \\)"^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; - qudt:exactMatch quantitykind:InternalEnergy ; - qudt:exactMatch quantitykind:ThermodynamicEnergy ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_energy"^^xsd:anyURI ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Notranja energija"@sl ; - rdfs:label "Tenaga dalaman"@ms ; - rdfs:label "energia interna"@it ; - rdfs:label "energia interna"@pt ; - rdfs:label "energia termodinamica"@it ; - rdfs:label "energia wewnętrzna"@pl ; - rdfs:label "energie internă"@ro ; - rdfs:label "energía interna"@es ; - rdfs:label "innere Energie"@de ; - rdfs:label "internal energy"@en ; - rdfs:label "tenaga termodinamik"@ms ; - rdfs:label "thermodynamic energy"@en ; - rdfs:label "thermodynamische Energie"@de ; - rdfs:label "vnitřní energie"@cs ; - rdfs:label "énergie interne"@fr ; - rdfs:label "énergie thermodynamique"@fr ; - rdfs:label "İç enerji"@tr ; - rdfs:label "внутренняя энергия"@ru ; - rdfs:label "انرژی درونی"@fa ; - rdfs:label "طاقة داخلية"@ar ; - rdfs:label "आन्तरिक ऊर्जा"@hi ; - rdfs:label "内能"@zh ; - rdfs:label "内部エネルギー"@ja ; - skos:broader quantitykind:Energy ; -. -quantitykind:EnergyKinetic - a qudt:QuantityKind ; - dcterms:description "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; - qudt:plainTextDescription "The kinetic energy of an object is the energy which it possesses due to its motion. It is defined as the work needed to accelerate a body of a given mass from rest to its stated velocity." ; - rdfs:isDefinedBy ; - rdfs:label "Energie cinetică"@ro ; - rdfs:label "Kinetik enerji"@tr ; - rdfs:label "Tenaga kinetik"@ms ; - rdfs:label "energia cinetica"@it ; - rdfs:label "energia cinética"@pt ; - rdfs:label "energia kinetyczna"@pl ; - rdfs:label "energía cinética"@es ; - rdfs:label "kinetic energy"@en ; - rdfs:label "kinetická energie"@cs ; - rdfs:label "kinetische Energie"@de ; - rdfs:label "énergie cinétique"@fr ; - rdfs:label "кинетическая энергия"@ru ; - rdfs:label "انرژی جنبشی"@fa ; - rdfs:label "طاقة حركية"@ar ; - rdfs:label "गतिज ऊर्जा"@hi ; - rdfs:label "动能"@zh ; - rdfs:label "運動エネルギー"@ja ; - skos:broader quantitykind:Energy ; -. -quantitykind:EnergyLevel - a qudt:QuantityKind ; - dcterms:description "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Energy Level\" is the ionization energy for an electron at the Fermi energy in the interior of a substance." ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Energy Level"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:EnergyPerArea - a qudt:QuantityKind ; - dcterms:description "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-M2 ; - qudt:applicableUnit unit:GigaJ-PER-M2 ; - qudt:applicableUnit unit:J-PER-CentiM2 ; - qudt:applicableUnit unit:J-PER-M2 ; - qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM-PER-SEC2 ; - qudt:applicableUnit unit:KiloW-HR-PER-M2 ; - qudt:applicableUnit unit:MegaJ-PER-M2 ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:applicableUnit unit:W-HR-PER-M2 ; - qudt:applicableUnit unit:W-SEC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "http://www.calculator.org/property.aspx?name=energy%20per%20unit%20area"^^xsd:anyURI ; - qudt:plainTextDescription "Energy per unit area is a measure of the energy either impinging upon or generated from a given unit of area. This can be a measure of the \"toughness\" of a material, being the amount of energy that needs to be applied per unit area of a crack to cause it to fracture. This is a constant for a given material.." ; - rdfs:isDefinedBy ; - rdfs:label "Energy per Area"@en ; -. -quantitykind:EnergyPerAreaElectricCharge - a qudt:QuantityKind ; - dcterms:description "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area."^^rdf:HTML ; - qudt:applicableUnit unit:V-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; - qudt:plainTextDescription "\"Energy Per Area Electric Charge\" is the amount of electric energy associated with a unit of area." ; - rdfs:isDefinedBy ; - rdfs:label "Energy Per Area Electric Charge"@en ; -. -quantitykind:EnergyPerElectricCharge - a qudt:QuantityKind ; - dcterms:description "Voltage is a representation of the electric potential energy per unit charge. If a unit of electrical charge were placed in a location, the voltage indicates the potential energy of it at that point. In other words, it is a measurement of the energy contained within an electric field, or an electric circuit, at a given point. Voltage is a scalar quantity. The SI unit of voltage is the volt, such that \\(1 volt = 1 joule/coulomb\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:exactMatch quantitykind:ElectricPotential ; - qudt:exactMatch quantitykind:ElectricPotentialDifference ; - qudt:exactMatch quantitykind:Voltage ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://physics.about.com/od/glossary/g/voltage.htm"^^xsd:anyURI ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Energy per electric charge"@en ; -. -quantitykind:EnergyPerMagneticFluxDensity_Squared - a qudt:QuantityKind ; - dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-T2 ; - qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; - qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; - rdfs:isDefinedBy ; - rdfs:label "Energy Per Square Magnetic Flux Density"@en ; -. -quantitykind:EnergyPerMassAmountOfSubstance - a qudt:QuantityKind ; - qudt:applicableUnit unit:BTU_IT-PER-LB-MOL ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Energy and work per mass amount of substance"@en ; -. -quantitykind:EnergyPerSquareMagneticFluxDensity - a qudt:QuantityKind ; - dcterms:description "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density."^^rdf:HTML ; - dcterms:isReplacedBy quantitykind:EnergyPerMagneticFluxDensity_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; - qudt:plainTextDescription "\"Energy Per Square Magnetic Flux Density\" is a measure of energy for a unit of magnetic flux density." ; - rdfs:isDefinedBy ; - rdfs:label "Energy Per Square Magnetic Flux Density"@en ; -. -quantitykind:EnergyPerTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:KiloJ-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Energy per temperature"@en ; -. -quantitykind:Energy_Squared - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Square Energy"@en ; -. -quantitykind:Enthalpy - a qudt:QuantityKind ; - dcterms:description "In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy \\(U\\) and the product of pressure \\(p\\) and volume \\(V\\) of a system. The characteristic function (also known as thermodynamic potential) \\(\\textit{enthalpy}\\) used to be called \\(\\textit{heat content}\\), which is why it is conventionally indicated by \\(H\\). The specific enthalpy of a working mass is a property of that mass used in thermodynamics, defined as \\(h=u+p \\cdot v\\), where \\(u\\) is the specific internal energy, \\(p\\) is the pressure, and \\(v\\) is specific volume. In other words, \\(h = H / m\\) where \\(m\\) is the mass of the system. The SI unit for \\(\\textit{Specific Enthalpy}\\) is \\(\\textit{joules per kilogram}\\)"^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Enthalpy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:latexDefinition "\\(H = U + pV\\), where \\(U\\) is internal energy, \\(p\\) is pressure and \\(V\\) is volume."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:symbol "H" ; - rdfs:isDefinedBy ; - rdfs:label "Entalpi"@ms ; - rdfs:label "Entalpi"@tr ; - rdfs:label "Entalpie"@ro ; - rdfs:label "Enthalpie"@de ; - rdfs:label "entalpia"@it ; - rdfs:label "entalpia"@pl ; - rdfs:label "entalpia"@pt ; - rdfs:label "entalpie"@cs ; - rdfs:label "entalpija"@sl ; - rdfs:label "entalpía"@es ; - rdfs:label "enthalpie"@fr ; - rdfs:label "enthalpy"@en ; - rdfs:label "энтальпия"@ru ; - rdfs:label "آنتالپی"@fa ; - rdfs:label "محتوى حراري"@ar ; - rdfs:label "पूर्ण ऊष्मा"@hi ; - rdfs:label "エンタルピー"@ja ; - rdfs:label "焓"@zh ; - rdfs:seeAlso quantitykind:InternalEnergy ; - skos:broader quantitykind:Energy ; -. -quantitykind:Entropy - a qudt:QuantityKind ; - dcterms:description "When a small amount of heat \\(dQ\\) is received by a system whose thermodynamic temperature is \\(T\\), the entropy of the system increases by \\(dQ/T\\), provided that no irreversible change takes place in the system."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Entropi"@ms ; - rdfs:label "Entropie"@de ; - rdfs:label "entropi"@tr ; - rdfs:label "entropia"@it ; - rdfs:label "entropia"@pl ; - rdfs:label "entropia"@pt ; - rdfs:label "entropie"@cs ; - rdfs:label "entropie"@fr ; - rdfs:label "entropie"@ro ; - rdfs:label "entropija"@sl ; - rdfs:label "entropy"@en ; - rdfs:label "entropía"@es ; - rdfs:label "Энтропия"@ru ; - rdfs:label "آنتروپی"@fa ; - rdfs:label "إنتروبيا"@ar ; - rdfs:label "एन्ट्रॉपी"@hi ; - rdfs:label "エントロピー"@ja ; - rdfs:label "熵"@zh ; -. -quantitykind:EquilibriumConstant - a qudt:QuantityKind ; - dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(K^\\Theta = \\Pi_B(\\lambda_B^\\Theta)^{-\\nu_B}\\), where \\(\\Pi_B\\) denotes the product for all substances \\(B\\), \\(\\lambda_B^\\Theta\\) is the standard absolute activity of substance \\(B\\), and \\(\\nu_B\\) is the stoichiometric number of the substance \\(B\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(K^\\Theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; - rdfs:isDefinedBy ; - rdfs:label "Equilibrium Constant"@en ; - rdfs:seeAlso quantitykind:EquilibriumConstantOnConcentrationBasis ; - rdfs:seeAlso quantitykind:EquilibriumConstantOnPressureBasis ; -. -quantitykind:EquilibriumConstantOnConcentrationBasis - a qudt:QuantityKind ; - dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(K_c = \\Pi_B(c_B)^{-\\nu_B}\\), for solutions"^^qudt:LatexString ; - qudt:latexSymbol "\\(K_c\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - rdfs:comment "The unit is unit:MOL-PER-M3 raised to the N where N is the summation of stoichiometric numbers. I don't know what to do with this." ; - rdfs:isDefinedBy ; - rdfs:label "Equilibrium Constant on Concentration Basis"@en ; - skos:broader quantitykind:EquilibriumConstant ; -. -quantitykind:EquilibriumConstantOnPressureBasis - a qudt:QuantityKind ; - dcterms:description "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Equilibrium_constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(K_p = \\Pi_B(p_B)^{-\\nu_B}\\), for gases"^^qudt:LatexString ; - qudt:latexSymbol "\\(K_p\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Equlilbrium Constant\", also known as the thermodynamic equilibrium constant, is an expression that gives us a ratio of the products and reactants of a reaction at equilibrium with respect to a specific unit." ; - qudt:qkdvDenominator qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L-2I0M1H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Equilibrium Constant on Pressure Basis"@en ; - skos:broader quantitykind:EquilibriumConstant ; -. -quantitykind:EquilibriumPositionVectorOfIon - a qudt:QuantityKind ; - dcterms:description "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Equilibrium Position Vector of Ion\" is the position vector of a particle in equilibrium." ; - qudt:symbol "R_0" ; - rdfs:isDefinedBy ; - rdfs:label "Equilibrium Position Vector of Ion"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:EquivalentAbsorptionArea - a qudt:QuantityKind ; - dcterms:description "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power."^^rdf:HTML ; - qudt:abbreviation "m2" ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://www.rockfon.co.uk/acoustics/comparing+ceilings/sound+absorption/equivalent+absorption+area"^^xsd:anyURI ; - qudt:plainTextDescription "In a diffuse sound field, the Equivalent Absorption Area is that area of a surface having an absorption factor equal to 1, which, if diffraction effects are neglected, would, in the same diffuse sound field, absorb the same power." ; - qudt:symbol "A" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Equivalent absorption area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:EvaporativeHeatTransfer - a qudt:QuantityKind ; - dcterms:description "\"Evaporative Heat Transfer\" is "^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi_e\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Evaporative Heat Transfer\" is " ; - rdfs:isDefinedBy ; - rdfs:label "Evaporative Heat Transfer"@en ; -. -quantitykind:EvaporativeHeatTransferCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area."^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-M2-PA ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Evaporative Heat Transfer Coefficient\" is the areic heat transfer coefficient multiplied by the water vapor pressure difference between skind and the environment, and by the exchange area." ; - qudt:symbol "h_e" ; - rdfs:isDefinedBy ; - rdfs:label "Combined Non Evaporative Heat Transfer Coefficient"@en ; -. -quantitykind:ExchangeIntegral - a qudt:QuantityKind ; - dcterms:description "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions."^^rdf:HTML ; - qudt:applicableUnit unit:J ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Exchange_interaction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Exchange Integral\" is the constituent of the interaction energy between the spins of adjacent electrons in matter arising from the overlap of electron state functions." ; - qudt:symbol "K" ; - rdfs:isDefinedBy ; - rdfs:label "Exchange Integral"@en ; -. -quantitykind:ExhaustGasMeanMolecularWeight - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Exhaust Gas Mean Molecular Weight"@en ; -. -quantitykind:ExhaustGasesSpecificHeat - a qudt:QuantityKind ; - dcterms:description "Specific heat of exhaust gases at constant pressure."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_R ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_R ; - qudt:applicableUnit unit:BTU_TH-PER-LB-DEG_F ; - qudt:applicableUnit unit:CAL_IT-PER-GM-DEG_C ; - qudt:applicableUnit unit:CAL_IT-PER-GM-K ; - qudt:applicableUnit unit:CAL_TH-PER-GM-DEG_C ; - qudt:applicableUnit unit:CAL_TH-PER-GM-K ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:applicableUnit unit:KiloCAL-PER-GM-DEG_C ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:plainTextDescription "Specific heat of exhaust gases at constant pressure." ; - qudt:symbol "c_p" ; - rdfs:isDefinedBy ; - rdfs:label "Exhaust Gases Specific Heat"@en ; - skos:broader quantitykind:SpecificHeatCapacity ; -. -quantitykind:ExhaustStreamPower - a qudt:QuantityKind ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Exhaust Stream Power"@en ; - skos:broader quantitykind:Power ; -. -quantitykind:ExitPlaneCrossSectionalArea - a qudt:QuantityKind ; - dcterms:description "Cross-sectional area at exit plane of nozzle"^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:plainTextDescription "Cross-sectional area at exit plane of nozzle" ; - qudt:symbol "A_{e}" ; - rdfs:isDefinedBy ; - rdfs:label "Exit Plane Cross-sectional Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:ExitPlanePressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:symbol "p_{e}" ; - rdfs:isDefinedBy ; - rdfs:label "Exit Plane Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:ExitPlaneTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:symbol "T_e" ; - rdfs:isDefinedBy ; - rdfs:label "Exit Plane Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:ExpansionRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:applicableUnit unit:PPM-PER-K ; - qudt:applicableUnit unit:PPTM-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Expansion Ratio"@en ; -. -quantitykind:Exposure - a qudt:QuantityKind ; - dcterms:description "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region."^^rdf:HTML ; - qudt:applicableUnit unit:A-M2-PER-J-SEC ; - qudt:applicableUnit unit:C-PER-KiloGM ; - qudt:applicableUnit unit:HZ-PER-T ; - qudt:applicableUnit unit:KiloR ; - qudt:applicableUnit unit:MegaHZ-PER-T ; - qudt:applicableUnit unit:MilliC-PER-KiloGM ; - qudt:applicableUnit unit:MilliR ; - qudt:applicableUnit unit:PER-T-SEC ; - qudt:applicableUnit unit:R ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Exposure"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Exposure_%28photography%29"^^xsd:anyURI ; - qudt:informativeReference "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "For X-or gamma radiation, \\(X = \\frac{dQ}{dm}\\), where \\(dQ\\) is the absolute value of the mean total electric charge of the ions of the same sign produced in dry air when all the electrons and positrons liberated or created by photons in an element of air are completely stopped in air, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; - qudt:plainTextDescription "\"Exposure\" reflects the extent of ionization events taking place when air is irradiated by ionizing photons (gamma radiation and/or x rays). In photography, exposure is the amount of light allowed to fall on each area unit of a photographic medium (photographic film or image sensor) during the process of taking a photograph. Exposure is measured in lux seconds, and can be computed from exposure value (EV) and scene luminance in a specified region." ; - qudt:symbol "X" ; - rdfs:isDefinedBy ; - rdfs:label "Exposure"@en ; - skos:broader quantitykind:ElectricChargePerMass ; -. -quantitykind:ExposureRate - a qudt:QuantityKind ; - dcterms:description "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-KiloGM-SEC ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; - qudt:informativeReference "http://hps.org/publicinformation/ate/faqs/gammaandexposure.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\dot{X} = \\frac{dX}{dt}\\), where \\(X\\) is the increment of exposure during time interval with duration \\(t\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\dot{X}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Exposure Rate\" expresses the rate of charge production per unit mass of air and is commonly expressed in roentgens per hour (R/h) or milliroentgens per hour (mR/h)." ; - rdfs:isDefinedBy ; - rdfs:label "Exposure Rate"@en ; -. -quantitykind:ExtentOfReaction - a qudt:QuantityKind ; - dcterms:description "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds."^^rdf:HTML ; - qudt:applicableUnit unit:CentiMOL ; - qudt:applicableUnit unit:FemtoMOL ; - qudt:applicableUnit unit:MOL ; - qudt:applicableUnit unit:NanoMOL ; - qudt:applicableUnit unit:PicoMOL ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Extent_of_reaction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(dn_B = \\nu_B d\\xi\\), where \\(n_B\\) is the amount of substance \\(B\\) and \\(\\nu_B\\) is the stoichiometric number of substance \\(B\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In physical chemistry, the \"Extent of Reaction\" is a quantity that measures the extent in which the reaction proceeds." ; - rdfs:isDefinedBy ; - rdfs:label "Extent of Reaction"@en ; -. -quantitykind:FLIGHT-PERFORMANCE-RESERVE-PROPELLANT-MASS - a qudt:QuantityKind ; - dcterms:description "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "A quantity of propellant, at a nominal mixture ratio, along with fuel bias that is set aside from total propellant loaded to cover for statistical variations of flight hardware characteristics and environment conditions on the day of launch. The launch vehicle is designed to accommodate the maximum FPR loading." ; - rdfs:isDefinedBy ; - rdfs:label "Flight Performance Reserve Propellant Mass"@en ; - skos:altLabel "FPR" ; - skos:broader quantitykind:Mass ; -. -quantitykind:FUEL-BIAS - a qudt:QuantityKind ; - dcterms:description "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "An additional quantity of fuel to ensure depletion of high-weight oxidizer before fuel for systems with high-oxidizer mixing ratios (e.g., 6:1). This practice allows for more efficient propellant utilization. Denoted as a percentage." ; - rdfs:isDefinedBy ; - rdfs:label "Fuel Bias"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:FastFissionFactor - a qudt:QuantityKind ; - dcterms:description "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Fast Fission Factor\" in an infinite medium, is the ratio of the mean number of neutrons produced by fission due to neutrons of all energies to the mean number of neutrons produced by fissions due to thermal neutrons only." ; - rdfs:isDefinedBy ; - rdfs:label "Fast Fission Factor"@en ; -. -quantitykind:FermiAngularWavenumber - a qudt:QuantityKind ; - qudt:applicableUnit unit:RAD-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heavy_fermion"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "k_F" ; - rdfs:isDefinedBy ; - rdfs:label "Fermi Angular Wavenumber"@en ; - skos:broader quantitykind:InverseLength ; -. -quantitykind:FermiEnergy - a qudt:QuantityKind ; - dcterms:description "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Fermi Energy\" in a metal is the highest occupied energy level at zero thermodynamic temperature." ; - qudt:symbol "E_F" ; - rdfs:isDefinedBy ; - rdfs:label "Fermi Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:FermiTemperature - a qudt:QuantityKind ; - dcterms:description "\"Fermi Temperature\" is the temperature associated with the Fermi energy."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(T_F = \\frac{E_F}{k}\\), where \\(E_F\\) is the Fermi energy and \\(k\\) is the Boltzmann constant."^^qudt:LatexString ; - qudt:plainTextDescription "\"Fermi Temperature\" is the temperature associated with the Fermi energy." ; - qudt:symbol "T_F" ; - rdfs:isDefinedBy ; - rdfs:label "Fermi Temperature"@en ; -. -quantitykind:FinalOrCurrentVehicleMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Final Or Current Vehicle Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:FirstMomentOfArea - a qudt:QuantityKind ; - dcterms:description "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis."^^rdf:HTML ; - qudt:applicableUnit unit:AC-FT ; - qudt:applicableUnit unit:ANGSTROM3 ; - qudt:applicableUnit unit:BBL ; - qudt:applicableUnit unit:BBL_UK_PET ; - qudt:applicableUnit unit:BBL_US ; - qudt:applicableUnit unit:CentiM3 ; - qudt:applicableUnit unit:DecaL ; - qudt:applicableUnit unit:DecaM3 ; - qudt:applicableUnit unit:DeciL ; - qudt:applicableUnit unit:DeciM3 ; - qudt:applicableUnit unit:FBM ; - qudt:applicableUnit unit:FT3 ; - qudt:applicableUnit unit:FemtoL ; - qudt:applicableUnit unit:GI_UK ; - qudt:applicableUnit unit:GI_US ; - qudt:applicableUnit unit:GT ; - qudt:applicableUnit unit:HectoL ; - qudt:applicableUnit unit:IN3 ; - qudt:applicableUnit unit:Kilo-FT3 ; - qudt:applicableUnit unit:KiloL ; - qudt:applicableUnit unit:L ; - qudt:applicableUnit unit:M3 ; - qudt:applicableUnit unit:MI3 ; - qudt:applicableUnit unit:MegaL ; - qudt:applicableUnit unit:MicroL ; - qudt:applicableUnit unit:MicroM3 ; - qudt:applicableUnit unit:MilliL ; - qudt:applicableUnit unit:MilliM3 ; - qudt:applicableUnit unit:NanoL ; - qudt:applicableUnit unit:OZ_VOL_UK ; - qudt:applicableUnit unit:PINT ; - qudt:applicableUnit unit:PINT_UK ; - qudt:applicableUnit unit:PK_UK ; - qudt:applicableUnit unit:PicoL ; - qudt:applicableUnit unit:PlanckVolume ; - qudt:applicableUnit unit:QT_UK ; - qudt:applicableUnit unit:QT_US ; - qudt:applicableUnit unit:RT ; - qudt:applicableUnit unit:STR ; - qudt:applicableUnit unit:Standard ; - qudt:applicableUnit unit:TBSP ; - qudt:applicableUnit unit:TON_SHIPPING_US ; - qudt:applicableUnit unit:TSP ; - qudt:applicableUnit unit:YD3 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:plainTextDescription "The first moment of area is the summation of area times distance to an axis. It is a measure of the distribution of the area of a shape in relationship to an axis." ; - rdfs:isDefinedBy ; - rdfs:label "First Moment of Area"@en ; - skos:broader quantitykind:Volume ; -. -quantitykind:FirstStageMassRatio - a qudt:QuantityKind ; - dcterms:description "Mass ratio for the first stage of a multistage launcher."^^rdf:HTML ; - qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; - qudt:applicableUnit unit:GM-PER-GM ; - qudt:applicableUnit unit:GM-PER-KiloGM ; - qudt:applicableUnit unit:KiloGM-PER-KiloGM ; - qudt:applicableUnit unit:MicroGM-PER-GM ; - qudt:applicableUnit unit:MicroGM-PER-KiloGM ; - qudt:applicableUnit unit:MilliGM-PER-GM ; - qudt:applicableUnit unit:MilliGM-PER-KiloGM ; - qudt:applicableUnit unit:NanoGM-PER-KiloGM ; - qudt:applicableUnit unit:PicoGM-PER-GM ; - qudt:applicableUnit unit:PicoGM-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "Mass ratio for the first stage of a multistage launcher." ; - qudt:symbol "R_1" ; - rdfs:isDefinedBy ; - rdfs:label "First Stage Mass Ratio"@en ; - skos:broader quantitykind:MassRatio ; -. -quantitykind:FishBiotransformationHalfLife - a qudt:QuantityKind ; - dcterms:description "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions."^^rdf:HTML ; - qudt:applicableUnit unit:DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:plainTextDescription "A time that quantifies how long its takes to transform 50% of a substance's total concentration from any concentration point in time in fish via whole body metabolic reactions." ; - rdfs:isDefinedBy ; - rdfs:label "Fish Biotransformation Half Life"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:FissionCoreRadiusToHeightRatio - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:symbol "R/H" ; - rdfs:isDefinedBy ; - rdfs:label "Fission Core Radius To Height Ratio"@en ; -. -quantitykind:FissionFuelUtilizationFactor - a qudt:QuantityKind ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Fission Fuel Utilization Factor"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:FissionMultiplicationFactor - a qudt:QuantityKind ; - dcterms:description "The number of fission neutrons produced per absorption in the fuel."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "The number of fission neutrons produced per absorption in the fuel." ; - rdfs:isDefinedBy ; - rdfs:label "Fission Multiplication Factor"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:FlashPoint - a qudt:QuantityKind ; - dcterms:description "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:plainTextDescription "A temperature that is the lowest one at which the vapors of a volatile material will ignite if exposed to an ignition source. It is frequently used to characterize fire hazards and distinguish different flammable fuels." ; - rdfs:isDefinedBy ; - rdfs:label "Flash Point Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:FlightPathAngle - a qudt:QuantityKind ; - dcterms:description "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Flight path angle is defined in two different ways. To the aerodynamicist, it is the angle between the flight path vector (where the airplane is going) and the local atmosphere. To the flight crew, it is normally known as the angle between the flight path vector and the horizon, also known as the climb (or descent) angle." ; - rdfs:isDefinedBy ; - rdfs:label "Flight Path Angle"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:Flux - a qudt:QuantityKind ; - dcterms:description "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]"^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-M2-DAY ; - qudt:applicableUnit unit:PER-M2-SEC ; - qudt:applicableUnit unit:PER-SEC-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Flux"^^xsd:anyURI ; - qudt:plainTextDescription "Flux describes any effect that appears to pass or travel (whether it actually moves or not) through a surface or substance. [Wikipedia]" ; - rdfs:isDefinedBy ; - rdfs:label "Flux"@en ; -. -quantitykind:Force - a qudt:QuantityKind ; - dcterms:description "\"Force\" is an influence that causes mass to accelerate. It may be experienced as a lift, a push, or a pull. Force is defined by Newton's Second Law as \\(F = m \\times a \\), where \\(F\\) is force, \\(m\\) is mass and \\(a\\) is acceleration. Net force is mathematically equal to the time rate of change of the momentum of the body on which it acts. Since momentum is a vector quantity (has both a magnitude and direction), force also is a vector quantity."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Force"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(F = \\frac{dp}{dt}\\), where \\(F\\) is the resultant force acting on a body, \\(p\\) is momentum of a body, and \\(t\\) is time."^^qudt:LatexString ; - qudt:symbol "F" ; - rdfs:isDefinedBy ; - rdfs:label "Daya"@ms ; - rdfs:label "Kraft"@de ; - rdfs:label "Síla"@cs ; - rdfs:label "erő"@hu ; - rdfs:label "force"@en ; - rdfs:label "force"@fr ; - rdfs:label "forza"@it ; - rdfs:label "força"@pt ; - rdfs:label "forță"@ro ; - rdfs:label "fuerza"@es ; - rdfs:label "kuvvet"@tr ; - rdfs:label "sila"@sl ; - rdfs:label "siła"@pl ; - rdfs:label "vis"@la ; - rdfs:label "Δύναμη"@el ; - rdfs:label "Сила"@ru ; - rdfs:label "сила"@bg ; - rdfs:label "כוח"@he ; - rdfs:label "نیرو"@fa ; - rdfs:label "وحدة القوة في نظام متر كيلوغرام ثانية"@ar ; - rdfs:label "बल"@hi ; - rdfs:label "भार"@hi ; - rdfs:label "力"@ja ; - rdfs:label "力"@zh ; -. -quantitykind:ForceMagnitude - a qudt:QuantityKind ; - dcterms:description "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://wiki.answers.com/Q/What_is_magnitude_of_force"^^xsd:anyURI ; - qudt:plainTextDescription "The 'magnitude' of a force is its 'size' or 'strength', regardless of the direction in which it acts." ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Force Magnitude"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:ForcePerAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Force per Angle"@en ; -. -quantitykind:ForcePerArea - a qudt:QuantityKind ; - dcterms:description "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)"^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; - qudt:informativeReference "http://www.thefreedictionary.com/force+per+unit+area"^^xsd:anyURI ; - qudt:plainTextDescription "The force applied to a unit area of surface; measured in pascals (SI unit) or in dynes (cgs unit)" ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Force Per Area"@en ; -. -quantitykind:ForcePerAreaTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:DeciBAR-PER-YR ; - qudt:applicableUnit unit:HectoPA-PER-HR ; - qudt:applicableUnit unit:LB_F-PER-IN2-SEC ; - qudt:applicableUnit unit:PA-PER-HR ; - qudt:applicableUnit unit:PA-PER-MIN ; - qudt:applicableUnit unit:PA-PER-SEC ; - qudt:applicableUnit unit:W-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Force Per Area Time"@en ; -. -quantitykind:ForcePerElectricCharge - a qudt:QuantityKind ; - dcterms:description "The electric field depicts the force exerted on other electrically charged objects by the electrically charged particle the field is surrounding. The electric field is a vector field with SI units of newtons per coulomb (\\(N C^{-1}\\)) or, equivalently, volts per metre (\\(V m^{-1}\\) ). The SI base units of the electric field are \\(kg m s^{-3} A^{-1}\\). The strength or magnitude of the field at a given point is defined as the force that would be exerted on a positive test charge of 1 coulomb placed at that point"^^qudt:LatexString ; - qudt:applicableUnit unit:N-PER-C ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electric_field"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Force per Electric Charge"@en ; -. -quantitykind:ForcePerLength - a qudt:QuantityKind ; - qudt:applicableUnit unit:DYN-PER-CentiM ; - qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-IN ; - qudt:applicableUnit unit:MilliN-PER-M ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:N-PER-CentiM ; - qudt:applicableUnit unit:N-PER-M ; - qudt:applicableUnit unit:N-PER-MilliM ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Force per Length"@en ; -. -quantitykind:Frequency - a qudt:QuantityKind ; - dcterms:description "\"Frequency\" is the number of occurrences of a repeating event per unit time. The repetition of the events may be periodic (that is. the length of time between event repetitions is fixed) or aperiodic (i.e. the length of time between event repetitions varies). Therefore, we distinguish between periodic and aperiodic frequencies. In the SI system, periodic frequency is measured in hertz (Hz) or multiples of hertz, while aperiodic frequency is measured in becquerel (Bq). In spectroscopy, \\(\\nu\\) is mostly used. Light passing through different media keeps its frequency, but not its wavelength or wavenumber."^^qudt:LatexString ; - qudt:applicableUnit unit:GigaHZ ; - qudt:applicableUnit unit:HZ ; - qudt:applicableUnit unit:KiloHZ ; - qudt:applicableUnit unit:MegaHZ ; - qudt:applicableUnit unit:NUM-PER-HR ; - qudt:applicableUnit unit:NUM-PER-SEC ; - qudt:applicableUnit unit:NUM-PER-YR ; - qudt:applicableUnit unit:PER-DAY ; - qudt:applicableUnit unit:PER-HR ; - qudt:applicableUnit unit:PER-MIN ; - qudt:applicableUnit unit:PER-MO ; - qudt:applicableUnit unit:PER-MilliSEC ; - qudt:applicableUnit unit:PER-SEC ; - qudt:applicableUnit unit:PER-WK ; - qudt:applicableUnit unit:PER-YR ; - qudt:applicableUnit unit:PERCENT-PER-DAY ; - qudt:applicableUnit unit:PERCENT-PER-HR ; - qudt:applicableUnit unit:PERCENT-PER-WK ; - qudt:applicableUnit unit:PlanckFrequency ; - qudt:applicableUnit unit:SAMPLE-PER-SEC ; - qudt:applicableUnit unit:TeraHZ ; - qudt:applicableUnit unit:failures-in-time ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Frequency"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:latexDefinition """\\(f = 1/T\\), where \\(T\\) is a period. - -Alternatively, - -\\(\\nu = 1/T\\)"""^^qudt:LatexString ; - qudt:latexSymbol "\\(\\nu, f\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Frekuensi"@ms ; - rdfs:label "Frekvence"@cs ; - rdfs:label "Frequenz"@de ; - rdfs:label "częstotliwość"@pl ; - rdfs:label "frecuencia"@es ; - rdfs:label "frecvență"@ro ; - rdfs:label "frekans"@tr ; - rdfs:label "frekvenca"@sl ; - rdfs:label "frekvencia"@hu ; - rdfs:label "frequency"@en ; - rdfs:label "frequentia"@la ; - rdfs:label "frequenza"@it ; - rdfs:label "frequência"@pt ; - rdfs:label "fréquence"@fr ; - rdfs:label "Συχνότητα"@el ; - rdfs:label "Частота"@ru ; - rdfs:label "Честота"@bg ; - rdfs:label "תדירות"@he ; - rdfs:label "التردد لدى نظام الوحدات الدولي"@ar ; - rdfs:label "بسامد"@fa ; - rdfs:label "आवृत्ति"@hi ; - rdfs:label "周波数"@ja ; - rdfs:label "频率"@zh ; - skos:broader quantitykind:InverseTime ; -. -quantitykind:Friction - a qudt:QuantityKind ; - dcterms:description "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:informativeReference "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; - qudt:plainTextDescription "\"Friction\" is the force of two surfaces In contact, or the force of a medium acting on a moving object (that is air on an aircraft). When contacting surfaces move relative to each other, the friction between the two objects converts kinetic energy into thermal energy." ; - rdfs:isDefinedBy ; - rdfs:label "Friction"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:FrictionCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together"^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:informativeReference "http://wiki.answers.com/Q/What_is_the_symbol_of_friction"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Friction Coefficient\" is the ratio of the force of friction between two bodies and the force pressing them together" ; - qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Friction Coefficient"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:Fugacity - a qudt:QuantityKind ; - dcterms:description "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas."^^rdf:HTML ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PicoPA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fugacity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\tilde{p}_B\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Fugacity\" of a real gas is an effective pressure which replaces the true mechanical pressure in accurate chemical equilibrium calculations. It is equal to the pressure of an ideal gas which has the same chemical potential as the real gas." ; - rdfs:isDefinedBy ; - rdfs:label "Fugasiti"@ms ; - rdfs:label "Fugazität"@de ; - rdfs:label "Lotność"@pl ; - rdfs:label "fugacidad"@es ; - rdfs:label "fugacidade"@pt ; - rdfs:label "fugacita"@cs ; - rdfs:label "fugacitate"@ro ; - rdfs:label "fugacity"@en ; - rdfs:label "fugacità"@it ; - rdfs:label "fugacité"@fr ; - rdfs:label "fügasite"@tr ; - rdfs:label "انفلاتية"@ar ; - rdfs:label "بی‌دوامی"@fa ; - rdfs:label "フガシティー"@ja ; - rdfs:label "逸度"@zh ; -. -quantitykind:FundamentalLatticeVector - a qudt:QuantityKind ; - dcterms:description "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Fundamental Lattice vector\" are fundamental translation vectors for the crystal lattice." ; - qudt:symbol "a_1, a_2, a_3" ; - rdfs:isDefinedBy ; - rdfs:label "Fundamental Lattice vector"@en ; - skos:broader quantitykind:LatticeVector ; -. -quantitykind:FundamentalReciprocalLatticeVector - a qudt:QuantityKind ; - dcterms:description "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_lattice"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Fundamental Reciprocal Lattice Vector\" are fundamental, or primary, translation vectors the reciprocal lattice." ; - qudt:symbol "b_1, b_2, b_3" ; - rdfs:isDefinedBy ; - rdfs:label "Fundamental Reciprocal Lattice Vector"@en ; - skos:broader quantitykind:AngularReciprocalLatticeVector ; -. -quantitykind:GFactorOfNucleus - a qudt:QuantityKind ; - dcterms:description "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(g = \\frac{\\mu}{I\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(I\\) is the nuclear angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; - qudt:plainTextDescription "The \"g-Factor of Nucleus\" is associated with the spin and magnetic moments of protons, neutrons, and many nuclei." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "g-Factor of Nucleus"@en ; -. -quantitykind:GROSS-LIFT-OFF-WEIGHT - a qudt:QuantityKind ; - dcterms:description "The sum of a rocket's inert mass and usable fluids and gases at sea level."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Maximum_Takeoff_Weight"^^xsd:anyURI ; - qudt:plainTextDescription "The sum of a rocket's inert mass and usable fluids and gases at sea level." ; - rdfs:isDefinedBy ; - rdfs:label "Gross Lift-Off Weight"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:Gain - a qudt:QuantityKind ; - dcterms:description "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gain"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "A general term used to denote an increase in signal power or signal strength in transmission from one point to another. Gain is usually expressed in decibels and is widely used to denote transducer gain. An increase or amplification. In radar there are two general usages of the term: (a) antenna gain, or gain factor, is the ratio of the power transmitted along the beam axis to that of an isotropic radiator transmitting the same total power; (b) receiver gain, or video gain, is the amplification given a signal by the receiver." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Gain"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:GapEnergy - a qudt:QuantityKind ; - dcterms:description "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Band_gap"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Gap Energy\" is the difference in energy between the lowest level of conduction band and the highest level of valence band. It is an energy range in a solid where no electron states can exist." ; - qudt:symbol "E_g" ; - rdfs:isDefinedBy ; - rdfs:label "Gap Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:GeneFamilyAbundance - a qudt:QuantityKind ; - dcterms:description "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length."^^rdf:HTML ; - qudt:applicableUnit unit:RPK ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://learn.gencore.bio.nyu.edu/"^^xsd:anyURI ; - qudt:plainTextDescription "The abundance of each gene family in the community. Gene families are groups of evolutionarily-related protein-coding sequences that often perform similar functions. Gene family abundance is reported in RPK (reads per kilobase) units to normalize for gene length." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Gene Family Abundance"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:GeneralizedCoordinate - a qudt:QuantityKind ; - dcterms:description "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(q_i\\), where \\(q_i\\) is one of the coordinates that is used to describe the position of the system under consideration, and \\(N\\) is the lowest number of coordinates necessary to fully define the position of the system."^^qudt:LatexString ; - qudt:plainTextDescription "Generalized Coordinates refers to the parameters that describe the configuration of the system relative to some reference configuration. These parameters must uniquely define the configuration of the system relative to the reference configuration." ; - qudt:symbol "q_i" ; - rdfs:isDefinedBy ; - rdfs:label "Generalized Coordinate"@en ; -. -quantitykind:GeneralizedForce - a qudt:QuantityKind ; - dcterms:description "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_forces"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\delta A = \\sum Q_i\\delta q_i\\), where \\(A\\) is work and \\(q_i\\) is a generalized coordinate."^^qudt:LatexString ; - qudt:plainTextDescription "Generalized Forces find use in Lagrangian mechanics, where they play a role conjugate to generalized coordinates." ; - qudt:symbol "Q_i" ; - rdfs:isDefinedBy ; - rdfs:label "Generalized Force"@en ; -. -quantitykind:GeneralizedMomentum - a qudt:QuantityKind ; - dcterms:description "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(p_i = \\frac{\\partial L}{\\partial \\dot{q_i}}\\), where \\(L\\) is the Langrange function and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; - qudt:plainTextDescription "Generalized Momentum, also known as the canonical or conjugate momentum, extends the concepts of both linear momentum and angular momentum. To distinguish it from generalized momentum, the product of mass and velocity is also referred to as mechanical, kinetic or kinematic momentum." ; - qudt:symbol "p_i" ; - rdfs:isDefinedBy ; - rdfs:label "Generalized Force"@en ; -. -quantitykind:GeneralizedVelocity - a qudt:QuantityKind ; - dcterms:description "Generalized Velocities are the time derivatives of the generalized coordinates of the system."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Generalized_coordinates"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\dot{q_i} = \\frac{dq_i}{dt}\\), where \\(q_i\\) is the generalized coordinate and \\(t\\) is time."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\dot{q_i}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Generalized Velocities are the time derivatives of the generalized coordinates of the system." ; - rdfs:isDefinedBy ; - rdfs:label "Generalized Velocity"@en ; -. -quantitykind:GibbsEnergy - a qudt:QuantityKind ; - dcterms:description "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(G = H - T \\cdot S\\), where \\(H\\) is enthalpy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; - qudt:plainTextDescription "\"Gibbs Energy} is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\textit{Internal Energy} is the internal energy of the system, \\textit{Enthalpy} is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\textit{Gibbs Free Energy\" is also used." ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Energía de Gibbs"@es ; - rdfs:label "Entalpie liberă"@ro ; - rdfs:label "Gibbs Serbest Enerjisi"@tr ; - rdfs:label "Gibbs energy"@en ; - rdfs:label "Gibbs function"@en ; - rdfs:label "Gibbs-Energie"@de ; - rdfs:label "Gibbs-Funktion"@de ; - rdfs:label "Gibbsova volná energie"@cs ; - rdfs:label "Prosta entalpija"@sl ; - rdfs:label "Tenaga Gibbs"@ms ; - rdfs:label "energia libera di Gibbs"@it ; - rdfs:label "energia livre de Gibbs"@pt ; - rdfs:label "entalpia swobodna"@pl ; - rdfs:label "enthalpie libre"@fr ; - rdfs:label "freie Enthalpie"@de ; - rdfs:label "fungsi Gibbs"@ms ; - rdfs:label "энергия Гиббса"@ru ; - rdfs:label "انرژی آزاد گیبس"@fa ; - rdfs:label "طاقة غيبس الحرة"@ar ; - rdfs:label "ギブズエネルギー"@ja ; - rdfs:label "吉布斯自由能"@zh ; - rdfs:seeAlso quantitykind:Energy ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:HelmholtzEnergy ; - rdfs:seeAlso quantitykind:InternalEnergy ; - skos:broader quantitykind:Energy ; -. -quantitykind:GrandCanonicalPartitionFunction - a qudt:QuantityKind ; - dcterms:description "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Xi = \\sum_{N_A, N_B, ...} Z(N_A, N_B, ...) \\cdot \\lambda_A^{N_A} \\cdot \\lambda_B^{N_B} \\cdot ...\\), where \\(Z(N_A, N_B, ...)\\) is the canonical partition function for the given number of particles \\(A, B, ...,\\), and \\(\\lambda_A, \\lambda_B, ...\\) are the absolute activities of particles \\(A, B, ...\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Xi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "An \"Grand Canonical Partition Function\" for a grand canonical ensemble, a system that can exchange both heat and particles with the environment, which has a constant temperature and a chemical potential." ; - rdfs:isDefinedBy ; - rdfs:label "Grand Canonical Partition Function"@en ; - skos:broader quantitykind:CanonicalPartitionFunction ; -. -quantitykind:GravitationalAttraction - a qudt:QuantityKind ; - dcterms:description "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.thefreedictionary.com/gravitational+attraction"^^xsd:anyURI ; - qudt:plainTextDescription "The force of attraction between all masses in the universe; especially the attraction of the earth's mass for bodies near its surface; the more remote the body the less the gravity; the gravitation between two bodies is proportional to the product of their masses and inversely proportional to the square of the distance between them." ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Gravitational Attraction"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:Gravity_API - a qudt:QuantityKind ; - dcterms:description """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. - -API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; - qudt:applicableUnit unit:DEGREE_API ; - qudt:baseSIUnitDimensions "\\(qkdv:A0E0L0I0M0H0T0D1\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/API_gravity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription """The American Petroleum Institute gravity, or API gravity, is a measure of how heavy or light a petroleum liquid is compared to water: if its API gravity is greater than 10, it is lighter and floats on water; if less than 10, it is heavier and sinks. - -API gravity is thus an inverse measure of a petroleum liquid's density relative to that of water (also known as specific gravity). It is used to compare densities of petroleum liquids. For example, if one petroleum liquid is less dense than another, it has a greater API gravity. Although API gravity is mathematically a dimensionless quantity (see the formula below), it is referred to as being in 'degrees'. API gravity is graduated in degrees on a hydrometer instrument. API gravity values of most petroleum liquids fall between 10 and 70 degrees.""" ; - qudt:qkdvDenominator qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L-3I0M1H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "API Gravity"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:GroupSpeedOfSound - a qudt:QuantityKind ; - dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:KiloHZ-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; - qudt:latexDefinition "\\(c_g = \\frac{d\\omega}{dk}\\), where \\(\\omega\\) is the angular frequency and \\(k\\) is angular wavenumber."^^qudt:LatexString ; - qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. The group speed of sound describes the propagation of the disturbance." ; - qudt:symbol "c" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Group Speed of Sound"@en ; - skos:broader quantitykind:SpeedOfSound ; -. -quantitykind:GrowingDegreeDay_Cereal - a qudt:QuantityKind ; - dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C_GROWING_CEREAL-DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; - rdfs:isDefinedBy ; - rdfs:label "Growing Degree Days (Cereals)" ; - skos:broader quantitykind:TimeTemperature ; -. -quantitykind:GruneisenParameter - a qudt:QuantityKind ; - dcterms:description "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Grüneisen_parameter"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\gamma = \\frac{\\alpha_V}{x_T c_V\\rho}\\), where \\(\\alpha_V\\) is the cubic expansion coefficient, \\(x_T\\) is isothermal compressibility, \\(c_V\\) is specific heat capacity at constant volume, and \\(\\rho\\) is mass density."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Gruneisen Parameter\" named after Eduard Grüneisen, describes the effect that changing the volume of a crystal lattice has on its vibrational properties, and, as a consequence, the effect that changing temperature has on the size or dynamics of the lattice." ; - rdfs:isDefinedBy ; - rdfs:label "Gruneisen Parameter"@en ; -. -quantitykind:GustatoryThreshold - a qudt:QuantityKind ; - dcterms:description "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_g}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Gustatory Threshold\" are thresholds for classes of taste that can be detected by the human mouth and thresholds of sensitivity to foods, drinks and other substances." ; - rdfs:isDefinedBy ; - rdfs:label "Gustatory Threshold"@en ; -. -quantitykind:GyromagneticRatio - a qudt:QuantityKind ; - dcterms:description "\"Gyromagnetic Ratio}, also sometimes known as the magnetogyric ratio in other disciplines, of a particle or system is the ratio of its magnetic dipole moment to its angular momentum, and it is often denoted by the symbol, \\(\\gamma\\). Its SI units are radian per second per tesla (\\(rad s^{-1} \\cdot T^{1}\\)) or, equivalently, coulomb per kilogram (\\(C \\cdot kg^{-1\"\\))."^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gyromagnetic_ratio"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gyromagnetic_ratio"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\gamma J\\), where \\(\\mu\\) is the magnetic dipole moment, and \\(J\\) is the total angular momentum."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Gyromagnetic Ratio"@en ; -. -quantitykind:Half-Life - a qudt:QuantityKind ; - dcterms:description "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Half-life"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Half-Life\" is the average duration required for the decay of one half of the atoms or nuclei." ; - qudt:symbol "T_{1/2}" ; - rdfs:isDefinedBy ; - rdfs:label "Halbwertszeit"@de ; - rdfs:label "Poločas rozpadu"@cs ; - rdfs:label "Separuh hayat"@ms ; - rdfs:label "half-life"@en ; - rdfs:label "meia-vida"@pt ; - rdfs:label "semiperiodo"@es ; - rdfs:label "semivita"@it ; - rdfs:label "tempo di dimezzamento"@it ; - rdfs:label "temps de demi-vie"@fr ; - rdfs:label "yarılanma süresi"@tr ; - rdfs:label "نیمه عمر"@fa ; - rdfs:label "半衰期"@zh ; -. -quantitykind:Half-ValueThickness - a qudt:QuantityKind ; - dcterms:description "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Half-Value Thickness\" is the thickness of the material at which the intensity of radiation entering it is reduced by one half." ; - qudt:symbol "d_{1/2}" ; - rdfs:isDefinedBy ; - rdfs:label "Half-Value Thickness"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:HallCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field."^^rdf:HTML ; - qudt:applicableUnit unit:M3-PER-C ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hall_effect"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "In an isotropic conductor, the relation between electric field strength, \\(E\\), and electric current density, \\(J\\) is \\(E = \\rho J + R_H(B X J)\\), where \\(\\rho\\) is resistivity, and \\(B\\) is magnetic flux density."^^qudt:LatexString ; - qudt:plainTextDescription "\"Hall Coefficient\" is defined as the ratio of the induced electric field to the product of the current density and the applied magnetic field." ; - qudt:symbol "R_H, A_H" ; - rdfs:isDefinedBy ; - rdfs:label "Hall Coefficient"@en ; -. -quantitykind:HamiltonFunction - a qudt:QuantityKind ; - dcterms:description "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations."^^rdf:HTML ; - qudt:applicableUnit unit:J ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hamilton–Jacobi_equation"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(H = \\sum p_i\\dot{q_i} - L\\), where \\(p_i\\) is a generalized momentum, \\(\\dot{q_i}\\) is a generalized velocity, and \\(L\\) is the Lagrange function."^^qudt:LatexString ; - qudt:plainTextDescription "The Hamilton–Jacobi equation (HJE) is a necessary condition describing extremal geometry in generalizations of problems from the calculus of variations." ; - qudt:symbol "H" ; - rdfs:isDefinedBy ; - rdfs:label "Hamilton Function"@en ; -. -quantitykind:HeadEndPressure - a qudt:QuantityKind ; - qudt:abbreviation "HEP" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Head End Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:HeartRate - a qudt:QuantityKind ; - dcterms:description "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates."^^rdf:HTML ; - qudt:applicableUnit unit:BEAT-PER-MIN ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Heart_rate"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://www.medterms.com/script/main/art.asp?articlekey=3674"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/oi/authority.20110803100354463"^^xsd:anyURI ; - qudt:plainTextDescription "The number of heartbeats per unit of time, usually per minute. The heart rate is based on the number of contractions of the ventricles (the lower chambers of the heart). The heart rate may be too fast (tachycardia) or too slow (bradycardia). The average adult pulse rate at rest is 60–80 per minute, but exercise, injury, illness, and emotion may produce much faster rates." ; - rdfs:isDefinedBy ; - rdfs:label "Heart Rate"@en ; -. -quantitykind:Heat - a qudt:QuantityKind ; - dcterms:description "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)."^^rdf:HTML ; - qudt:abbreviation "heat" ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_MEAN ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_15_DEG_C ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_MEAN ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloCAL_IT ; - qudt:applicableUnit unit:KiloCAL_Mean ; - qudt:applicableUnit unit:KiloCAL_TH ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TON_FG-HR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Heat"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "\"Heat\" is the energy transferred by a thermal process. Heat can be measured in terms of the dynamical units of energy, as the erg, joule, etc., or in terms of the amount of energy required to produce a definite thermal change in some substance, as, for example, the energy required per degree to raise the temperature of a unit mass of water at some temperature ( calorie, Btu)." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Wärme"@de ; - rdfs:label "Wärmemenge"@de ; - rdfs:label "amount of heat"@en ; - rdfs:label "calor"@es ; - rdfs:label "calore"@it ; - rdfs:label "cantitate de căldură"@ro ; - rdfs:label "chaleur"@fr ; - rdfs:label "ciepło"@pl ; - rdfs:label "heat"@en ; - rdfs:label "jednotka tepla"@cs ; - rdfs:label "jumlah haba"@ms ; - rdfs:label "kuantiti haba Haba"@ms ; - rdfs:label "labor"@la ; - rdfs:label "quantidade de calor"@pt ; - rdfs:label "quantità di calore"@it ; - rdfs:label "quantité de chaleur"@fr ; - rdfs:label "toplota"@sl ; - rdfs:label "ısı miktarı"@tr ; - rdfs:label "Теплота"@ru ; - rdfs:label "حرارة"@ar ; - rdfs:label "کمیت گرما"@fa ; - rdfs:label "ऊष्मा"@hi ; - rdfs:label "热量"@zh ; - rdfs:label "熱量"@ja ; - skos:broader quantitykind:ThermalEnergy ; -. -quantitykind:HeatCapacity - a qudt:QuantityKind ; - dcterms:description "\"Heat Capacity\" (usually denoted by a capital \\(C\\), often with subscripts), or thermal capacity, is the measurable physical quantity that characterizes the amount of heat required to change a substance's temperature by a given amount. In the International System of Units (SI), heat capacity is expressed in units of joule(s) (J) per kelvin (K)."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-DEG_R ; - qudt:applicableUnit unit:EV-PER-K ; - qudt:applicableUnit unit:J-PER-K ; - qudt:applicableUnit unit:MegaJ-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity"^^xsd:anyURI ; - qudt:latexDefinition "\\(C = dQ/dT\\), where \\(Q\\) is amount of heat and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:symbol "C_P" ; - rdfs:isDefinedBy ; - rdfs:label "Wärmekapazität"@de ; - rdfs:label "capacidad calorífica"@es ; - rdfs:label "capacidade térmica"@pt ; - rdfs:label "capacitate termică"@ro ; - rdfs:label "capacità termica"@it ; - rdfs:label "capacité thermique"@fr ; - rdfs:label "heat capacity"@en ; - rdfs:label "isı kapasitesi"@tr ; - rdfs:label "muatan haba"@ms ; - rdfs:label "pojemność cieplna"@pl ; - rdfs:label "tepelná kapacita"@cs ; - rdfs:label "toplotna kapaciteta"@sl ; - rdfs:label "теплоёмкость"@ru ; - rdfs:label "سعة حرارية"@ar ; - rdfs:label "ظرفیت گرمایی"@fa ; - rdfs:label "ऊष्मा धारिता"@hi ; - rdfs:label "热容"@zh ; - rdfs:label "熱容量"@ja ; - skos:broader quantitykind:EnergyPerTemperature ; -. -quantitykind:HeatCapacityRatio - a qudt:QuantityKind ; - dcterms:description "The heat capacity ratio, or ratio of specific heats, is the ratio of the heat capacity at constant pressure (\\(C_P\\)) to heat capacity at constant volume (\\(C_V\\)). For an ideal gas, the heat capacity is constant with temperature (\\(\\theta\\)). Accordingly we can express the enthalpy as \\(H = C_P*\\theta\\) and the internal energy as \\(U = C_V \\cdot \\theta\\). Thus, it can also be said that the heat capacity ratio is the ratio between enthalpy and internal energy."^^qudt:LatexString ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Heat_capacity_ratio"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_capacity_ratio"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:qkdvDenominator qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M1H-1T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Heat Capacity Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:HeatFlowRate - a qudt:QuantityKind ; - dcterms:description "The rate of heat flow between two systems is measured in watts (joules per second). The formula for rate of heat flow is \\(\\bigtriangleup Q / \\bigtriangleup t = -K \\times A \\times \\bigtriangleup T/x\\), where \\(\\bigtriangleup Q / \\bigtriangleup t\\) is the rate of heat flow; \\(-K\\) is the thermal conductivity factor; A is the surface area; \\(\\bigtriangleup T\\) is the change in temperature and \\(x\\) is the thickness of the material. \\(\\bigtriangleup T/ x\\) is called the temperature gradient and is always negative because of the heat of flow always goes from more thermal energy to less)."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-MIN ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:BTU_TH-PER-HR ; - qudt:applicableUnit unit:BTU_TH-PER-MIN ; - qudt:applicableUnit unit:BTU_TH-PER-SEC ; - qudt:applicableUnit unit:CAL_TH-PER-MIN ; - qudt:applicableUnit unit:CAL_TH-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloBTU_TH-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloCAL_TH-PER-HR ; - qudt:applicableUnit unit:KiloCAL_TH-PER-MIN ; - qudt:applicableUnit unit:KiloCAL_TH-PER-SEC ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:expression "\\(heat-flow-rate\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rate_of_heat_flow"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Heat Flow Rate"@en ; - skos:broader quantitykind:Power ; -. -quantitykind:HeatFlowRatePerUnitArea - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Heat Flux}\\) is the heat rate per unit area. In SI units, heat flux is measured in \\(W/m^2\\). Heat rate is a scalar quantity, while heat flux is a vectorial quantity. To define the heat flux at a certain point in space, one takes the limiting case where the size of the surface becomes infinitesimally small."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_flux"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Heat Flow Rate per Unit Area"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:HeatFluxDensity - a qudt:QuantityKind ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Heat Flux Density"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:HeatingValue - a qudt:QuantityKind ; - dcterms:description "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. "^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-LB ; - qudt:applicableUnit unit:BTU_TH-PER-LB ; - qudt:applicableUnit unit:CAL_IT-PER-GM ; - qudt:applicableUnit unit:CAL_TH-PER-GM ; - qudt:applicableUnit unit:ERG-PER-G ; - qudt:applicableUnit unit:ERG-PER-GM ; - qudt:applicableUnit unit:J-PER-GM ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:applicableUnit unit:KiloCAL-PER-GM ; - qudt:applicableUnit unit:KiloJ-PER-KiloGM ; - qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; - qudt:applicableUnit unit:MegaJ-PER-KiloGM ; - qudt:applicableUnit unit:MilliJ-PER-GM ; - qudt:applicableUnit unit:N-M-PER-KiloGM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Heat_of_combustion"^^xsd:anyURI ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcheatingvaluemeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The heating value (or energy value or calorific value) of a substance, usually a fuel or food (see food energy), is the amount of heat released during the combustion of a specified amount of it. " ; - rdfs:isDefinedBy ; - rdfs:label "Calorific Value"@en ; - rdfs:label "Energy Value"@en ; - rdfs:label "Heating Value"@en ; - skos:broader quantitykind:SpecificEnergy ; -. -quantitykind:Height - a qudt:QuantityKind ; - dcterms:description "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is."^^rdf:HTML ; - qudt:abbreviation "height" ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Height"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Height"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Height\" is the measurement of vertical distance, but has two meanings in common use. It can either indicate how \"tall\" something is, or how \"high up\" it is." ; - qudt:symbol "h" ; - rdfs:isDefinedBy ; - rdfs:label "Höhe"@de ; - rdfs:label "Ketinggian"@ms ; - rdfs:label "Výška"@cs ; - rdfs:label "altezza"@it ; - rdfs:label "altura"@es ; - rdfs:label "altura"@pt ; - rdfs:label "hauteur"@fr ; - rdfs:label "height"@en ; - rdfs:label "yükseklik"@tr ; - rdfs:label "Înălțime"@ro ; - rdfs:label "высота"@ru ; - rdfs:label "ارتفاع"@fa ; - rdfs:label "高度"@zh ; - skos:broader quantitykind:Length ; -. -quantitykind:HelmholtzEnergy - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Helmholtz Energy}\\) is one of the potentials are used to measure energy changes in systems as they evolve from an initial state to a final state. The potential used depends on the constraints of the system, such as constant temperature or pressure. \\(\\textit{Internal Energy}\\) is the internal energy of the system, \\(\\textit{Enthalpy}\\) is the internal energy of the system plus the energy related to pressure-volume work, and Helmholtz and Gibbs free energy are the energies available in a system to do useful work when the temperature and volume or the pressure and temperature are fixed, respectively. The name \\(\\textit{Helmholz Free Energy}\\) is also used."^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Thermodynamics"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(H = U - T \\cdot S\\), where \\(U\\) is internal energy, \\(T\\) is thermodynamic temperature and \\(S\\) is entropy."^^qudt:LatexString ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label " Helmholtz fonksiyonu"@tr ; - rdfs:label "Energía de Helmholtz"@es ; - rdfs:label "Helmholtz energy"@en ; - rdfs:label "Helmholtz enerjisi"@tr ; - rdfs:label "Helmholtz function"@en ; - rdfs:label "Helmholtz-Energie"@de ; - rdfs:label "Helmholtz-Funktion"@de ; - rdfs:label "Helmholtzova volná energie"@cs ; - rdfs:label "Prosta energija"@sl ; - rdfs:label "Tenaga Helmholtz"@ms ; - rdfs:label "energia libera di Helmholz"@it ; - rdfs:label "energia livre de Helmholtz"@pt ; - rdfs:label "energia swobodna"@pl ; - rdfs:label "freie Energie"@de ; - rdfs:label "fungsi Helmholtz"@ms ; - rdfs:label "énergie libre"@fr ; - rdfs:label "свободная энергия Гельмгольца"@ru ; - rdfs:label "انرژی آزاد هلمولتز"@fa ; - rdfs:label "طاقة هلمهولتز الحرة"@ar ; - rdfs:label "ヘルムホルツの自由エネルギー"@ja ; - rdfs:label "亥姆霍兹自由能"@zh ; - rdfs:seeAlso quantitykind:Energy ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:GibbsEnergy ; - rdfs:seeAlso quantitykind:InternalEnergy ; - skos:broader quantitykind:Energy ; -. -quantitykind:HenrysLawVolatilityConstant - a qudt:QuantityKind ; - dcterms:description "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration."^^rdf:HTML ; - qudt:applicableUnit unit:ATM-M3-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:plainTextDescription "A quantity kind that is a proportionality constant that relates the partial pressure of a gas above a liquid and the concentration of the gas dissolved in the liquid. The numerator contains the gaseous concentration and the denominator contains the liquid concentration." ; - rdfs:isDefinedBy ; - rdfs:label "Henry's Law Volatility Constant"@en ; -. -quantitykind:HoleDensity - a qudt:QuantityKind ; - dcterms:description "\"Hole Density\" is the number of holes per volume in a valence band."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Hole Density\" is the number of holes per volume in a valence band." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Hole Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:HorizontalVelocity - a qudt:QuantityKind ; - dcterms:description "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "Component of a projectile's velocity, which acts parallel to the ground and does not lift the projectile in the air." ; - qudt:symbol "V_{X}" ; - rdfs:isDefinedBy ; - rdfs:label "Horizontal Velocity"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:HydraulicPermeability - a qudt:QuantityKind ; - dcterms:description "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DARCY ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliDARCY ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:baseCGSUnitDimensions "\\(cm^2\\)"^^qudt:LatexString ; - qudt:baseSIUnitDimensions "\\(m^2\\)"^^qudt:LatexString ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permeability_(Earth_sciences)"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Permeability_(Earth_sciences)"^^xsd:anyURI ; - qudt:plainTextDescription "Permeability is a property of porous materials that is an indication of the ability for fluids (gas or liquid) to flow through them. Fluids can more easily flow through a material with high permeability than one with low permeability. The permeability of a medium is related to the porosity, but also to the shapes of the pores in the medium and their level of connectedness." ; - rdfs:isDefinedBy ; - rdfs:label "Hydraulic Permeability"@en ; - skos:altLabel "Fluid Permeability"@en ; - skos:altLabel "Permeability"@en ; -. -quantitykind:HyperfineStructureQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hyperfine_structure"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Hyperfine Structure Quantum Number\" is a quantum number of an atom describing inclination of the nuclear spin with respect to a quantization axis given by the magnetic field produced by the orbital electrons." ; - qudt:symbol "F" ; - rdfs:isDefinedBy ; - rdfs:label "Hyperfine Structure Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; -. -quantitykind:INERT-MASS - a qudt:QuantityKind ; - dcterms:description "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "The sum of the vehicle dry mass, residual fluids and gasses, personnel and personnel provisions, and cargo." ; - rdfs:isDefinedBy ; - rdfs:label "Inert Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:IgnitionIntervalTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Ignition interval time"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:Illuminance - a qudt:QuantityKind ; - dcterms:description "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception."^^rdf:HTML ; - qudt:applicableUnit unit:FC ; - qudt:applicableUnit unit:LUX ; - qudt:applicableUnit unit:PHOT ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Illuminance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; - qudt:latexDefinition "\\(E_v = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the luminous flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of the intensity of the incident light, wavelength-weighted by the luminosity function to correlate with human brightness perception." ; - rdfs:isDefinedBy ; - rdfs:label "Beleuchtungsstärke"@de ; - rdfs:label "Intenzita osvětlení"@cs ; - rdfs:label "Pencahayaan"@ms ; - rdfs:label "aydınlanma şiddeti"@tr ; - rdfs:label "illuminamento"@it ; - rdfs:label "illuminance"@en ; - rdfs:label "iluminamento"@pt ; - rdfs:label "iluminare"@ro ; - rdfs:label "luminosidad"@es ; - rdfs:label "megvilágítás"@hu ; - rdfs:label "natężenie oświetlenia"@pl ; - rdfs:label "osvetljenost"@sl ; - rdfs:label "éclairement lumineux"@fr ; - rdfs:label "éclairement"@fr ; - rdfs:label "Осветеност"@bg ; - rdfs:label "Освещённость"@ru ; - rdfs:label "הארה (שטף ליחידת שטח)"@he ; - rdfs:label "شدة الضوء"@ar ; - rdfs:label "شدت روشنایی"@fa ; - rdfs:label "प्रदीपन"@hi ; - rdfs:label "照度"@ja ; - rdfs:label "照度"@zh ; - skos:broader quantitykind:LuminousFluxPerArea ; -. -quantitykind:Impedance - a qudt:QuantityKind ; - dcterms:description "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle."^^rdf:HTML ; - qudt:applicableUnit unit:OHM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_impedance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-43"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\underline{Z} = \\underline{U} / \\underline{I}\\), where \\(\\underline{U}\\) is the voltage phasor and \\(\\underline{I}\\) is the electric current phasor."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\underline{Z}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Impedance\" is the measure of the opposition that a circuit presents to the passage of a current when a voltage is applied. In quantitative terms, it is the complex ratio of the voltage to the current in an alternating current (AC) circuit. Impedance extends the concept of resistance to AC circuits, and possesses both magnitude and phase, unlike resistance, which has only magnitude. When a circuit is driven with direct current (DC), there is no distinction between impedance and resistance; the latter can be thought of as impedance with zero phase angle." ; - rdfs:isDefinedBy ; - rdfs:label "Impedance"@en ; - rdfs:seeAlso quantitykind:ElectricCurrentPhasor ; - rdfs:seeAlso quantitykind:VoltagePhasor ; -. -quantitykind:Incidence - a qudt:QuantityKind ; - dcterms:description "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time."^^rdf:HTML ; - qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; - qudt:plainTextDescription "In epidemiology, incidence is a measure of the probability of occurrence of a given medical condition in a population within a specified period of time." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Incidence" ; - skos:broader quantitykind:Frequency ; -. -quantitykind:IncidenceProportion - a qudt:QuantityKind ; - dcterms:description "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years."^^rdf:HTML ; - qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Cumulative_incidence"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; - qudt:plainTextDescription "Incidence proportion (also known as cumulative incidence) is the number of new cases within a specified time period divided by the size of the population initially at risk. For example, if a population initially contains 1,000 non-diseased persons and 28 develop a condition over two years of observation, the incidence proportion is 28 cases per 1,000 persons per two years, i.e. 2.8% per two years." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Incidence Proportion"@en ; - rdfs:seeAlso quantitykind:IncidenceRate ; - skos:broader quantitykind:Incidence ; -. -quantitykind:IncidenceRate - a qudt:QuantityKind ; - dcterms:description "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)"^^rdf:HTML ; - qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; - qudt:plainTextDescription "The incidence rate is a measure of the frequency with which a disease or other incident occurs over a specified time period. It is also known as the incidence density rate or person-time incidence rate, when the denominator is the combined person-time of the population at risk (the sum of the time duration of exposure across all persons exposed)" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Incidence Rate"@en ; - rdfs:seeAlso quantitykind:IncidenceProportion ; - skos:broader quantitykind:Incidence ; -. -quantitykind:Inductance - a qudt:QuantityKind ; - dcterms:description "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current."^^rdf:HTML ; - qudt:applicableUnit unit:H ; - qudt:applicableUnit unit:H_Ab ; - qudt:applicableUnit unit:H_Stat ; - qudt:applicableUnit unit:MicroH ; - qudt:applicableUnit unit:MilliH ; - qudt:applicableUnit unit:NanoH ; - qudt:applicableUnit unit:PicoH ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Inductance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-19"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(L =\\frac{\\Psi}{I}\\), where \\(I\\) is an electric current in a thin conducting loop, and \\(\\Psi\\) is the linked flux caused by that electric current."^^qudt:LatexString ; - qudt:plainTextDescription "\"Inductance\" is an electromagentic quantity that characterizes a circuit's resistance to any change of electric current; a change in the electric current through induces an opposing electromotive force (EMF). Quantitatively, inductance is proportional to the magnetic flux per unit of electric current." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Inductance électrique"@fr ; - rdfs:label "Indukstans"@ms ; - rdfs:label "Induktiviti"@ms ; - rdfs:label "Induktivität"@de ; - rdfs:label "Indukčnost"@cs ; - rdfs:label "inductance"@en ; - rdfs:label "inductancia"@es ; - rdfs:label "inductantia"@la ; - rdfs:label "inductanță"@ro ; - rdfs:label "inductivity"@en ; - rdfs:label "indukcyjność"@pl ; - rdfs:label "induktivitás"@hu ; - rdfs:label "induktivnost"@sl ; - rdfs:label "induttanza"@it ; - rdfs:label "indutância"@pt ; - rdfs:label "İndüktans"@tr ; - rdfs:label "Индуктивност"@bg ; - rdfs:label "Индуктивность"@ru ; - rdfs:label "השראות"@he ; - rdfs:label "القاوری"@fa ; - rdfs:label "المحاثة (التحريض)"@ar ; - rdfs:label "प्रेरकत्व"@hi ; - rdfs:label "インダクタンス・誘導係数"@ja ; - rdfs:label "电感"@zh ; - rdfs:seeAlso quantitykind:MutualInductance ; -. -quantitykind:InfiniteMultiplicationFactor - a qudt:QuantityKind ; - dcterms:description "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(k_\\infty\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Infinite Multiplication Factor\" is the multiplication factor for an infinite medium or for an infinite repeating lattice." ; - rdfs:isDefinedBy ; - rdfs:label "Infinite Multiplication Factor"@en ; - skos:broader quantitykind:MultiplicationFactor ; - skos:closeMatch quantitykind:EffectiveMultiplicationFactor ; -. -quantitykind:InformationEntropy - a qudt:QuantityKind ; - dcterms:description "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning."^^rdf:HTML ; - qudt:applicableUnit unit:BAN ; - qudt:applicableUnit unit:BIT ; - qudt:applicableUnit unit:BYTE ; - qudt:applicableUnit unit:ERLANG ; - qudt:applicableUnit unit:ExaBYTE ; - qudt:applicableUnit unit:ExbiBYTE ; - qudt:applicableUnit unit:GibiBYTE ; - qudt:applicableUnit unit:GigaBYTE ; - qudt:applicableUnit unit:HART ; - qudt:applicableUnit unit:KibiBYTE ; - qudt:applicableUnit unit:KiloBYTE ; - qudt:applicableUnit unit:MebiBYTE ; - qudt:applicableUnit unit:MegaBYTE ; - qudt:applicableUnit unit:NAT ; - qudt:applicableUnit unit:PebiBYTE ; - qudt:applicableUnit unit:PetaBYTE ; - qudt:applicableUnit unit:SHANNON ; - qudt:applicableUnit unit:TebiBYTE ; - qudt:applicableUnit unit:TeraBYTE ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://simple.wikipedia.org/wiki/Information_entropy"^^xsd:anyURI ; - qudt:plainTextDescription "Information Entropy is a concept from information theory. It tells how much information there is in an event. In general, the more uncertain or random the event is, the more information it will contain. The concept of information entropy was created by a mathematician. He was named Claude Elwood Shannon. It has applications in many areas, including lossless data compression, statistical inference, cryptography and recently in other disciplines as biology, physics or machine learning." ; - rdfs:isDefinedBy ; - rdfs:label "Information Entropy"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:InformationFlowRate - a qudt:QuantityKind ; - qudt:applicableUnit unit:HART-PER-SEC ; - qudt:applicableUnit unit:NAT-PER-SEC ; - qudt:applicableUnit unit:SHANNON-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Information flow rate"@en ; -. -quantitykind:InitialExpansionRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:applicableUnit unit:PPM-PER-K ; - qudt:applicableUnit unit:PPTM-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Initial Expansion Ratio"@en ; - skos:broader quantitykind:ExpansionRatio ; -. -quantitykind:InitialNozzleThroatDiameter - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Initial Nozzle Throat Diameter"@en ; - skos:broader quantitykind:NozzleThroatDiameter ; -. -quantitykind:InitialVehicleMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_{o}" ; - rdfs:isDefinedBy ; - rdfs:label "Initial Vehicle Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:InitialVelocity - a qudt:QuantityKind ; - dcterms:description "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "The velocity of a moving body at starting; especially, the velocity of a projectile as it leaves the mouth of a firearm from which it is discharged." ; - qudt:symbol "V_{i}" ; - rdfs:isDefinedBy ; - rdfs:label "Initial Velocity"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:InstantaneousPower - a qudt:QuantityKind ; - dcterms:description "\"Instantaneous Power}, for a two-terminal element or a two-terminal circuit with terminals A and B, is the product of the voltage \\(u_{AB}\\) between the terminals and the electric current i in the element or circuit: \\(p = \\)u_{AB} \\cdot i\\(, where \\)u_{AB\" is the line integral of the electric field strength from A to B, and where the electric current in the element or circuit is taken positive if its direction is from A to B and negative in the opposite case. For an n-terminal circuit, it is the sum of the instantaneous powers relative to the n - 1 pairs of terminals when one of the terminals is chosen as a common terminal for the pairs. For a polyphase element, it is the sum of the instantaneous powers in all phase elements of a polyphase element. For a polyphase line consisting of m line conductors and one neutral conductor, it is the sum of the m instantaneous powers expressed for each line conductor by the product of the polyphase line-to-neutral voltage and the corresponding line current."^^qudt:LatexString ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-30"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-31"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-02-14"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=141-03-10"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(p = ui\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Instantaneous Power"@en ; - skos:broader quantitykind:ElectricPower ; -. -quantitykind:InternalConversionFactor - a qudt:QuantityKind ; - dcterms:description "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Internal_conversion_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"InternalConversionFactor\" describes the rate of internal conversion. It is the ratio of the number of internal conversion electrons to the number of gamma quanta emitted by the radioactive atom in a given transition." ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "InternalConversionFactor"@en ; -. -quantitykind:InternalEnergy - a qudt:QuantityKind ; - dcterms:description "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy."^^rdf:HTML ; - qudt:abbreviation "int-energy" ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Internal_energy"^^xsd:anyURI ; - qudt:exactMatch quantitykind:EnergyInternal ; - qudt:exactMatch quantitykind:ThermodynamicEnergy ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Internal_energy"^^xsd:anyURI ; - qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "\"Internal Energy\" is simply its energy. \"internal\" refers to the fact that some energy contributions are not considered. For instance, when the total system is in uniform motion, it has kinetic energy. This overall kinetic energy is never seen as part of the internal energy; one could call it external energy. Or, if the system is at constant non-zero height above the surface the Earth, it has constant potential energy in the gravitational field of the Earth. Gravitational energy is only taken into account when it plays a role in the phenomenon of interest, for instance in a colloidal suspension, where the gravitation influences the up- downward motion of the small particles comprising the colloid. In all other cases, gravitational energy is assumed not to contribute to the internal energy; one may call it again external energy." ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Internal Energy"@en ; - rdfs:seeAlso quantitykind:Energy ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:GibbsEnergy ; - rdfs:seeAlso quantitykind:HelmholtzEnergy ; - skos:broader quantitykind:Energy ; -. -quantitykind:IntinsicCarrierDensity - a qudt:QuantityKind ; - dcterms:description "\"Intinsic Carrier Density\" is proportional to electron and hole densities."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:latexDefinition "\\(np = n_i^2\\), where \\(n\\) is electron density and \\(p\\) is hole density."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Intinsic Carrier Density\" is proportional to electron and hole densities." ; - qudt:symbol "n_i" ; - rdfs:isDefinedBy ; - rdfs:label "Intinsic Carrier Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:InverseAmountOfSubstance - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse amount of substance"@en ; -. -quantitykind:InverseEnergy - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-KiloV-A-HR ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Energy"@en ; -. -quantitykind:InverseEnergy_Squared - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-EV2 ; - qudt:applicableUnit unit:PER-GigaEV2 ; - qudt:applicableUnit unit:PER-J2 ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Energy"@en ; -. -quantitykind:InverseLength - a qudt:QuantityKind ; - dcterms:description "Reciprocal length or inverse length is a measurement used in several branches of science and mathematics. As the reciprocal of length, common units used for this measurement include the reciprocal metre or inverse metre (\\(m^{-1}\\)), the reciprocal centimetre or inverse centimetre (\\(cm^{-1}\\)), and, in optics, the dioptre."^^qudt:LatexString ; - qudt:applicableUnit unit:DPI ; - qudt:applicableUnit unit:KY ; - qudt:applicableUnit unit:MESH ; - qudt:applicableUnit unit:NUM-PER-M ; - qudt:applicableUnit unit:PER-ANGSTROM ; - qudt:applicableUnit unit:PER-CentiM ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reciprocal_length"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Length"@en ; -. -quantitykind:InverseLengthTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-M-K ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Length Temperature"@en ; -. -quantitykind:InverseMagneticFlux - a qudt:QuantityKind ; - qudt:applicableUnit unit:HZ-PER-V ; - qudt:applicableUnit unit:PER-WB ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Magnetic Flux"@en ; -. -quantitykind:InverseMass_Squared - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-KiloGM2 ; - qudt:applicableUnit unit:PER-PlanckMass2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Mass"@en ; -. -quantitykind:InversePermittivity - a qudt:QuantityKind ; - qudt:applicableUnit unit:M-PER-FARAD ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Permittivity"@en ; -. -quantitykind:InversePressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-BAR ; - qudt:applicableUnit unit:PER-MILLE-PER-PSI ; - qudt:applicableUnit unit:PER-PA ; - qudt:applicableUnit unit:PER-PSI ; - qudt:exactMatch quantitykind:IsothermalCompressibility ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Pressure"@en ; -. -quantitykind:InverseSquareEnergy - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:InverseEnergy_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Energy"@en ; -. -quantitykind:InverseSquareMass - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:InverseMass_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Mass"@en ; -. -quantitykind:InverseSquareTime - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:InverseTime_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Time"@en ; -. -quantitykind:InverseTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Temperature"@en ; -. -quantitykind:InverseTime - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Time"@en ; -. -quantitykind:InverseTimeTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:HZ-PER-K ; - qudt:applicableUnit unit:MegaHZ-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Time Temperature"@en ; -. -quantitykind:InverseTime_Squared - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Time"@en ; -. -quantitykind:InverseVolume - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-CentiM3 ; - qudt:applicableUnit unit:PER-FT3 ; - qudt:applicableUnit unit:PER-IN3 ; - qudt:applicableUnit unit:PER-L ; - qudt:applicableUnit unit:PER-M3 ; - qudt:applicableUnit unit:PER-MilliL ; - qudt:applicableUnit unit:PER-MilliM3 ; - qudt:applicableUnit unit:PER-YD3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Volume"@en ; -. -quantitykind:IonConcentration - a qudt:QuantityKind ; - dcterms:description "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density."^^rdf:HTML ; - qudt:exactMatch quantitykind:IonDensity ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:plainTextDescription "\"Ion Concentration\" is the number of ions per unit volume. Also known as ion density." ; - rdfs:isDefinedBy ; - rdfs:label "Ion Concentration"@en ; -. -quantitykind:IonCurrent - a qudt:QuantityKind ; - dcterms:description "An ion current is the influx and/or efflux of ions through an ion channel."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:applicableUnit unit:A_Ab ; - qudt:applicableUnit unit:A_Stat ; - qudt:applicableUnit unit:BIOT ; - qudt:applicableUnit unit:KiloA ; - qudt:applicableUnit unit:MegaA ; - qudt:applicableUnit unit:MicroA ; - qudt:applicableUnit unit:MilliA ; - qudt:applicableUnit unit:NanoA ; - qudt:applicableUnit unit:PicoA ; - qudt:applicableUnit unit:PlanckCurrent ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:plainTextDescription "An ion current is the influx and/or efflux of ions through an ion channel." ; - qudt:symbol "j" ; - rdfs:isDefinedBy ; - rdfs:label "Ion Current"@en ; - skos:broader quantitykind:ElectricCurrent ; -. -quantitykind:IonDensity - a qudt:QuantityKind ; - dcterms:description "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:exactMatch quantitykind:IonConcentration ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://www.answers.com/topic/ion-density"^^xsd:anyURI ; - qudt:latexDefinition """\\(n^+ = \\frac{N^+}{V}\\), \\(n^- = \\frac{N^-}{V}\\) - -where \\(N^+\\) and \\(N^-\\) are the number of positive and negative ions, respectively, in a 3D domain with volume \\(V\\)."""^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Ion Density\" is the number of ions per unit volume. Also known as ion concentration." ; - qudt:symbol "N, n^+, n^-" ; - rdfs:isDefinedBy ; - rdfs:label "Ion Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:IonTransportNumber - a qudt:QuantityKind ; - dcterms:description "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ion_transport_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(t_B = \\frac{i_B}{i}\\), where \\(i_B\\) is the electric current carried by the ion \\(B\\) and \\(i\\) is the total electric current."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Ion Transport Number\" is a quantity which indicates the different contribution of ions to the electric current in electrolytes due to different electrical mobility." ; - qudt:symbol "t_B" ; - rdfs:isDefinedBy ; - rdfs:label "Ion Transport Number"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:IonicCharge - a qudt:QuantityKind ; - dcterms:description "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it."^^rdf:HTML ; - qudt:applicableUnit unit:A-HR ; - qudt:applicableUnit unit:A-SEC ; - qudt:applicableUnit unit:AttoC ; - qudt:applicableUnit unit:C ; - qudt:applicableUnit unit:C_Ab ; - qudt:applicableUnit unit:C_Stat ; - qudt:applicableUnit unit:CentiC ; - qudt:applicableUnit unit:DecaC ; - qudt:applicableUnit unit:DeciC ; - qudt:applicableUnit unit:E ; - qudt:applicableUnit unit:ElementaryCharge ; - qudt:applicableUnit unit:ExaC ; - qudt:applicableUnit unit:F ; - qudt:applicableUnit unit:FR ; - qudt:applicableUnit unit:FemtoC ; - qudt:applicableUnit unit:GigaC ; - qudt:applicableUnit unit:HectoC ; - qudt:applicableUnit unit:KiloA-HR ; - qudt:applicableUnit unit:KiloC ; - qudt:applicableUnit unit:MegaC ; - qudt:applicableUnit unit:MicroC ; - qudt:applicableUnit unit:MilliA-HR ; - qudt:applicableUnit unit:MilliC ; - qudt:applicableUnit unit:NanoC ; - qudt:applicableUnit unit:PetaC ; - qudt:applicableUnit unit:PicoC ; - qudt:applicableUnit unit:PlanckCharge ; - qudt:applicableUnit unit:TeraC ; - qudt:applicableUnit unit:YoctoC ; - qudt:applicableUnit unit:YottaC ; - qudt:applicableUnit unit:ZeptoC ; - qudt:applicableUnit unit:ZettaC ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:plainTextDescription "The total charge of an ion. The charge of an electron; the charge of any ion is equal to this electron charge in magnitude, or is an integral multiple of it." ; - qudt:symbol "q" ; - rdfs:isDefinedBy ; - rdfs:label "Ionic Charge"@en ; - skos:broader quantitykind:ElectricCharge ; -. -quantitykind:IonicStrength - a qudt:QuantityKind ; - dcterms:description "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution."^^rdf:HTML ; - qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; - qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; - qudt:applicableUnit unit:MOL-PER-KiloGM ; - qudt:applicableUnit unit:MicroMOL-PER-GM ; - qudt:applicableUnit unit:MilliMOL-PER-GM ; - qudt:applicableUnit unit:MilliMOL-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionic_strength"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(I = \\frac{1}{2} \\sum z_i^2 b_i\\), where the summation is carried out over all ions with charge number \\(z_i\\) and molality \\(m_i\\)."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Ionic Strength\" of a solution is a measure of the concentration of ions in that solution." ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Ionic Strength"@en ; -. -quantitykind:IonizationEnergy - a qudt:QuantityKind ; - dcterms:description "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization_energy"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Ionization Energy\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The amount of energy required to remove an electron from that atom or molecule in the gas phase." ; - qudt:symbol "E_i" ; - rdfs:isDefinedBy ; - rdfs:label "Ionization Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:Irradiance - a qudt:QuantityKind ; - dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; - qudt:abbreviation "W-PER-M2" ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux incident on an element of the surface with area \\(dA\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Bestrahlungsstärke"@de ; - rdfs:label "Intenzita záření"@cs ; - rdfs:label "Kepenyinaran"@ms ; - rdfs:label "irradiance"@en ; - rdfs:label "irradiancia"@es ; - rdfs:label "irradianza"@it ; - rdfs:label "irradiância"@pt ; - rdfs:label "koyuluk"@tr ; - rdfs:label "yoğunluk"@tr ; - rdfs:label "éclairement énergétique"@fr ; - rdfs:label "Поверхностная плотность потока энергии"@ru ; - rdfs:label "الطاقة الهلامية"@ar ; - rdfs:label "پرتو افکنی/چگالی تابش"@fa ; - rdfs:label "熱流束"@ja ; - rdfs:label "辐照度"@zh ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:IsentropicCompressibility - a qudt:QuantityKind ; - dcterms:description "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy."^^rdf:HTML ; - qudt:applicableUnit unit:PER-PA ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varkappa_S = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_S\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(S\\) is entropy,"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varkappa_S\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Isentropic compressibility is the extent to which a material reduces its volume when it is subjected to compressive stresses at a constant value of entropy." ; - rdfs:isDefinedBy ; - rdfs:label "Isentropic Compressibility"@en ; -. -quantitykind:IsentropicExponent - a qudt:QuantityKind ; - dcterms:description "Isentropic exponent is a variant of \"Specific Heat Ratio Capacities}. For an ideal gas \\textit{Isentropic Exponent\"\\(, \\varkappa\\). is equal to \\(\\gamma\\), the ratio of its specific heat capacities \\(c_p\\) and \\(c_v\\) under steady pressure and volume."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varkappa = -\\frac{V}{p}\\left \\{ \\frac{\\partial p}{\\partial V}\\right \\}_S\\), where \\(V\\) is volume, \\(p\\) is pressure, and \\(S\\) is entropy."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varkappa\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Coefficiente di dilatazione adiabatica"@it ; - rdfs:label "Coeficient de transformare adiabatică"@ro ; - rdfs:label "Coeficiente de dilatación adiabática"@es ; - rdfs:label "Coeficiente de expansão adiabática"@pt ; - rdfs:label "Isentropenexponent"@de ; - rdfs:label "Poissonova konstanta"@cs ; - rdfs:label "Wykładnik adiabaty"@pl ; - rdfs:label "adiabatni eksponent"@sl ; - rdfs:label "exposant isoentropique"@fr ; - rdfs:label "indice adiabatico"@it ; - rdfs:label "indice adiabatique"@fr ; - rdfs:label "isentropic exponent"@en ; - rdfs:label "ısı sığası oranı; adyabatik indeks"@tr ; - rdfs:label "Показатель адиабаты"@ru ; - rdfs:label "نسبة السعة الحرارية"@ar ; - rdfs:label "比熱比"@ja ; - rdfs:label "绝热指数"@zh ; - rdfs:seeAlso quantitykind:IsentropicCompressibility ; -. -quantitykind:IsothermalCompressibility - a qudt:QuantityKind ; - dcterms:description "The isothermal compressibility defines the rate of change of system volume with pressure."^^rdf:HTML ; - qudt:applicableUnit unit:PER-BAR ; - qudt:applicableUnit unit:PER-MILLE-PER-PSI ; - qudt:applicableUnit unit:PER-PA ; - qudt:applicableUnit unit:PER-PSI ; - qudt:exactMatch quantitykind:InversePressure ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Compressibility"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varkappa_T = \\frac{1}{V}\\left (\\frac{\\partial V}{\\partial p} \\right )_T\\), where \\(V\\) is volume, \\(p\\) is \\(pressure\\), and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varkappa_T\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The isothermal compressibility defines the rate of change of system volume with pressure." ; - rdfs:isDefinedBy ; - rdfs:label "Izotermna stisljivost"@sl ; - rdfs:label "Ketermampatan isotermik"@ms ; - rdfs:label "compresibilidad isotérmica"@es ; - rdfs:label "compressibilidade isotérmica"@pt ; - rdfs:label "compressibilité isotherme"@fr ; - rdfs:label "comprimibilità isotermica"@it ; - rdfs:label "isothermal compressibility"@en ; - rdfs:label "isotherme Kompressibilität"@de ; - rdfs:label "objemová stlačitelnost"@cs ; - rdfs:label "ściśliwość izotermiczna"@pl ; - rdfs:label "изотермический коэффициент сжимаемости"@ru ; - rdfs:label "ضریب تراکم‌پذیری همدما"@fa ; - rdfs:label "معامل الانضغاط عند ثبوت درجة الحرارة"@ar ; - rdfs:label "等温压缩率"@zh ; - rdfs:label "等温圧縮率"@ja ; -. -quantitykind:IsothermalMoistureCapacity - a qudt:QuantityKind ; - dcterms:description "\"Isothermal Moisture Capacity\" is the capacity of a material to absorb moisture in the Effective Moisture Penetration Depth (EMPD) model."^^qudt:LatexString ; - qudt:applicableUnit unit:DeciL-PER-GM ; - qudt:applicableUnit unit:L-PER-KiloGM ; - qudt:applicableUnit unit:M3-PER-KiloGM ; - qudt:applicableUnit unit:MilliL-PER-GM ; - qudt:applicableUnit unit:MilliL-PER-KiloGM ; - qudt:applicableUnit unit:MilliM3-PER-GM ; - qudt:applicableUnit unit:MilliM3-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:informativeReference "https://bigladdersoftware.com/epx/docs/8-4/engineering-reference/effective-moisture-penetration-depth-empd.html#empd-nomenclature"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Isothermal Moisture Capacity"@en ; - skos:broader quantitykind:SpecificVolume ; -. -quantitykind:Kerma - a qudt:QuantityKind ; - dcterms:description "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample."^^rdf:HTML ; - qudt:applicableUnit unit:GRAY ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kerma_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "For indirectly ionizing (uncharged) particles, \\(K= \\frac{dE_{tr}}{dm}\\), where \\(dE_{tr}\\) is the mean sum of the initial kinetic energies of all the charged ionizing particles liberated by uncharged ionizing particles in an element of matter, and \\(dm\\) is the mass of that element."^^qudt:LatexString ; - qudt:plainTextDescription "\"Kerma\" is the sum of the initial kinetic energies of all the charged particles liberated by uncharged ionizing radiation (i.e., indirectly ionizing radiation such as photons and neutrons) in a sample of matter, divided by the mass of the sample." ; - qudt:symbol "K" ; - rdfs:isDefinedBy ; - rdfs:label "Kerma"@en ; -. -quantitykind:KermaRate - a qudt:QuantityKind ; - dcterms:description "\"Kerma Rate\" is the kerma per unit time."^^rdf:HTML ; - qudt:applicableUnit unit:GRAY-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Half-value_layer"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\dot{K} = \\frac{dK}{dt}\\), where \\(K\\) is the increment of kerma during time interval with duration \\(t\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\dot{K}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Kerma Rate\" is the kerma per unit time." ; - rdfs:isDefinedBy ; - rdfs:label "Kerma Rate"@en ; -. -quantitykind:KinematicViscosity - a qudt:QuantityKind ; - dcterms:description "The ratio of the viscosity of a liquid to its density. Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or tensile stress. In many situations, we are concerned with the ratio of the inertial force to the viscous force (that is the Reynolds number), the former characterized by the fluid density \\(\\rho\\). This ratio is characterized by the kinematic viscosity (Greek letter \\(\\nu\\)), defined as follows: \\(\\nu = \\mu / \\rho\\). The SI unit of \\(\\nu\\) is \\(m^{2}/s\\). The SI unit of \\(\\nu\\) is \\(kg/m^{1}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiST ; - qudt:applicableUnit unit:ST ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Viscosity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\nu = \\frac{\\eta}{\\rho}\\), where \\(\\eta\\) is dynamic viscosity and \\(\\rho\\) is mass density."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Kelikatan kinematik"@ms ; - rdfs:label "Kinematik akmazlık"@tr ; - rdfs:label "Viscozitate cinematică"@ro ; - rdfs:label "kinematic viscosity"@en ; - rdfs:label "kinematische Viskosität"@de ; - rdfs:label "kinematična viskoznost"@sl ; - rdfs:label "lepkość kinematyczna"@pl ; - rdfs:label "viscosidad cinemática"@es ; - rdfs:label "viscosidade cinemática"@pt ; - rdfs:label "viscosità cinematica"@it ; - rdfs:label "viscosité cinématique"@fr ; - rdfs:label "viskozita"@cs ; - rdfs:label "кинематическую вязкость"@ru ; - rdfs:label "لزوجة"@ar ; - rdfs:label "گرانروی جنبشی/ویسکوزیته جنبشی"@fa ; - rdfs:label "श्यानता"@hi ; - rdfs:label "粘度"@ja ; - rdfs:label "运动粘度"@zh ; - rdfs:seeAlso quantitykind:DynamicViscosity ; - rdfs:seeAlso quantitykind:MolecularViscosity ; - skos:broader quantitykind:AreaPerTime ; -. -quantitykind:KineticEnergy - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Kinetic Energy}\\) is the energy which a body possesses as a consequence of its motion, defined as one-half the product of its mass \\(m\\) and the square of its speed \\(v\\), \\( \\frac{1}{2} mv^{2} \\). The kinetic energy per unit volume of a fluid parcel is the \\( \\frac{1}{2} p v^{2}\\) , where \\(p\\) is the density and \\(v\\) the speed of the parcel. See potential energy. For relativistic speeds the kinetic energy is given by \\(E_k = mc^2 - m_0 c^2\\), where \\(c\\) is the velocity of light in a vacuum, \\(m_0\\) is the rest mass, and \\(m\\) is the moving mass."^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kinetic_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kinetic_energy"^^xsd:anyURI ; - qudt:latexDefinition "\\(T = \\frac{mv^2}{2}\\), where \\(m\\) is mass and \\(v\\) is speed."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:symbol "K" ; - qudt:symbol "KE" ; - rdfs:isDefinedBy ; - rdfs:label "Kinetic Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:LagrangeFunction - a qudt:QuantityKind ; - dcterms:description "The Lagrange Function is a function that summarizes the dynamics of the system."^^rdf:HTML ; - qudt:applicableUnit unit:J ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lagrangian"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-03-76"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(L(q_i, \\dot{q_i}) = T(q_i, \\dot{q_i}) - V(q_i)\\), where \\(T\\) is kinetic energy, \\(V\\) is potential energy, \\(q_i\\) is a generalized coordinate, and \\(\\dot{q_i}\\) is a generalized velocity."^^qudt:LatexString ; - qudt:plainTextDescription "The Lagrange Function is a function that summarizes the dynamics of the system." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Lagrange Function"@en ; -. -quantitykind:Landau-GinzburgNumber - a qudt:QuantityKind ; - dcterms:description "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ginzburg–Landau_theory"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "At zero thermodynamic temperature \\(\\kappa = \\frac{\\lambda_L}{(\\varepsilon\\sqrt{2})}\\), where \\(\\lambda_L\\) is London penetration depth and \\(\\varepsilon\\) is coherence length."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Landau-Ginzburg Number\", also known as the Ginzburg-Landau parameter, describes the relationship between London penetration depth and coherence length." ; - rdfs:isDefinedBy ; - rdfs:label "Landau-Ginzburg Number"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LandeGFactor - a qudt:QuantityKind ; - dcterms:description "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/G-factor_(physics)"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Landé_g-factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(g = \\frac{\\mu}{J\\mu_B}\\), where \\(\\mu\\) is the magnitude of magnetic dipole moment, \\(J\\) is the total angular momentum quantum number, and \\(\\mu_B\\) is the Bohr magneton."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Lande g-Factor\" is a particular example of a g-factor, namely for an electron with both spin and orbital angular momenta. It is named after Alfred Landé, who first described it in 1921." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "Lande g-Factor"@en ; -. -quantitykind:LarmorAngularFrequency - a qudt:QuantityKind ; - dcterms:description "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency."^^rdf:HTML ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Larmor_precession#Larmor_frequency"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\omega_L = \\frac{e}{2m_e}B\\), where \\(e\\) is the elementary charge, \\(m_e\\) is the rest mass of electron, and \\(B\\) is the magnetic flux density."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\omega_L\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Larmor Frequency\" describes angular momentum vector precession about the external field axis with an angular frequency." ; - rdfs:isDefinedBy ; - rdfs:label "Larmor Angular Frequency"@en ; - skos:broader quantitykind:AngularFrequency ; -. -quantitykind:LatticePlaneSpacing - a qudt:QuantityKind ; - dcterms:description "\"Lattice Plane Spacing\" is the distance between successive lattice planes."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Lattice Plane Spacing\" is the distance between successive lattice planes." ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Lattice Plane Spacing"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:LatticeVector - a qudt:QuantityKind ; - dcterms:description "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Lattice Vector\" is a translation vector that maps the crystal lattice on itself." ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Lattice Vector"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:LeakageFactor - a qudt:QuantityKind ; - dcterms:description "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:expression "\\(leakage-factor\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=221-04-12"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sigma = 1 - k^2\\), where \\(k\\) is the coupling factor."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Leakage Factor\" is the ratio of the total magnetic flux to the useful magnetic flux of a magnetic circuit." ; - rdfs:isDefinedBy ; - rdfs:label "Leakage Factor"@en ; -. -quantitykind:Length - a qudt:QuantityKind ; - dcterms:description "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Length"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Length"^^xsd:anyURI ; - qudt:plainTextDescription "In geometric measurements, length most commonly refers to the est dimension of an object. In some contexts, the term \"length\" is reserved for a certain dimension of an object along which the length is measured." ; - qudt:symbol "l" ; - rdfs:isDefinedBy ; - rdfs:label "Délka"@cs ; - rdfs:label "Länge"@de ; - rdfs:label "Panjang"@ms ; - rdfs:label "comprimento"@pt ; - rdfs:label "dolžina"@sl ; - rdfs:label "długość"@pl ; - rdfs:label "hossz"@hu ; - rdfs:label "length"@en ; - rdfs:label "longitud"@es ; - rdfs:label "longitudo"@la ; - rdfs:label "longueur"@fr ; - rdfs:label "lunghezza"@it ; - rdfs:label "lungime"@ro ; - rdfs:label "uzunluk"@tr ; - rdfs:label "Μήκος"@el ; - rdfs:label "Длина"@ru ; - rdfs:label "Дължина"@bg ; - rdfs:label "אורך"@he ; - rdfs:label "طول"@ar ; - rdfs:label "طول"@fa ; - rdfs:label "लम्बाई"@hi ; - rdfs:label "長さ"@ja ; - rdfs:label "长度"@zh ; -. -quantitykind:LengthByForce - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Force"@en ; -. -quantitykind:LengthEnergy - a qudt:QuantityKind ; - qudt:applicableUnit unit:MegaEV-FemtoM ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Energy"@en ; -. -quantitykind:LengthMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:GM-MilliM ; - qudt:applicableUnit unit:LB-IN ; - qudt:applicableUnit unit:M-KiloGM ; - qudt:applicableUnit unit:OZ-FT ; - qudt:applicableUnit unit:OZ-IN ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Mass"@en ; -. -quantitykind:LengthMolarEnergy - a qudt:QuantityKind ; - qudt:applicableUnit unit:J-M-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Molar Energy"@en ; -. -quantitykind:LengthPerUnitElectricCurrent - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length per Unit Electric Current"@en ; -. -quantitykind:LengthPercentage - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:LengthRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Percentage"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LengthRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LengthTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C-CentiM ; - qudt:applicableUnit unit:K-M ; - qudt:applicableUnit unit:M-K ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Temperature"@en ; -. -quantitykind:LengthTemperatureTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-SEC-DEG_C ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Length Temperature Time"@en ; -. -quantitykind:Lethargy - a qudt:QuantityKind ; - dcterms:description "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.scribd.com/doc/51548050/149/Lethargy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(u = \\ln(\\frac{E_0}{E})\\), where \\(E_0\\) is a reference energy."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Lethargy\" is a dimensionless logarithm of the ratio of the energy of source neutrons to the energy of neutrons after a collision." ; - qudt:symbol "u" ; - rdfs:isDefinedBy ; - rdfs:label "Lethargy"@en ; -. -quantitykind:LevelWidth - a qudt:QuantityKind ; - dcterms:description "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus."^^rdf:HTML ; - qudt:applicableUnit unit:J ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Level+Width"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Gamma = \\frac{\\hbar}{\\tau}\\), where \\(\\hbar\\) is the reduced Planck constant and \\(\\tau\\) is the mean lifetime."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Level Width\" is the uncertainty in the energy of a quantum-mechanical system having discrete energy levels in a state that is not strictly stationary. The system may be an atom, a molecule, or an atomic nucleus." ; - rdfs:isDefinedBy ; - rdfs:label "Level Width"@en ; -. -quantitykind:LiftCoefficient - a qudt:QuantityKind ; - dcterms:description "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "The lift coefficient is a dimensionless coefficient that relates the lift generated by a lifting body, the dynamic pressure of the fluid flow around the body, and a reference area associated with the body." ; - qudt:symbol "C_{L}" ; - rdfs:isDefinedBy ; - rdfs:label "Lift Coefficient"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:LiftForce - a qudt:QuantityKind ; - dcterms:description "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:plainTextDescription "The lift force, lifting force or simply lift is the sum of all the forces on a body that force it to move perpendicular to the direction of flow." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Lift Force"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:LinearAbsorptionCoefficient - a qudt:QuantityKind ; - dcterms:description "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease, caused by absorption, in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The Linear Absorption Coefficient is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Absorption Coefficient"@en ; -. -quantitykind:LinearAcceleration - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-SEC2 ; - qudt:applicableUnit unit:FT-PER-SEC2 ; - qudt:applicableUnit unit:G ; - qudt:applicableUnit unit:GALILEO ; - qudt:applicableUnit unit:IN-PER-SEC2 ; - qudt:applicableUnit unit:KN-PER-SEC ; - qudt:applicableUnit unit:KiloPA-M2-PER-GM ; - qudt:applicableUnit unit:M-PER-SEC2 ; - qudt:applicableUnit unit:MicroG ; - qudt:applicableUnit unit:MilliG ; - qudt:applicableUnit unit:MilliGAL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Acceleration"^^xsd:anyURI ; - qudt:exactMatch quantitykind:Acceleration ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Linear Acceleration"@en ; -. -quantitykind:LinearAttenuationCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition """\\(\\mu = -\\frac{1}{J}\\frac{dJ}{dx}\\), where \\(J\\) is the magnitude of the current rate of a beam of particles parallel to the \\(x-direction\\). - -Or: - -\\(\\mu(\\lambda) = \\frac{1}{\\Phi_\\lambda(\\lambda)}\\frac{d\\Phi_\\lambda(\\lambda)}{dl}\\), where \\(\\frac{d\\Phi}{\\Phi}\\) is the relative decrease in the spectral radiant flux \\(\\Phi\\) of a collimated beam of electromagnetic radiation corresponding to the wavelength \\(\\lambda\\) during traversal of an infinitesimal layer of a medium and \\(dl\\) is the length traversed."""^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Linear Attenuation Coefficient\", also called the attenuation coefficient, narrow beam attenuation coefficient, or absorption coefficient, is a quantity that characterizes how easily a material or medium can be penetrated by a beam of light, sound, particles, or other energy or matter." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Attenuation Coefficient"@en ; -. -quantitykind:LinearCompressibility - a qudt:QuantityKind ; - dcterms:description "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change."^^rdf:HTML ; - qudt:applicableUnit unit:MicroM-PER-N ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:plainTextDescription "Linear Compressibility is a measure of the relative length change of a solid as a response to a normal force change." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Compressibility"@en ; -. -quantitykind:LinearDensity - a qudt:QuantityKind ; - dcterms:description "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M ; - qudt:applicableUnit unit:KiloGM-PER-MilliM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_l = \\frac{dm}{dl}\\), where \\(m\\) is mass and \\(l\\) is length."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_l\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Density"@en ; -. -quantitykind:LinearElectricCurrent - a qudt:QuantityKind ; - dcterms:description "\"Linear Electric Linear Current\" is the electric current per unit line."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-CentiM ; - qudt:applicableUnit unit:A-PER-M ; - qudt:applicableUnit unit:A-PER-MilliM ; - qudt:applicableUnit unit:KiloA-PER-M ; - qudt:applicableUnit unit:MilliA-PER-IN ; - qudt:applicableUnit unit:MilliA-PER-MilliM ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI ; - qudt:plainTextDescription "\"Linear Electric Linear Current\" is the electric current per unit line." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Electric Current"@en ; - skos:broader quantitykind:LinearElectricCurrentDensity ; -. -quantitykind:LinearElectricCurrentDensity - a qudt:QuantityKind ; - dcterms:description "\"Linear Electric Linear Current Density\" is the electric current per unit length. Electric current, \\(I\\), through a curve \\(C\\) is defined as \\(I = \\int_C J _s \\times e_n\\), where \\(e_n\\) is a unit vector perpendicular to the surface and line vector element, and \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-CentiM ; - qudt:applicableUnit unit:A-PER-M ; - qudt:applicableUnit unit:A-PER-MilliM ; - qudt:applicableUnit unit:KiloA-PER-M ; - qudt:applicableUnit unit:MilliA-PER-IN ; - qudt:applicableUnit unit:MilliA-PER-MilliM ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.asknumbers.com/ElectricalConversion.aspx"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(J_s = \\rho_A v\\), where \\(\\rho_A\\) is surface density of electric charge and \\(v\\) is velocity."^^qudt:LatexString ; - qudt:symbol "J_s" ; - rdfs:isDefinedBy ; - rdfs:label "Linear Electric Current Density"@en ; - rdfs:seeAlso quantitykind:ElectricChargeSurfaceDensity ; - rdfs:seeAlso quantitykind:ElectricCurrentDensity ; -. -quantitykind:LinearEnergyTransfer - a qudt:QuantityKind ; - dcterms:description "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-M ; - qudt:applicableUnit unit:KiloEV-PER-MicroM ; - qudt:applicableUnit unit:MegaEV-PER-CentiM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Linear_energy_transfer"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_energy_transfer"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "For ionizing charged particles, \\(L_\\Delta = \\frac{dE_\\Delta}{dl}\\), where \\(dE_\\Delta\\) is the mean energy lost in elctronic collisions locally to matter along a small path through the matter, minus the sum of the kinetic energies of all the electrons released with kinetic energies in excess of \\(\\Delta\\), and \\(dl\\) is the length of that path."^^qudt:LatexString ; - qudt:latexSymbol "\\(L_\\Delta\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(L_\\bigtriangleup\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Linear Energy Transfer\" (LET) is the linear density of energy lost by a charged ionizing particle travelling through matter.Typically, this measure is used to quantify the effects of ionizing radiation on biological specimens or electronic devices." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Energy Transfer"@en ; -. -quantitykind:LinearExpansionCoefficient - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:applicableUnit unit:PPM-PER-K ; - qudt:applicableUnit unit:PPTM-PER-K ; - qudt:expression "\\(lnr-exp-coef\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_l = \\frac{1}{l} \\; \\frac{dl}{dT}\\), where \\(l\\) is \\(length\\) and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_l\\)"^^qudt:LatexString ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H1T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "coefficient de dilatation linéique"@fr ; - rdfs:label "coefficiente di dilatazione lineare"@it ; - rdfs:label "coeficiente de dilatação térmica linear"@pt ; - rdfs:label "coeficiente de expansión térmica lineal"@es ; - rdfs:label "linear expansion coefficient"@en ; - rdfs:label "linearer Ausdehnungskoeffizient"@de ; - rdfs:label "współczynnik liniowej rozszerzalności cieplnej"@pl ; - rdfs:label "معدل التمدد الحراري الخطي"@ar ; - rdfs:label "線熱膨張係数"@ja ; - rdfs:label "线性热膨胀系数"@zh ; - skos:broader quantitykind:ExpansionRatio ; -. -quantitykind:LinearForce - a qudt:QuantityKind ; - dcterms:description "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; - qudt:applicableUnit unit:DYN-PER-CentiM ; - qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-IN ; - qudt:applicableUnit unit:MilliN-PER-M ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:N-PER-CentiM ; - qudt:applicableUnit unit:N-PER-M ; - qudt:applicableUnit unit:N-PER-MilliM ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearforcemeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Another name for Force Per Length, used by the Industry Foundation Classes (IFC) standard." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Force"@en ; - rdfs:label "Streckenlast"@de ; - skos:broader quantitykind:ForcePerLength ; -. -quantitykind:LinearIonization - a qudt:QuantityKind ; - dcterms:description "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition."^^rdf:HTML ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(N_{il} = \\frac{1}{e}\\frac{dQ}{dl}\\), where \\(e\\) is the elementary charge and \\(dQ\\) is the average total charge of all positive ions produced over an infinitesimal element of the path with length \\(dl\\) by an ionizing charged particle."^^qudt:LatexString ; - qudt:plainTextDescription "\"Linear Ionization\" is a description of how the ionization of an atom or molecule takes place. For example, an ion with a +2 charge can be created only from an ion with a +1 charge or a +3 charge. That is, the numerical charge of an atom or molecule must change sequentially, always moving from one number to an adjacent, or sequential, number. Using sequential ionization definition." ; - qudt:symbol "N_{il}" ; - rdfs:isDefinedBy ; - rdfs:label "Linear Ionization"@en ; -. -quantitykind:LinearMomentum - a qudt:QuantityKind ; - dcterms:description "Linear momentum is the quantity obtained by multiplying the mass of a body by its linear velocity. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium.The SI unit for linear momentum is meter-kilogram per second (\\(m-kg/s\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloGM-M-PER-SEC ; - qudt:applicableUnit unit:MegaEV-PER-SpeedOfLight ; - qudt:applicableUnit unit:N-M-SEC-PER-M ; - qudt:applicableUnit unit:N-SEC ; - qudt:applicableUnit unit:PlanckMomentum ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; - qudt:exactMatch quantitykind:Momentum ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; - qudt:latexDefinition "p = m\\upsilon"^^qudt:LatexString ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Linear Momentum"@en ; -. -quantitykind:LinearStiffness - a qudt:QuantityKind ; - dcterms:description "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; - qudt:applicableUnit unit:DYN-PER-CentiM ; - qudt:applicableUnit unit:KiloGM_F-M-PER-CentiM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-FT ; - qudt:applicableUnit unit:LB_F-PER-IN ; - qudt:applicableUnit unit:MilliN-PER-M ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:N-PER-CentiM ; - qudt:applicableUnit unit:N-PER-M ; - qudt:applicableUnit unit:N-PER-MilliM ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifclinearstiffnessmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Stiffness is the extent to which an object resists deformation in response to an applied force. Linear Stiffness is the term used in the Industry Foundation Classes (IFC) standard." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Force"@en ; - rdfs:label "Streckenlast"@de ; - skos:broader quantitykind:ForcePerLength ; -. -quantitykind:LinearStrain - a qudt:QuantityKind ; - dcterms:description "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:exactMatch quantitykind:Strain ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\xi = \\frac{\\Delta l}{l_0}\\), where \\(\\Delta l\\) is the increase in length and \\(l_0\\) is the length in a reference state to be specified."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\xi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "A strain is a normalized measure of deformation representing the displacement between particles in the body relative to a reference length." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Strain"@en ; - skos:broader quantitykind:Strain ; -. -quantitykind:LinearThermalExpansion - a qudt:QuantityKind ; - dcterms:description "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-K ; - qudt:applicableUnit unit:FT-PER-DEG_F ; - qudt:applicableUnit unit:IN-PER-DEG_F ; - qudt:applicableUnit unit:M-PER-K ; - qudt:applicableUnit unit:MicroM-PER-K ; - qudt:applicableUnit unit:MilliM-PER-K ; - qudt:applicableUnit unit:YD-PER-DEG_F ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/linear_thermal_expansion"^^xsd:anyURI ; - qudt:plainTextDescription "When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: linear thermal expansion, area thermal expansion, or volumetric thermal expansion." ; - rdfs:isDefinedBy ; - rdfs:label "Linear Thermal Expansion"@en ; -. -quantitykind:LinearVelocity - a qudt:QuantityKind ; - dcterms:description "Linear Velocity, as the name implies deals with speed in a straight line, the units are often \\(km/hr\\) or \\(m/s\\) or \\(mph\\) (miles per hour). Linear Velocity (v) = change in distance/change in time, where \\(v = \\bigtriangleup d/\\bigtriangleup t\\)"^^qudt:LatexString ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; - qudt:exactMatch quantitykind:Velocity ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://au.answers.yahoo.com/question/index?qid=20080319082534AAtrClv"^^xsd:anyURI ; - qudt:symbol "v" ; - rdfs:isDefinedBy ; - rdfs:label "Linear Velocity"@en ; -. -quantitykind:LinkedFlux - a qudt:QuantityKind ; - dcterms:description "\"Linked Flux\" is defined as the path integral of the magnetic vector potential. This is the line integral of a magnetic vector potential \\(A\\) along a curve \\(C\\). The line vector element \\(dr\\) is the differential of position vector \\(r\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloLB_F-FT-PER-A ; - qudt:applicableUnit unit:KiloWB ; - qudt:applicableUnit unit:MX ; - qudt:applicableUnit unit:MilliWB ; - qudt:applicableUnit unit:N-M-PER-A ; - qudt:applicableUnit unit:UnitPole ; - qudt:applicableUnit unit:V_Ab-SEC ; - qudt:applicableUnit unit:WB ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; - qudt:expression "\\(linked-flux\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-24"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Psi_m = \\int_C A \\cdot dr\\), where \\(A\\) is magnetic vector potential and \\(dr\\) is the vector element of the curve \\(C\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Psi\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Psi_m\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Linked Flux"@en ; - skos:broader quantitykind:MagneticFlux ; -. -quantitykind:LiquidVolume - a qudt:QuantityKind ; - dcterms:description "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement."^^rdf:HTML ; - qudt:applicableUnit unit:CUP ; - qudt:applicableUnit unit:CUP_US ; - qudt:applicableUnit unit:CentiL ; - qudt:applicableUnit unit:GAL_IMP ; - qudt:applicableUnit unit:GAL_UK ; - qudt:applicableUnit unit:GAL_US ; - qudt:applicableUnit unit:Kilo-FT3 ; - qudt:applicableUnit unit:L ; - qudt:applicableUnit unit:OZ_VOL_US ; - qudt:applicableUnit unit:PINT_US ; - qudt:applicableUnit unit:QT_US ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:informativeReference "http://www.ehow.com/facts_6371078_liquid-volume_.html"^^xsd:anyURI ; - qudt:plainTextDescription "Liquid volume is the volume of a given amount of liquid, that is, the amount of space a liquid takes up. There are a number of different units used to measure liquid volume, but most of them fall under either the metric system of measurement or the Imperial system of measurement." ; - rdfs:isDefinedBy ; - rdfs:label "Liquid Volume"@en ; - skos:broader quantitykind:Volume ; -. -quantitykind:LogOctanolAirPartitionCoefficient - a qudt:QuantityKind ; - dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of liquid octanol and gaseous air at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible substances." ; - rdfs:isDefinedBy ; - rdfs:label "Octanol Air Partition Coefficient"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LogOctanolWaterPartitionCoefficient - a qudt:QuantityKind ; - dcterms:description "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "A dimensionless ratio that is the logarithm of the ratio of a compound's concentration within a two phase mixture of octanol and water at equilibrium. More simply, it is a comparison of the solubilities of the compound solute in these two immiscible liquids. This property is used to measure the lipophilicity and the hydrophilicity of a substance." ; - rdfs:isDefinedBy ; - rdfs:label "Logarithm of Octanol Water Partition Coefficient"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LogarithmicFrequencyInterval - a qudt:QuantityKind ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexDefinition "\\(G = \\log_{2}(f2/f1)\\), where \\(f1\\) and \\(f2 \\geq f1\\) are frequencies of two tones."^^qudt:LatexString ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Frequenzmaßintervall"@de ; - rdfs:label "Interval měření frekvence ?"@cs ; - rdfs:label "Selang kekerapan logaritma"@ms ; - rdfs:label "intervalle de fréquence logarithmique"@fr ; - rdfs:label "intervallo logaritmico di frequenza"@it ; - rdfs:label "intervalo logarítmico de frequência"@pt ; - rdfs:label "logarithmic frequency interval"@en ; - rdfs:label "logaritmik frekans aralığı"@tr ; - rdfs:label "частотный интервал"@ru ; - rdfs:label "فاصله فرکانس لگاریتمی"@fa ; - rdfs:label "对数频率间隔"@zh ; -. -quantitykind:LondonPenetrationDepth - a qudt:QuantityKind ; - dcterms:description "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/London_penetration_depth"^^xsd:anyURI ; - qudt:latexDefinition "If an applied magnetic field is parallel to the plane surface of a semi-infinite superconductor, the field penetrates the superconductor according to the expression \\(B(x) = B(0) \\exp{(\\frac{-x}{\\lambda_L})}\\), where \\(B\\) is magnetic flux density and \\(x\\) is the distance from the surface."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"London Penetration Depth\" characterizes the distance to which a magnetic field penetrates into a superconductor and becomes equal to 1/e times that of the magnetic field at the surface of the superconductor." ; - qudt:symbol "λₗ" ; - rdfs:isDefinedBy ; - rdfs:label "London Penetration Depth"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Long-RangeOrderParameter - a qudt:QuantityKind ; - dcterms:description "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Long-Range Order Parameter\" is the fraction of atoms in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; - qudt:symbol "R, s" ; - rdfs:isDefinedBy ; - rdfs:label "Long-Range Order Parameter"@en ; -. -quantitykind:LorenzCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Lorenz Coefficient\" is part mof the Lorenz curve."^^rdf:HTML ; - qudt:applicableUnit unit:V2-PER-K2 ; - qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; - qudt:informativeReference "http://www.matter.org.uk/diffraction/geometry/lattice_vectors.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = \\frac{\\lambda}{\\sigma T}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\sigma\\) is electric conductivity, and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:plainTextDescription "\"Lorenz Coefficient\" is part mof the Lorenz curve." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Lorenz Coefficient"@en ; -. -quantitykind:LossAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\delta = \\arctan d\\), where \\(d\\) is loss factor."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\delta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Loss Angle"@en ; - skos:broader quantitykind:Angle ; -. -quantitykind:LossFactor - a qudt:QuantityKind ; - dcterms:description "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(d = \\frac{1}{Q}\\), where \\(Q\\) is quality factor."^^qudt:LatexString ; - qudt:plainTextDescription "\"Loss Factor} is the inverse of \\textit{Quality Factor} and is the ratio of the \\textit{resistance} and modulus of \\textit{reactance\"." ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Loss Factor"@en ; - rdfs:seeAlso quantitykind:QualityFactor ; - rdfs:seeAlso quantitykind:Reactance ; - rdfs:seeAlso quantitykind:Resistance ; -. -quantitykind:LowerCriticalMagneticFluxDensity - a qudt:QuantityKind ; - dcterms:description "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor."^^rdf:HTML ; - qudt:applicableUnit unit:GAUSS ; - qudt:applicableUnit unit:Gamma ; - qudt:applicableUnit unit:Gs ; - qudt:applicableUnit unit:KiloGAUSS ; - qudt:applicableUnit unit:MicroT ; - qudt:applicableUnit unit:MilliT ; - qudt:applicableUnit unit:NanoT ; - qudt:applicableUnit unit:T ; - qudt:applicableUnit unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Lower Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for magnetic flux entering the superconductor." ; - qudt:symbol "B_{c1}" ; - rdfs:isDefinedBy ; - rdfs:label "Lower Critical Magnetic Flux Density"@en ; - skos:broader quantitykind:MagneticFluxDensity ; - skos:closeMatch quantitykind:UpperCriticalMagneticFluxDensity ; -. -quantitykind:Luminance - a qudt:QuantityKind ; - dcterms:description "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle."^^rdf:HTML ; - qudt:applicableUnit unit:CD-PER-IN2 ; - qudt:applicableUnit unit:CD-PER-M2 ; - qudt:applicableUnit unit:FT-LA ; - qudt:applicableUnit unit:LA ; - qudt:applicableUnit unit:STILB ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Luminance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminance"^^xsd:anyURI ; - qudt:latexDefinition "\\(L_v = \\frac{dI_v}{dA}\\), where \\(dI_v\\) is the luminous intensity of an element of the surface with the area \\(dA\\) of the orthogonal projection of this element on a plane perpendicular to the given direction."^^qudt:LatexString ; - qudt:plainTextDescription "Luminance is a photometric measure of the luminous intensity per unit area of light travelling in a given direction. It describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle." ; - qudt:symbol "L_v" ; - rdfs:isDefinedBy ; - rdfs:label "Luminance"@en ; -. -quantitykind:LuminousEfficacy - a qudt:QuantityKind ; - dcterms:description "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source."^^rdf:HTML ; - qudt:applicableUnit unit:LM-PER-W ; - qudt:expression "\\(lm/w\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; - qudt:latexDefinition "\\(K = \\frac{\\Phi_v}{\\Phi}\\), where \\(\\Phi_v\\) is the luminous flux and \\(\\Phi\\) is the corresponding radiant flux."^^qudt:LatexString ; - qudt:plainTextDescription "Luminous Efficacy is the ratio of luminous flux (in lumens) to power (usually measured in watts). Depending on context, the power can be either the radiant flux of the source's output, or it can be the total electric power consumed by the source." ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Efficacy"@en ; -. -quantitykind:LuminousEmittance - a qudt:QuantityKind ; - dcterms:description "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface."^^rdf:HTML ; - qudt:applicableUnit unit:FC ; - qudt:applicableUnit unit:LUX ; - qudt:applicableUnit unit:PHOT ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Luminous Emittance\" is the luminous flux per unit area emitted from a surface." ; - qudt:symbol "M_v" ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Emmitance"@en ; - skos:broader quantitykind:LuminousFluxPerArea ; -. -quantitykind:LuminousEnergy - a qudt:QuantityKind ; - dcterms:description "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light."^^rdf:HTML ; - qudt:applicableUnit unit:LM-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI ; - qudt:latexDefinition "\\(Q_v = \\int_{0}^{\\Delta t}{\\Phi_v}{dt}\\), where \\(\\Phi_v\\) is the luminous flux occurring during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Luminous Energy is the perceived energy of light. This is sometimes also called the quantity of light." ; - qudt:symbol "Q_v" ; - qudt:symbol "Qv" ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Energy"@en ; - skos:closeMatch quantitykind:RadiantEnergy ; -. -quantitykind:LuminousExposure - a qudt:QuantityKind ; - dcterms:description "Luminous Exposure is the time-integrated illuminance."^^rdf:HTML ; - qudt:applicableUnit unit:LUX-HR ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_energy"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Exposure_(photography)#Photometric_and_radiometric_exposure"^^xsd:anyURI ; - qudt:plainTextDescription "Luminous Exposure is the time-integrated illuminance." ; - qudt:symbol "H_v" ; - qudt:symbol "Hv" ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Exposure"@en ; -. -quantitykind:LuminousFlux - a qudt:QuantityKind ; - dcterms:description "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light."^^rdf:HTML ; - qudt:applicableUnit unit:LM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_flux"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Phi_v = K_m \\int_{0}^{\\infty}{\\Phi_\\lambda(\\lambda)}{V(\\lambda)d\\lambda}\\), where \\(K_m\\) is the maximum spectral luminous efficacy, \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux, \\(V(\\lambda)\\) is the spectral luminous efficiency, and \\(\\lambda\\) is the wavelength."^^qudt:LatexString ; - qudt:plainTextDescription "Luminous Flux or Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light." ; - qudt:symbol "F" ; - rdfs:isDefinedBy ; - rdfs:label "Fluks berluminositi"@ms ; - rdfs:label "Lichtstrom"@de ; - rdfs:label "Světelný tok"@cs ; - rdfs:label "fluctús lucis"@la ; - rdfs:label "flujo luminoso"@es ; - rdfs:label "flusso luminoso"@it ; - rdfs:label "flux lumineux"@fr ; - rdfs:label "flux luminos"@ro ; - rdfs:label "fluxo luminoso"@pt ; - rdfs:label "fényáram"@hu ; - rdfs:label "işık akısı"@tr ; - rdfs:label "luminous flux"@en ; - rdfs:label "strumień świetlny"@pl ; - rdfs:label "svetlobni tok"@sl ; - rdfs:label "Светлинен поток"@bg ; - rdfs:label "Световой поток"@ru ; - rdfs:label "שטף הארה"@he ; - rdfs:label "التدفق الضوئي"@ar ; - rdfs:label "شار نوری"@fa ; - rdfs:label "प्रकाशीय बहाव"@hi ; - rdfs:label "光束"@ja ; - rdfs:label "光通量"@zh ; -. -quantitykind:LuminousFluxPerArea - a qudt:QuantityKind ; - dcterms:description "In photometry, illuminance is the total luminous flux incident on a surface, per unit area. It is a measure of how much the incident light illuminates the surface, wavelength-weighted by the luminosity function to correlate with human brightness perception. Similarly, luminous emittance is the luminous flux per unit area emitted from a surface. In SI derived units these are measured in \\(lux (lx)\\) or \\(lumens per square metre\\) (\\(cd \\cdot m^{-2}\\)). In the CGS system, the unit of illuminance is the \\(phot\\), which is equal to \\(10,000 lux\\). The \\(foot-candle\\) is a non-metric unit of illuminance that is used in photography."^^qudt:LatexString ; - qudt:applicableUnit unit:FC ; - qudt:applicableUnit unit:LUX ; - qudt:applicableUnit unit:PHOT ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Illuminance"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Flux per Area"@en ; -. -quantitykind:LuminousFluxRatio - a qudt:QuantityKind ; - dcterms:description "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; - qudt:plainTextDescription "Luminous Flux Ratio (or Relative Luminous Flux or Relative Luminous Power) is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Luminous Flux Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:LuminousIntensity - a qudt:QuantityKind ; - dcterms:description "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths."^^rdf:HTML ; - qudt:applicableUnit unit:CD ; - qudt:applicableUnit unit:CP ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Luminous_intensity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; - qudt:plainTextDescription "Luminous Intensity is a measure of the wavelength-weighted power emitted by a light source in a particular direction per unit solid angle. The weighting is determined by the luminosity function, a standardized model of the sensitivity of the human eye to different wavelengths." ; - qudt:symbol "J" ; - rdfs:isDefinedBy ; - rdfs:label "Keamatan berluminositi"@ms ; - rdfs:label "Lichtstärke"@de ; - rdfs:label "Svítivost"@cs ; - rdfs:label "fényerősség"@hu ; - rdfs:label "intensidad luminosa"@es ; - rdfs:label "intensidade luminosa"@pt ; - rdfs:label "intensitas luminosa"@la ; - rdfs:label "intensitate luminoasă"@ro ; - rdfs:label "intensità luminosa"@it ; - rdfs:label "intensité lumineuse"@fr ; - rdfs:label "luminous intensity"@en ; - rdfs:label "svetilnost"@sl ; - rdfs:label "ışık şiddeti"@tr ; - rdfs:label "światłość"@pl ; - rdfs:label "Ένταση Φωτεινότητας"@el ; - rdfs:label "Интензитет на светлината"@bg ; - rdfs:label "Сила света"@ru ; - rdfs:label "עוצמת הארה"@he ; - rdfs:label "شدة الإضاءة"@ar ; - rdfs:label "شدت نور"@fa ; - rdfs:label "प्रकाशीय तीव्रता"@hi ; - rdfs:label "光度"@ja ; - rdfs:label "发光强度"@zh ; -. -quantitykind:LuminousIntensityDistribution - a qudt:QuantityKind ; - dcterms:description "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)."^^rdf:HTML ; - qudt:applicableUnit unit:CD-PER-LM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcluminousintensitydistributionmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "\"Luminous Intensity Distribution\" is a measure of the luminous intensity of a light source that changes according to the direction of the ray. It is normally based on some standardized distribution light distribution curves. Usually measured in Candela/Lumen (cd/lm) or (cd/klm)." ; - rdfs:isDefinedBy ; - rdfs:label "Ion Concentration"@en ; -. -quantitykind:MASS-DELIVERED - a qudt:QuantityKind ; - dcterms:description "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "The minimum mass a propulsive system can deliver to a specified target or location. Most mass- delivered requirements have associated Delta-V requirements, effectively specifying the path between the two points." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Delivered"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MASS-GROWTH-ALLOWANCE - a qudt:QuantityKind ; - dcterms:description "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "A factor applied to basic mass at the lowest level of design detail available based on type and maturity of hardware according to an approved MGA depletion schedule." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Growth Allowance"@en ; - skos:altLabel "MGA" ; - skos:broader quantitykind:Mass ; -. -quantitykind:MASS-MARGIN - a qudt:QuantityKind ; - dcterms:description "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Requirement minus predicted value. Margin is used as a metric in risk management. Positive margin mitigates the risk of mass increases from requirements maturation and implementation, underestimated predicted system, or subsystem mass." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Margin"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MASS-PROPERTY-UNCERTAINTY - a qudt:QuantityKind ; - dcterms:description "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Variation in predicted MP due to lack of definition, manufacturing variations, environment effects, or accuracy limitation of measuring devices." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Property Uncertainty"@en ; -. -quantitykind:MOMENT-OF-INERTIA_Y - a qudt:QuantityKind ; - dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; - qudt:symbol "I_{y}" ; - rdfs:isDefinedBy ; - rdfs:label "Moment of Inertia in the Y axis"@en ; - skos:altLabel "MOI" ; - skos:broader quantitykind:MomentOfInertia ; -. -quantitykind:MOMENT-OF-INERTIA_Z - a qudt:QuantityKind ; - dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; - qudt:symbol "I_{z}" ; - rdfs:isDefinedBy ; - rdfs:label "Moment of Inertia in the Z axis"@en ; - skos:altLabel "MOI" ; - skos:broader quantitykind:MomentOfInertia ; -. -quantitykind:MachNumber - a qudt:QuantityKind ; - dcterms:description "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number."^^rdf:HTML ; - qudt:applicableUnit unit:MACH ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mach_number"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mach_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; - qudt:latexDefinition "\\(Ma = \\frac{v_o}{c_o}\\), where \\(v_0\\) is speed, and \\(c_o\\) is speed of sound."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; - qudt:plainTextDescription "\"Mach Number\" is a dimensionless quantity representing the speed of an object moving through air or other fluid divided by the local speed of sound. It is commonly used to represent the speed of an object when it is traveling close to or above the speed of sound. The Mach number is commonly used both with objects traveling at high speed in a fluid, and with high-speed fluid flows inside channels such as nozzles, diffusers or wind tunnels. As it is defined as a ratio of two speeds, it is a dimensionless number." ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:symbol "Ma" ; - rdfs:isDefinedBy ; - rdfs:label "Mach number"@en ; - rdfs:label "Mach sayısı"@tr ; - rdfs:label "Mach-Zahl"@de ; - rdfs:label "Machovo číslo"@cs ; - rdfs:label "Machovo število"@sl ; - rdfs:label "Nombor Mach"@ms ; - rdfs:label "liczba Macha"@pl ; - rdfs:label "nombre de Mach"@fr ; - rdfs:label "numero di Mach"@it ; - rdfs:label "număr Mach"@ro ; - rdfs:label "número de Mach"@es ; - rdfs:label "número de Mach"@pt ; - rdfs:label "число Маха"@ru ; - rdfs:label "عدد ماخ"@ar ; - rdfs:label "عدد ماخ"@fa ; - rdfs:label "मैक संख्या"@hi ; - rdfs:label "マッハ数n"@ja ; - rdfs:label "马赫"@zh ; - skos:broader quantitykind:DimensionlessRatio ; - skos:closeMatch ; -. -quantitykind:MacroscopicCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sum = n_1\\sigma_1 + \\cdots + n_j\\sigma_j +\\), where \\(n_j\\) is the number density and \\(\\sigma_j\\) the cross-section for entities of type \\(j\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sum\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Macroscopic Cross-section\" is the sum of the cross-sections for a reaction or process of a specified type over all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; - rdfs:isDefinedBy ; - rdfs:label "Macroscopic Cross-section"@en ; - skos:broader quantitykind:CrossSection ; -. -quantitykind:MacroscopicTotalCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_cross_section"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\sum_{tot}, \\sum_T\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Macroscopic Total Cross-section\" is the total cross-sections for all atoms or other entities in a given 3D domain, divided by the volume of that domain." ; - rdfs:isDefinedBy ; - rdfs:label "Macroscopic Total Cross-section"@en ; - skos:broader quantitykind:CrossSection ; -. -quantitykind:MadelungConstant - a qudt:QuantityKind ; - dcterms:description "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Madelung_constant"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "For a uni-univalent ionic crystal of specified structure, the binding energy \\(V_b\\) per pair of ions is \\(V_b = \\alpha\\frac{e^2}{4\\pi \\varepsilon_0 a}\\), where \\(e\\) is the elementary charge, \\(\\varepsilon_0\\) is the electric constant, and \\(a\\) is the lattice constant which should be specified."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Madelung Constant\" is used in determining the electrostatic potential of a single ion in a crystal by approximating the ions by point charges. It is named after Erwin Madelung, a German physicist." ; - rdfs:isDefinedBy ; - rdfs:label "Constante de Madelung"@es ; - rdfs:label "Constante de Madelung"@fr ; - rdfs:label "Costante di Madelung"@it ; - rdfs:label "Madelung constant"@en ; - rdfs:label "Madelung-Konstante"@de ; - rdfs:label "Stała Madelunga"@pl ; - rdfs:label "constante de Madelung"@pt ; - rdfs:label "постоянная Маделунга"@ru ; - rdfs:label "ثابت مادلونك"@ar ; - rdfs:label "ثابت مادلونگ"@fa ; - rdfs:label "マーデルングエネルギー"@ja ; - rdfs:label "馬德隆常數"@zh ; -. -quantitykind:MagneticAreaMoment - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"."^^rdf:HTML ; - qudt:applicableUnit unit:A-M2 ; - qudt:applicableUnit unit:EV-PER-T ; - qudt:applicableUnit unit:J-PER-T ; - qudt:exactMatch quantitykind:MagneticMoment ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetic Area Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Area Moment\" is also referred to as \"Magnetic Moment\"." ; - qudt:symbol "m" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Area Moment"@en ; -. -quantitykind:MagneticDipoleMoment - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Dipole Moment\" is the magnetic moment of a system is a measure of the magnitude and the direction of its magnetism. Magnetic moment usually refers to its Magnetic Dipole Moment, and quantifies the contribution of the system's internal magnetism to the external dipolar magnetic field produced by the system (that is, the component of the external magnetic field that is inversely proportional to the cube of the distance to the observer). The Magnetic Dipole Moment is a vector-valued quantity. For a particle or nucleus, vector quantity causing an increment \\(\\Delta W = -\\mu \\cdot B\\) to its energy \\(W\\) in an external magnetic field with magnetic flux density \\(B\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:N-M2-PER-A ; - qudt:applicableUnit unit:WB-M ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-55"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition """\\(E_m = -m \\cdot B\\), where \\(E_m\\) is the interaction energy of the molecule with magnetic diploe moment \\(m\\) and a magnetic field with magnetic flux density \\(B\\) - -or, - -\\(J_m = \\mu_0 M\\) where \\(\\mu_0\\) is the magnetic constant and \\(M\\) is Magnetization."""^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:symbol "J_m" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Dipole Moment"@en ; -. -quantitykind:MagneticField - a qudt:QuantityKind ; - dcterms:description "The Magnetic Field, denoted \\(B\\), is a fundamental field in electrodynamics which characterizes the magnetic force exerted by electric currents. It is closely related to the auxillary magnetic field H (see quantitykind:AuxillaryMagneticField)."^^qudt:LatexString ; - qudt:applicableUnit unit:Gamma ; - qudt:applicableUnit unit:T ; - qudt:applicableUnit unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:symbol "B" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Field"@en ; -. -quantitykind:MagneticFieldStrength_H - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Magnetic Field Strength}\\) is a vector quantity obtained at a given point by subtracting the magnetization \\(M\\) from the magnetic flux density \\(B\\) divided by the magnetic constant \\(\\mu_0\\). The magnetic field strength is related to the total current density \\(J_{tot}\\) via: \\(\\text{rot} H = J_{tot}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-CentiM ; - qudt:applicableUnit unit:A-PER-M ; - qudt:applicableUnit unit:A-PER-MilliM ; - qudt:applicableUnit unit:AT-PER-IN ; - qudt:applicableUnit unit:AT-PER-M ; - qudt:applicableUnit unit:KiloA-PER-M ; - qudt:applicableUnit unit:MilliA-PER-IN ; - qudt:applicableUnit unit:MilliA-PER-MilliM ; - qudt:applicableUnit unit:OERSTED ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-56"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{H} = \\frac{\\mathbf{B} }{\\mu_0} - M\\), where \\(\\mathbf{B} \\) is magnetic flux density, \\(\\mu_0\\) is the magnetic constant and \\(M\\) is magnetization."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mathbf{H} \\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Câmp magnetic"@ro ; - rdfs:label "Kekuatan medan magnetik"@ms ; - rdfs:label "Magnetické pole"@cs ; - rdfs:label "Manyetik alan"@tr ; - rdfs:label "intensidad de campo magnético"@es ; - rdfs:label "intensidade de campo magnético"@pt ; - rdfs:label "intensità di campo magnetico"@it ; - rdfs:label "intensité de champ magnétique"@fr ; - rdfs:label "jakost magnetnega polja"@sl ; - rdfs:label "magnetic field strength"@en ; - rdfs:label "magnetische Feldstärke"@de ; - rdfs:label "pole magnetyczne"@pl ; - rdfs:label "Магнитное поле"@ru ; - rdfs:label "حقل مغناطيسي"@ar ; - rdfs:label "شدت میدان مغناطیسی"@fa ; - rdfs:label "磁場"@ja ; - rdfs:label "磁場"@zh ; - skos:broader quantitykind:ElectricCurrentPerUnitLength ; -. -quantitykind:MagneticFlux - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates."^^rdf:HTML ; - qudt:applicableUnit unit:KiloLB_F-FT-PER-A ; - qudt:applicableUnit unit:KiloWB ; - qudt:applicableUnit unit:MX ; - qudt:applicableUnit unit:MilliWB ; - qudt:applicableUnit unit:N-M-PER-A ; - qudt:applicableUnit unit:UnitPole ; - qudt:applicableUnit unit:V_Ab-SEC ; - qudt:applicableUnit unit:WB ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetic_flux"^^xsd:anyURI ; - qudt:expression "\\(magnetic-flux\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1800"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Phi = \\int_S B \\cdot e_n d A\\), over a surface \\(S\\), where \\(B\\) is magnetic flux density and \\(e_n dA\\) is the vector surface element."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetic Flux\" is the product of the average magnetic field times the perpendicular area that it penetrates." ; - rdfs:isDefinedBy ; - rdfs:label "Fluks magnet"@ms ; - rdfs:label "Flux d'induction magnétique"@fr ; - rdfs:label "Magnetický tok"@cs ; - rdfs:label "flujo magnético"@es ; - rdfs:label "flusso magnetico"@it ; - rdfs:label "flux de inducție magnetică"@ro ; - rdfs:label "fluxo magnético"@pt ; - rdfs:label "fluxus magneticus"@la ; - rdfs:label "magnetic flux"@en ; - rdfs:label "magnetischer Flux"@de ; - rdfs:label "magnetni pretok"@sl ; - rdfs:label "manyetik akı"@tr ; - rdfs:label "mágneses fluxus"@hu ; - rdfs:label "strumień magnetyczny"@pl ; - rdfs:label "Магнитен поток"@bg ; - rdfs:label "Магнитный поток"@ru ; - rdfs:label "שטף מגנטי"@he ; - rdfs:label "التدفق المغناطيسي"@ar ; - rdfs:label "شار مغناطیسی"@fa ; - rdfs:label "चुम्बकीय बहाव"@hi ; - rdfs:label "磁束"@ja ; - rdfs:label "磁通量"@zh ; -. -quantitykind:MagneticFluxDensity - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Flux Density\" is a vector quantity and is the magnetic flux per unit area of a magnetic field at right angles to the magnetic force. It can be defined in terms of the effects the field has, for example by \\(B = F/q v \\sin \\theta\\), where \\(F\\) is the force a moving charge \\(q\\) would experience if it was travelling at a velocity \\(v\\) in a direction making an angle θ with that of the field. The magnetic field strength is also a vector quantity and is related to \\(B\\) by: \\(H = B/\\mu\\), where \\(\\mu\\) is the permeability of the medium."^^qudt:LatexString ; - qudt:applicableUnit unit:GAUSS ; - qudt:applicableUnit unit:Gamma ; - qudt:applicableUnit unit:Gs ; - qudt:applicableUnit unit:KiloGAUSS ; - qudt:applicableUnit unit:MicroT ; - qudt:applicableUnit unit:MilliT ; - qudt:applicableUnit unit:NanoT ; - qudt:applicableUnit unit:T ; - qudt:applicableUnit unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-1798"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{F} = qv \\times B\\), where \\(F\\) is force and \\(v\\) is velocity of any test particle with electric charge \\(q\\)."^^qudt:LatexString ; - qudt:symbol "B" ; - rdfs:isDefinedBy ; - rdfs:label "Densidad de flujo magnético"@es ; - rdfs:label "Densité de flux magnétique"@fr ; - rdfs:label "Ketumpatan fluks magnet"@ms ; - rdfs:label "Magnetická indukce"@cs ; - rdfs:label "densidade de fluxo magnético"@pt ; - rdfs:label "densitas fluxus magnetici"@la ; - rdfs:label "densità di flusso magnetico"@it ; - rdfs:label "gostota magnetnega pretoka"@sl ; - rdfs:label "inducción magnética"@es ; - rdfs:label "inducție magnetică"@ro ; - rdfs:label "indukcja magnetyczna"@pl ; - rdfs:label "magnetic flux density"@en ; - rdfs:label "magnetische Flussdichte"@de ; - rdfs:label "magnetische Induktion"@de ; - rdfs:label "manyetik akı yoğunluğu"@tr ; - rdfs:label "mágneses indukció"@hu ; - rdfs:label "Магнитна индукция"@bg ; - rdfs:label "Магнитная индукция"@ru ; - rdfs:label "צפיפות שטף מגנטי"@he ; - rdfs:label "المجال المغناطيسي"@ar ; - rdfs:label "چگالی شار مغناطیسی"@fa ; - rdfs:label "चुम्बकीय क्षेत्र"@hi ; - rdfs:label "磁束密度"@ja ; - rdfs:label "磁通量密度"@zh ; - rdfs:seeAlso quantitykind:MagneticField ; -. -quantitykind:MagneticFluxPerUnitLength - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities."^^rdf:HTML ; - qudt:applicableUnit unit:N-PER-A ; - qudt:applicableUnit unit:T-M ; - qudt:applicableUnit unit:V-SEC-PER-M ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:plainTextDescription "\"Magnetic Flux per Unit Length\" is a quantity in the SI and C.G.S. Systems of Quantities." ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic flux per unit length"@en ; -. -quantitykind:MagneticMoment - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment."^^rdf:HTML ; - qudt:applicableUnit unit:A-M2 ; - qudt:applicableUnit unit:EV-PER-T ; - qudt:applicableUnit unit:J-PER-T ; - qudt:exactMatch quantitykind:MagneticAreaMoment ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-49"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:informativeReference "https://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:latexDefinition "\\(m = I e_n A\\), where \\(I\\) is electric current in a small closed loop, \\(e_n\\) is a unit vector perpendicular to the loop, and \\(A\\) is the area of the loop. The magnetic moment of a substance within a domain is the vector sum of the magnetic moments of all entities included in the domain."^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetic Moment\", for a magnetic dipole, is a vector quantity equal to the product of the current, the loop area, and the unit vector normal to the loop plane, the direction of which corresponds to the loop orientation. \"Magnetic Moment\" is also referred to as \"Magnetic Area Moment\", and is not to be confused with Magnetic Dipole Moment." ; - qudt:symbol "m" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetický dipól"@cs ; - rdfs:label "Manyetik moment"@tr ; - rdfs:label "Momen magnetik"@ms ; - rdfs:label "dipol magnetyczny"@pl ; - rdfs:label "giromagnetic moment"@en ; - rdfs:label "magnetic moment"@en ; - rdfs:label "magnetisches Dipolmoment"@de ; - rdfs:label "momen giromagnetik"@ms ; - rdfs:label "moment giromagnétique"@fr ; - rdfs:label "moment magnétique"@fr ; - rdfs:label "momento de dipolo magnético"@es ; - rdfs:label "momento de dipolo magnético"@pt ; - rdfs:label "momento di dipolo magnetico"@it ; - rdfs:label "Магнитный момент"@ru ; - rdfs:label "دوقطبی مغناطیسی"@fa ; - rdfs:label "عزم مغناطيسي"@ar ; - rdfs:label "चुम्बकीय द्विध्रुव"@hi ; - rdfs:label "磁偶极"@zh ; - rdfs:label "磁気双極子"@ja ; -. -quantitykind:MagneticPolarization - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Magnetic Polarization}\\) is a vector quantity equal to the product of the magnetization \\(M\\) and the magnetic constant \\(\\mu_0\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-54"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(J_m = \\mu_0 M\\), where \\(\\mu_0\\) is the magentic constant and \\(M\\) is magnetization."^^qudt:LatexString ; - qudt:latexSymbol "\\(J_m\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Polarization"@en ; - rdfs:seeAlso constant:MagneticConstant ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; - rdfs:seeAlso quantitykind:Magnetization ; -. -quantitykind:MagneticQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Magnetic Quantum Number\" describes the specific orbital (or \"cloud\") within that subshell, and yields the projection of the orbital angular momentum along a specified axis." ; - qudt:symbol "m" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; - skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; - skos:closeMatch quantitykind:PrincipalQuantumNumber ; - skos:closeMatch quantitykind:SpinQuantumNumber ; -. -quantitykind:MagneticReluctivity - a qudt:QuantityKind ; - dcterms:description "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself."^^rdf:HTML ; - qudt:applicableUnit unit:PER-T-M ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Permeability_(electromagnetism)"^^xsd:anyURI ; - qudt:plainTextDescription "\"Length Per Unit Magnetic Flux} is the the resistance of a material to the establishment of a magnetic field in it. It is the reciprocal of \\textit{Magnetic Permeability\", the inverse of the measure of the ability of a material to support the formation of a magnetic field within itself." ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Reluctivity"@en ; - rdfs:seeAlso quantitykind:ElectromagneticPermeability ; -. -quantitykind:MagneticSusceptability - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Susceptability\" is a scalar or tensor quantity the product of which by the magnetic constant \\(\\mu_0\\) and by the magnetic field strength \\(H\\) is equal to the magnetic polarization \\(J\\). The definition given applies to an isotropic medium. For an anisotropic medium permeability is a second order tensor."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:expression "\\(\\kappa = \\frac{M}{H}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-37"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\kappa = \\frac{M}{H}\\), where \\(M\\) is magnetization, and \\(H\\) is magnetic field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\kappa\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Susceptability"@en ; - rdfs:seeAlso constant:MagneticConstant ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; - rdfs:seeAlso quantitykind:Magnetization ; -. -quantitykind:MagneticTension - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-57"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(U_m = \\int_{r_a(C)}^{r_b} \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is the position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetic Tension} is a scalar quantity equal to the line integral of the magnetic field strength \\mathbf{H\" along a specified path linking two points a and b." ; - qudt:symbol "U_m" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Tension"@en ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; -. -quantitykind:MagneticVectorPotential - a qudt:QuantityKind ; - dcterms:description "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero."^^rdf:HTML ; - qudt:applicableUnit unit:KiloWB-PER-M ; - qudt:applicableUnit unit:V-SEC-PER-M ; - qudt:applicableUnit unit:WB-PER-M ; - qudt:applicableUnit unit:WB-PER-MilliM ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-23"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(B = \\textbf{rot} A\\), where \\(B\\) is magnetic flux density."^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetic Vector Potential\" is the vector potential of the magnetic flux density. The magnetic vector potential is not unique since any irrotational vector field quantity can be added to a given magnetic vector potential without changing its rotation. Under static conditions the magnetic vector potential is often chosen so that its divergence is zero." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Keupayaan vektor magnetik"@ms ; - rdfs:label "magnetic vector potential"@en ; - rdfs:label "magnetický potenciál"@cs ; - rdfs:label "magnetisches Potenzial"@de ; - rdfs:label "manyetik potansiyeli"@tr ; - rdfs:label "potencial magnético"@es ; - rdfs:label "potencial magnético"@pt ; - rdfs:label "potencjał magnetyczny"@pl ; - rdfs:label "potentiel magnétique"@fr ; - rdfs:label "potenziale vettore magnetico"@it ; - rdfs:label "potențial magnetic"@ro ; - rdfs:label "Магнитний потенциал"@ru ; - rdfs:label "پتانسیل برداری مغناطیسی"@fa ; - rdfs:label "磁向量势"@zh ; - rdfs:seeAlso quantitykind:MagneticFluxDensity ; -. -quantitykind:Magnetization - a qudt:QuantityKind ; - dcterms:description "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-CentiM ; - qudt:applicableUnit unit:A-PER-M ; - qudt:applicableUnit unit:A-PER-MilliM ; - qudt:applicableUnit unit:KiloA-PER-M ; - qudt:applicableUnit unit:MilliA-PER-IN ; - qudt:applicableUnit unit:MilliA-PER-MilliM ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-52"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(M = dm/dV\\), where \\(m\\) is magentic moment of a substance in a domain with Volume \\(V\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Magnetization\" is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; - qudt:symbol "H_i" ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetisierung"@de ; - rdfs:label "aimantation"@fr ; - rdfs:label "magnetización"@es ; - rdfs:label "magnetization"@en ; - rdfs:label "magnetização"@pt ; - rdfs:label "magnetizzazione"@it ; - rdfs:label "magnetyzacia"@pl ; - rdfs:label "намагниченность"@ru ; - rdfs:label "مغنطة"@ar ; - rdfs:label "磁化"@ja ; - skos:broader quantitykind:LinearElectricCurrent ; -. -quantitykind:MagnetizationField - a qudt:QuantityKind ; - dcterms:description "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:plainTextDescription "The Magnetization Field is defined as the ratio of magnetic moment per unit volume. It is a vector-valued quantity." ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetization Field"@en ; - skos:broader quantitykind:ElectricCurrentPerUnitLength ; -. -quantitykind:MagnetomotiveForce - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Magnetomotive Force}\\) (\\(mmf\\)) is the ability of an electric circuit to produce magnetic flux. Just as the ability of a battery to produce electric current is called its electromotive force or emf, mmf is taken as the work required to move a unit magnet pole from any point through any path which links the electric circuit back the same point in the presence of the magnetic force produced by the electric current in the circuit. \\(\\textbf{Magnetomotive Force}\\) is the scalar line integral of the magnetic field strength along a closed path."^^qudt:LatexString ; - qudt:applicableUnit unit:A ; - qudt:applicableUnit unit:AT ; - qudt:applicableUnit unit:GI ; - qudt:applicableUnit unit:OERSTED-CentiM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Magnetomotive_force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-60"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(F_m = \\oint \\mathbf{H} \\cdot dr\\), where \\(\\mathbf{H}\\) is magnetic field strength and \\(r\\) is position vector along a given curve \\(C\\) from point \\(a\\) to point \\(b\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(F_m \\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Magnetomotive Force"@en ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; -. -quantitykind:Mass - a qudt:QuantityKind ; - dcterms:description "In physics, mass, more specifically inertial mass, can be defined as a quantitative measure of an object's resistance to acceleration. The SI unit of mass is the kilogram (\\(kg\\))"^^qudt:LatexString ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass"^^xsd:anyURI ; - qudt:symbol "m" ; - rdfs:isDefinedBy ; - rdfs:label "Hmotnost"@cs ; - rdfs:label "Jisim"@ms ; - rdfs:label "Masse"@de ; - rdfs:label "kütle"@tr ; - rdfs:label "masa"@es ; - rdfs:label "masa"@pl ; - rdfs:label "masa"@sl ; - rdfs:label "mass"@en ; - rdfs:label "massa"@it ; - rdfs:label "massa"@la ; - rdfs:label "massa"@pt ; - rdfs:label "masse"@fr ; - rdfs:label "masă"@ro ; - rdfs:label "tömeg"@hu ; - rdfs:label "Μάζα"@el ; - rdfs:label "Маса"@bg ; - rdfs:label "Масса"@ru ; - rdfs:label "מסה"@he ; - rdfs:label "جرم"@fa ; - rdfs:label "كتلة"@ar ; - rdfs:label "भार"@hi ; - rdfs:label "質量"@ja ; - rdfs:label "质量"@zh ; -. -quantitykind:MassAbsorptionCoefficient - a qudt:QuantityKind ; - dcterms:description "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/mass+absorption+coefficient"^^xsd:anyURI ; - qudt:latexDefinition "\\(a_m = \\frac{a}{\\rho}\\), where \\(a\\) is the linear absorption coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; - qudt:latexSymbol "\\(a_m\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The mass absorption coefficient is the linear absorption coefficient divided by the density of the absorber." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Absorption Coefficient"@en ; -. -quantitykind:MassAmountOfSubstance - a qudt:QuantityKind ; - qudt:applicableUnit unit:LB-MOL ; - qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mass Amount of Substance"@en ; -. -quantitykind:MassAmountOfSubstanceTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:LB-MOL-DEG_F ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mass Amount of Substance Temperature"@en ; -. -quantitykind:MassAttenuationCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-GM ; - qudt:applicableUnit unit:M2-PER-GM_DRY ; - qudt:applicableUnit unit:M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_m = \\frac{\\mu}{\\rho}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(\\rho\\) is the mass density of the medium."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_m\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per unit mass." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Attenuation Coefficient"@en ; -. -quantitykind:MassConcentration - a qudt:QuantityKind ; - dcterms:description "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-MilliL ; - qudt:applicableUnit unit:MilliGM-PER-MilliL ; - qudt:applicableUnit unit:NanoGM-PER-MilliL ; - qudt:applicableUnit unit:PicoGM-PER-MilliL ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_concentration_(chemistry)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_B = \\frac{m_B}{V}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_B\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Mass Concentration\" of substance B is defined as the mass of a constituent divided by the volume of the mixture ." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Concentration"@en ; -. -quantitykind:MassConcentrationOfWater - a qudt:QuantityKind ; - dcterms:description "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water, irrespective of the form of aggregation, and \\(V\\) is volume. Mass concentration of water at saturation is denoted \\(w_{sat}\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Concentration of Water Valour} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; - qudt:symbol "w" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Concentration of Water"@en ; -. -quantitykind:MassConcentrationOfWaterVapour - a qudt:QuantityKind ; - dcterms:description "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(w = m/V\\), where \\(m\\) is mass of water vapour and \\(V\\) is total gas volume. Mass concentration of water vapour at saturation is denoted \\(v_{sat}\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Concentration of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; - qudt:symbol "v" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Concentration of Water Vapour"@en ; -. -quantitykind:MassDefect - a qudt:QuantityKind ; - dcterms:description "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(B = Zm(^{1}\\textrm{H}) + Nm_n - m_a\\), where \\(Z\\) is the proton number of the atom, \\(m(^{1}\\textrm{H})\\) is atomic mass of \\(^{1}\\textrm{H}\\), \\(N\\) is the neutron number, \\(m_n\\) is the rest mass of the neutron, and \\(m_a\\) is the rest mass of the atom."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Mass Defect\", also termed mass deficit, or mass packing fraction, describes mass change (decrease) in bound systems, particularly atomic nuclei." ; - qudt:symbol "B" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Defect"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MassDensity - a qudt:QuantityKind ; - dcterms:description "The mass density or density of a material is its mass per unit volume."^^rdf:HTML ; - qudt:applicableUnit unit:DEGREE_BALLING ; - qudt:applicableUnit unit:DEGREE_BAUME ; - qudt:applicableUnit unit:DEGREE_BAUME_US_HEAVY ; - qudt:applicableUnit unit:DEGREE_BAUME_US_LIGHT ; - qudt:applicableUnit unit:DEGREE_BRIX ; - qudt:applicableUnit unit:DEGREE_OECHSLE ; - qudt:applicableUnit unit:DEGREE_PLATO ; - qudt:applicableUnit unit:DEGREE_TWADDELL ; - qudt:applicableUnit unit:FemtoGM-PER-L ; - qudt:applicableUnit unit:GM-PER-CentiM3 ; - qudt:applicableUnit unit:GM-PER-DeciL ; - qudt:applicableUnit unit:GM-PER-DeciM3 ; - qudt:applicableUnit unit:GM-PER-L ; - qudt:applicableUnit unit:GM-PER-M3 ; - qudt:applicableUnit unit:GM-PER-MilliL ; - qudt:applicableUnit unit:GRAIN-PER-GAL ; - qudt:applicableUnit unit:GRAIN-PER-GAL_US ; - qudt:applicableUnit unit:GRAIN-PER-M3 ; - qudt:applicableUnit unit:KiloGM-PER-CentiM3 ; - qudt:applicableUnit unit:KiloGM-PER-DeciM3 ; - qudt:applicableUnit unit:KiloGM-PER-L ; - qudt:applicableUnit unit:KiloGM-PER-M3 ; - qudt:applicableUnit unit:LB-PER-FT3 ; - qudt:applicableUnit unit:LB-PER-GAL ; - qudt:applicableUnit unit:LB-PER-GAL_UK ; - qudt:applicableUnit unit:LB-PER-GAL_US ; - qudt:applicableUnit unit:LB-PER-IN3 ; - qudt:applicableUnit unit:LB-PER-M3 ; - qudt:applicableUnit unit:LB-PER-YD3 ; - qudt:applicableUnit unit:MegaGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-DeciL ; - qudt:applicableUnit unit:MicroGM-PER-L ; - qudt:applicableUnit unit:MicroGM-PER-M3 ; - qudt:applicableUnit unit:MicroGM-PER-MilliL ; - qudt:applicableUnit unit:MilliGM-PER-DeciL ; - qudt:applicableUnit unit:MilliGM-PER-L ; - qudt:applicableUnit unit:MilliGM-PER-M3 ; - qudt:applicableUnit unit:MilliGM-PER-MilliL ; - qudt:applicableUnit unit:NanoGM-PER-DeciL ; - qudt:applicableUnit unit:NanoGM-PER-L ; - qudt:applicableUnit unit:NanoGM-PER-M3 ; - qudt:applicableUnit unit:NanoGM-PER-MicroL ; - qudt:applicableUnit unit:NanoGM-PER-MilliL ; - qudt:applicableUnit unit:OZ-PER-GAL ; - qudt:applicableUnit unit:OZ-PER-GAL_UK ; - qudt:applicableUnit unit:OZ-PER-GAL_US ; - qudt:applicableUnit unit:OZ-PER-IN3 ; - qudt:applicableUnit unit:OZ-PER-YD3 ; - qudt:applicableUnit unit:PicoGM-PER-L ; - qudt:applicableUnit unit:PicoGM-PER-MilliL ; - qudt:applicableUnit unit:PlanckDensity ; - qudt:applicableUnit unit:SLUG-PER-FT3 ; - qudt:applicableUnit unit:TONNE-PER-M3 ; - qudt:applicableUnit unit:TON_LONG-PER-YD3 ; - qudt:applicableUnit unit:TON_Metric-PER-M3 ; - qudt:applicableUnit unit:TON_SHORT-PER-YD3 ; - qudt:applicableUnit unit:TON_UK-PER-YD3 ; - qudt:applicableUnit unit:TON_US-PER-YD3 ; - qudt:exactMatch quantitykind:Density ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = \\frac{dm}{dV}\\), where \\(m\\) is mass and \\(V\\) is volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The mass density or density of a material is its mass per unit volume." ; - rdfs:isDefinedBy ; - rdfs:label " jisim isipadu"@ms ; - rdfs:label "Gostôta"@sl ; - rdfs:label "Ketumpatan jisim"@ms ; - rdfs:label "Massendichte"@de ; - rdfs:label "densidad"@es ; - rdfs:label "densidade"@pt ; - rdfs:label "densitate"@ro ; - rdfs:label "densità"@it ; - rdfs:label "densité"@fr ; - rdfs:label "gęstość"@pl ; - rdfs:label "hustota"@cs ; - rdfs:label "mass density"@en ; - rdfs:label "massa volumica"@it ; - rdfs:label "volumenbezogene Masse"@de ; - rdfs:label "volumic mass"@en ; - rdfs:label "yoğunluk"@tr ; - rdfs:label "плотность"@ru ; - rdfs:label "الكثافة"@ar ; - rdfs:label "چگالی"@fa ; - rdfs:label "घनत्व"@hi ; - rdfs:label "भार घनत्व"@hi ; - rdfs:label "密度"@ja ; - rdfs:label "密度"@zh ; -. -quantitykind:MassEnergyTransferCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:informativeReference "http://physics.nist.gov/PhysRefData/XrayMassCoef/chap3.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\frac{\\mu_{tr}}{\\rho} = -\\frac{1}{\\rho}\\frac{1}{R}\\frac{dR_{tr}}{dl}\\), where \\(dR_{tr}\\) is the mean energy that is transferred to kinetic energy of charged particles by interactions of the incident radiation \\(R\\) in traversing a distance \\(dl\\) in the material of density \\(\\rho\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\frac{\\mu_{tr}}{\\rho}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Energy Transfer Coefficient\" is that fraction of the mass attenuation coefficient which contributes to the production of kinetic energy in charged particles." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Energy Transfer Coefficient"@en ; -. -quantitykind:MassExcess - a qudt:QuantityKind ; - dcterms:description "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Delta = m_a - Am_u\\), where \\(m_a\\) is the rest mass of the atom, \\(A\\) is its nucleon number, and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Delta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Mass Excess\" of a nuclide is the difference between its actual mass and its mass number in atomic mass units. It is one of the predominant methods for tabulating nuclear mass." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Excess"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MassFlowRate - a qudt:QuantityKind ; - dcterms:description "\"Mass Flow Rate\" is a measure of Mass flux. The common symbol is \\(\\dot{m}\\) (pronounced \"m-dot\"), although sometimes \\(\\mu\\) is used. The SI units are \\(kg s-1\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:DYN-SEC-PER-CentiM ; - qudt:applicableUnit unit:GM-PER-DAY ; - qudt:applicableUnit unit:GM-PER-HR ; - qudt:applicableUnit unit:GM-PER-MIN ; - qudt:applicableUnit unit:GM-PER-SEC ; - qudt:applicableUnit unit:KiloGM-PER-DAY ; - qudt:applicableUnit unit:KiloGM-PER-HR ; - qudt:applicableUnit unit:KiloGM-PER-MIN ; - qudt:applicableUnit unit:KiloGM-PER-SEC ; - qudt:applicableUnit unit:LB-PER-DAY ; - qudt:applicableUnit unit:LB-PER-HR ; - qudt:applicableUnit unit:LB-PER-MIN ; - qudt:applicableUnit unit:LB-PER-SEC ; - qudt:applicableUnit unit:MilliGM-PER-DAY ; - qudt:applicableUnit unit:MilliGM-PER-HR ; - qudt:applicableUnit unit:MilliGM-PER-MIN ; - qudt:applicableUnit unit:MilliGM-PER-SEC ; - qudt:applicableUnit unit:OZ-PER-DAY ; - qudt:applicableUnit unit:OZ-PER-HR ; - qudt:applicableUnit unit:OZ-PER-MIN ; - qudt:applicableUnit unit:OZ-PER-SEC ; - qudt:applicableUnit unit:SLUG-PER-DAY ; - qudt:applicableUnit unit:SLUG-PER-HR ; - qudt:applicableUnit unit:SLUG-PER-MIN ; - qudt:applicableUnit unit:SLUG-PER-SEC ; - qudt:applicableUnit unit:TONNE-PER-DAY ; - qudt:applicableUnit unit:TONNE-PER-HR ; - qudt:applicableUnit unit:TONNE-PER-MIN ; - qudt:applicableUnit unit:TONNE-PER-SEC ; - qudt:applicableUnit unit:TON_Metric-PER-DAY ; - qudt:applicableUnit unit:TON_Metric-PER-HR ; - qudt:applicableUnit unit:TON_Metric-PER-MIN ; - qudt:applicableUnit unit:TON_Metric-PER-SEC ; - qudt:applicableUnit unit:TON_SHORT-PER-HR ; - qudt:applicableUnit unit:TON_UK-PER-DAY ; - qudt:applicableUnit unit:TON_US-PER-DAY ; - qudt:applicableUnit unit:TON_US-PER-HR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mass_flow_rate"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flow_rate"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(q_m = \\frac{dm}{dt}\\), where \\(m\\) is mass and \\(t\\) is time."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\dot{m}\\)"^^qudt:LatexString ; - qudt:symbol "q_m" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Flow Rate"@en ; - rdfs:seeAlso quantitykind:SpecificImpulse ; -. -quantitykind:MassFraction - a qudt:QuantityKind ; - dcterms:description "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_fraction_(chemistry)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(w_B = \\frac{m_B}{m}\\), where \\(m_B\\) is the mass of substance \\(B\\) and \\(m\\) is the total."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Mass Fraction\" is the fraction of one substance with mass to the mass of the total mixture ." ; - qudt:symbol "w_B" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Fraction"@en ; -. -quantitykind:MassFractionOfDryMatter - a qudt:QuantityKind ; - dcterms:description "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(w_d= 1 - w_{h2o}\\), where \\(w_{h2o}\\) is mass fraction of water."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Fraction of Dry Matter} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; - qudt:symbol "w_d" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Fraction of Dry Matter"@en ; - rdfs:seeAlso quantitykind:MassFractionOfWater ; -. -quantitykind:MassFractionOfWater - a qudt:QuantityKind ; - dcterms:description "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(w_{H_2o} = \\frac{u}{1+u}\\), where \\(u\\) is mass ratio of water to dry water."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Fraction of Water} is one of a number of \\textit{Concentration\" quantities defined by ISO 8000." ; - qudt:symbol "w_{H_2o}" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Fraction of Water"@en ; - rdfs:seeAlso quantitykind:MassFractionOfDryMatter ; -. -quantitykind:MassNumber - a qudt:QuantityKind ; - dcterms:description "The \"Mass Number\" (A), also called atomic mass number or nucleon number, is the total number of protons and neutrons (together known as nucleons) in an atomic nucleus. Nuclides with the same value of \\(A\\) are called isobars."^^qudt:LatexString ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(A = Z + N\\), where \\(Z\\) is the atomic number and \\(N\\) is the neutron number."^^qudt:LatexString ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Number"@en ; - skos:broader quantitykind:Count ; -. -quantitykind:MassOfElectricalPowerSupply - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_{E}" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Of Electrical Power Supply"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MassOfSolidBooster - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_{SB}" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Of Solid Booster"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MassOfTheEarth - a qudt:QuantityKind ; - dcterms:description "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:latexSymbol "\\(M_{\\oplus}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Earth mass is the unit of mass equal to that of the Earth. Earth mass is often used to describe masses of rocky terrestrial planets." ; - rdfs:isDefinedBy ; - rdfs:label "Mass Of The Earth"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MassPerArea - a qudt:QuantityKind ; - dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area. The SI derived unit is: kilogram per square metre (\\(kg \\cdot m^{-2}\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:GM-PER-CentiM2 ; - qudt:applicableUnit unit:GM-PER-M2 ; - qudt:applicableUnit unit:KiloGM-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM-PER-FT2 ; - qudt:applicableUnit unit:KiloGM-PER-HA ; - qudt:applicableUnit unit:KiloGM-PER-KiloM2 ; - qudt:applicableUnit unit:KiloGM-PER-M2 ; - qudt:applicableUnit unit:LB-PER-FT2 ; - qudt:applicableUnit unit:LB-PER-IN2 ; - qudt:applicableUnit unit:MegaGM-PER-HA ; - qudt:applicableUnit unit:MicroG-PER-CentiM2 ; - qudt:applicableUnit unit:MilliGM-PER-CentiM2 ; - qudt:applicableUnit unit:MilliGM-PER-HA ; - qudt:applicableUnit unit:MilliGM-PER-M2 ; - qudt:applicableUnit unit:OZ-PER-FT2 ; - qudt:applicableUnit unit:OZ-PER-YD2 ; - qudt:applicableUnit unit:SLUG-PER-FT2 ; - qudt:applicableUnit unit:TONNE-PER-HA ; - qudt:applicableUnit unit:TON_Metric-PER-HA ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_A = \\frac {m} {A}\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_A \\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Area"@en ; -. -quantitykind:MassPerAreaTime - a qudt:QuantityKind ; - dcterms:description "In Physics and Engineering, mass flux is the rate of mass flow per unit area. The common symbols are \\(j\\), \\(J\\), \\(\\phi\\), or \\(\\Phi\\) (Greek lower or capital Phi), sometimes with subscript \\(m\\) to indicate mass is the flowing quantity. Its SI units are \\( kg s^{-1} m^{-2}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:DYN-SEC-PER-CentiM3 ; - qudt:applicableUnit unit:GM-PER-CentiM2-YR ; - qudt:applicableUnit unit:GM-PER-M2-DAY ; - qudt:applicableUnit unit:GM_Carbon-PER-M2-DAY ; - qudt:applicableUnit unit:GM_Nitrogen-PER-M2-DAY ; - qudt:applicableUnit unit:KiloGM-PER-M2-SEC ; - qudt:applicableUnit unit:KiloGM-PER-SEC-M2 ; - qudt:applicableUnit unit:MicroGM-PER-M2-DAY ; - qudt:applicableUnit unit:MilliGM-PER-M2-DAY ; - qudt:applicableUnit unit:MilliGM-PER-M2-HR ; - qudt:applicableUnit unit:MilliGM-PER-M2-SEC ; - qudt:applicableUnit unit:TONNE-PER-HA-YR ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_flux"^^xsd:anyURI ; - qudt:latexSymbol "\\(j_m = \\lim\\limits_{A \\rightarrow 0}\\frac{I_m}{A}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Area Time"@en ; -. -quantitykind:MassPerElectricCharge - a qudt:QuantityKind ; - dcterms:description "The mass-to-charge ratio ratio (\\(m/Q\\)) is a physical quantity that is widely used in the electrodynamics of charged particles, for example, in electron optics and ion optics. The importance of the mass-to-charge ratio, according to classical electrodynamics, is that two particles with the same mass-to-charge ratio move in the same path in a vacuum when subjected to the same electric and magnetic fields. Its SI units are \\(kg/C\\), but it can also be measured in Thomson (\\(Th\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:T-SEC ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass-to-charge_ratio"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Electric Charge"@en ; -. -quantitykind:MassPerEnergy - a qudt:QuantityKind ; - dcterms:description "Mass per Energy (\\(m/E\\)) is a physical quantity that bridges mass and energy. The SI unit is \\(kg/J\\) or equivalently \\(s^2/m^2\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloGM-PER-GigaJ ; - qudt:applicableUnit unit:KiloGM-PER-J ; - qudt:applicableUnit unit:KiloGM-PER-MegaBTU_IT ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; - qudt:plainTextDescription "Mass per Energy is a physical quantity that can be used to relate the energy of a system to its mass." ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Energy"@en ; -. -quantitykind:MassPerLength - a qudt:QuantityKind ; - dcterms:description "Linear density, linear mass density or linear mass is a measure of mass per unit of length, and it is a characteristic of strings or other one-dimensional objects. The SI unit of linear density is the kilogram per metre (\\(kg/m\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:Denier ; - qudt:applicableUnit unit:GM-PER-KiloM ; - qudt:applicableUnit unit:GM-PER-M ; - qudt:applicableUnit unit:GM-PER-MilliM ; - qudt:applicableUnit unit:KiloGM-PER-M ; - qudt:applicableUnit unit:KiloGM-PER-MilliM ; - qudt:applicableUnit unit:LB-PER-FT ; - qudt:applicableUnit unit:LB-PER-IN ; - qudt:applicableUnit unit:MilliGM-PER-M ; - qudt:applicableUnit unit:SLUG-PER-FT ; - qudt:applicableUnit unit:TEX ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Linear_density"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Length"@en ; -. -quantitykind:MassPerTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:KiloGM-PER-HR ; - qudt:applicableUnit unit:KiloGM-PER-SEC ; - qudt:applicableUnit unit:LB-PER-HR ; - qudt:applicableUnit unit:LB-PER-MIN ; - qudt:applicableUnit unit:N-SEC-PER-M ; - qudt:applicableUnit unit:NanoGM-PER-DAY ; - qudt:applicableUnit unit:SLUG-PER-SEC ; - qudt:applicableUnit unit:TON_SHORT-PER-HR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mass per Time"@en ; -. -quantitykind:MassRatio - a qudt:QuantityKind ; - dcterms:description "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)"^^rdf:HTML ; - qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; - qudt:applicableUnit unit:GM-PER-GM ; - qudt:applicableUnit unit:GM-PER-KiloGM ; - qudt:applicableUnit unit:KiloGM-PER-KiloGM ; - qudt:applicableUnit unit:MicroGM-PER-GM ; - qudt:applicableUnit unit:MicroGM-PER-KiloGM ; - qudt:applicableUnit unit:MilliGM-PER-GM ; - qudt:applicableUnit unit:MilliGM-PER-KiloGM ; - qudt:applicableUnit unit:NanoGM-PER-KiloGM ; - qudt:applicableUnit unit:PicoGM-PER-GM ; - qudt:applicableUnit unit:PicoGM-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "In aerospace engineering, mass ratio is a measure of the efficiency of a rocket. It describes how much more massive the vehicle is with propellant than without; that is, it is the ratio of the rocket's wet mass (vehicle plus contents plus propellant) to its dry mass (vehicle plus contents)" ; - qudt:symbol "R or M_{R}" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Ratio"@en ; -. -quantitykind:MassRatioOfWaterToDryMatter - a qudt:QuantityKind ; - dcterms:description "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(u = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry matter. Mass ratio of water to dry matter at saturation is denoted \\(u_{sat}\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Ratio of Water to Dry Matter} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; - qudt:symbol "u" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Concentration of Water To Dry Matter"@en ; -. -quantitykind:MassRatioOfWaterVapourToDryGas - a qudt:QuantityKind ; - dcterms:description "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(x = m/m_d\\), where \\(m\\) is mass of water vapour and \\(m_d\\) is mass of dry gas. Mass ratio of water vapour to dry gas at saturation is denoted \\(x_{sat}\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Mass Ratio of Water Vapour to Dry Gas} is one of a number of \\textit{Concentration Ratio\" quantities defined by ISO 8000." ; - qudt:symbol "x" ; - rdfs:isDefinedBy ; - rdfs:label "Mass Ratio of Water Vapour to Dry Gas"@en ; -. -quantitykind:MassTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:GM-PER-DEG_C ; - qudt:applicableUnit unit:KiloGM-K ; - qudt:applicableUnit unit:LB-DEG_F ; - qudt:applicableUnit unit:LB-DEG_R ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mass Temperature"@en ; -. -quantitykind:MassicActivity - a qudt:QuantityKind ; - dcterms:description "\"Massic Activity\" is the activity divided by the total mass of the sample."^^rdf:HTML ; - qudt:applicableUnit unit:BQ-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:informativeReference "http://www.encyclo.co.uk/define/massic%20activity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Massic Activity\" is the activity divided by the total mass of the sample." ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "Massic Activity"@en ; -. -quantitykind:MassieuFunction - a qudt:QuantityKind ; - dcterms:description "The Massieu function, \\(\\Psi\\), is defined as: \\(\\Psi = \\Psi (X_1, \\dots , X_i, Y_{i+1}, \\dots , Y_r )\\), where for every system with degree of freedom \\(r\\) one may choose \\(r\\) variables, e.g. , to define a coordinate system, where \\(X\\) and \\(Y\\) are extensive and intensive variables, respectively, and where at least one extensive variable must be within this set in order to define the size of the system. The \\((r + 1)^{th}\\) variable,\\(\\Psi\\) , is then called the Massieu function."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Massieu_function"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(J = -A/T\\), where \\(A\\) is Helmholtz energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:symbol "J" ; - rdfs:isDefinedBy ; - rdfs:label "Massieu Function"@en ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; -. -quantitykind:MaxExpectedOperatingThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Maximum Expected Operating Thrust"@en ; - skos:altLabel "MEOT" ; - skos:broader quantitykind:MaxOperatingThrust ; -. -quantitykind:MaxOperatingThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Max Operating Thrust"@en ; - skos:altLabel "MOT" ; - skos:broader quantitykind:Thrust ; -. -quantitykind:MaxSeaLevelThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:comment "Max Sea Level thrust (Mlbf) " ; - rdfs:isDefinedBy ; - rdfs:label "Max Sea Level Thrust"@en ; - skos:broader quantitykind:Thrust ; -. -quantitykind:MaximumBeta-ParticleEnergy - a qudt:QuantityKind ; - dcterms:description "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Maximum Beta-Particle Energy\" is the maximum energy of the energy spectrum in a beta-particle disintegration process." ; - qudt:symbol "Eᵦ" ; - rdfs:isDefinedBy ; - rdfs:label "Maximum Beta-Particle Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:MaximumExpectedOperatingPressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Maximum Expected Operating Pressure"@en ; - skos:altLabel "MEOP" ; - skos:broader quantitykind:Pressure ; -. -quantitykind:MaximumOperatingPressure - a qudt:QuantityKind ; - qudt:abbreviation "MOP" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Maximum Operating Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:MeanEnergyImparted - a qudt:QuantityKind ; - dcterms:description "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; - qudt:latexDefinition "To the matter in a given domain, \\(\\bar{\\varepsilon} = R_{in} - R_{out} + \\sum Q\\), where \\(R_{in}\\) is the radiant energy of all those charged and uncharged ionizing particles that enter the domain, \\(R_{out}\\) is the radiant energy of all those charged and uncharged ionizing particles that leave the domain, and \\(\\sum Q\\) is the sum of all changes of the rest energy of nuclei and elementary particles that occur in that domain."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Mean Energy Imparted\", is the average energy imparted to irradiated matter." ; - qudt:symbol "ε̅" ; - rdfs:isDefinedBy ; - rdfs:label "Mean Energy Imparted"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:MeanFreePath - a qudt:QuantityKind ; - dcterms:description "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties."^^rdf:HTML ; - qudt:abbreviation "m" ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mean_free_path"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Mean Free Path\" is the average distance travelled by a moving particle (such as an atom, a molecule, a photon) between successive impacts (collisions) which modify its direction or energy or other particle properties." ; - qudt:symbol "λ" ; - rdfs:isDefinedBy ; - rdfs:label "Mean Free Path"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:MeanLifetime - a qudt:QuantityKind ; - dcterms:description "The \"Mean Lifetime\" is the average length of time that an element remains in the set of discrete elements in a decaying quantity, \\(N(t)\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Exponential_decay"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\tau = \\frac{1}{\\lambda}\\), where \\(\\lambda\\) is the decay constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Mean Lifetime"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:MeanLinearRange - a qudt:QuantityKind ; - dcterms:description "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://goldbook.iupac.org/M03782.html"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Mean Linear Range\" is, in a given material, for specified charged particles of a specified energy, the average displacement of the particles before they stop. That is, the mean totl rectified path length travelled by a particle in the course of slowing down to rest (or to some suitable cut-off energy) in a given substance under specified conditions averaged over a group of particles having the same initial energy." ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Mean Linear Range"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:MeanMassRange - a qudt:QuantityKind ; - dcterms:description "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M2 ; - qudt:applicableUnit unit:LB-PER-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:informativeReference "http://goldbook.iupac.org/M03783.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(R_\\rho = R\\rho\\), where \\(R\\) is the mean linear range and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; - qudt:latexSymbol "\\(R_\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Mean Mass Range\" is the mean linear range multiplied by the mass density of the material." ; - rdfs:isDefinedBy ; - rdfs:label "Mean Mass Range"@en ; -. -quantitykind:MechanicalEnergy - a qudt:QuantityKind ; - dcterms:description "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mechanical_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mechanical_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = T + V\\), where \\(T\\) is kinetic energy and \\(V\\) is potential energy."^^qudt:LatexString ; - qudt:plainTextDescription "Mechanical Energy is the sum of potential energy and kinetic energy. It is the energy associated with the motion and position of an object." ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Mechanical Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:MechanicalImpedance - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mechanical Impedance"@en ; -. -quantitykind:MechanicalMobility - a qudt:QuantityKind ; - qudt:applicableUnit unit:MOHM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mechanical Mobility"@en ; -. -quantitykind:MechanicalSurfaceImpedance - a qudt:QuantityKind ; - dcterms:description "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:latexDefinition "\\(Z_m = Z_a A^2\\), where \\(A\\) is the area of the surface considered and \\(Z_a\\) is the acoustic impedance."^^qudt:LatexString ; - qudt:plainTextDescription "Mechanical surface impedance at a surface, is the complex quotient of the total force on the surface by the component of the average sound particle velocity at the surface in the direction of the force" ; - qudt:symbol "Z" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:comment "There are various interpretations of MechanicalSurfaceImpedance: Pressure/Velocity - https://apps.dtic.mil/sti/pdfs/ADA315595.pdf, Force / Speed - https://www.wikidata.org/wiki/Q6421317, and (Pressure / Velocity)**0.5 - https://www.sciencedirect.com/topics/engineering/mechanical-impedance. We are seeking a resolution to these differences." ; - rdfs:isDefinedBy ; - rdfs:label "Mechanical surface impedance"@en ; -. -quantitykind:MeltingPoint - a qudt:QuantityKind ; - dcterms:description "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:plainTextDescription "A temperature that is the one at which a substance will change its physical state from a solid to a liquid. It is also the temperature where the solid and liquid forms of a pure substance can exist in equilibrium." ; - rdfs:isDefinedBy ; - rdfs:label "Melting Point Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:MicroCanonicalPartitionFunction - a qudt:QuantityKind ; - dcterms:description "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Microcanonical_ensemble"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Partition_function_(statistical_mechanics)#Grand_canonical_partition_function"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Omega = \\sum_r 1\\), where the sum is over all quantum states consistent with given energy. volume, external fields, and content."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Omega\\)"^^qudt:LatexString ; - qudt:plainTextDescription "A \"Micro Canonical Partition Function\" applies to a micro canonical ensemble, in which the system is allowed to exchange heat with the environment at fixed temperature, volume, and a fixed number of particles." ; - rdfs:isDefinedBy ; - rdfs:label "Micro Canonical Partition Function"@en ; - skos:broader quantitykind:CanonicalPartitionFunction ; -. -quantitykind:MicrobialFormation - a qudt:QuantityKind ; - qudt:applicableUnit unit:CFU ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Microbial Formation"@en ; -. -quantitykind:MigrationArea - a qudt:QuantityKind ; - dcterms:description "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Migration Area\" is the sum of the slowing-down area from fission energy to thermal energy and the diffusion area for thermal neutrons." ; - qudt:symbol "M^2" ; - rdfs:isDefinedBy ; - rdfs:label "Migration Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:MigrationLength - a qudt:QuantityKind ; - dcterms:description "\"Migration Length\" is the square root of the migration area."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/migration+area"^^xsd:anyURI ; - qudt:latexDefinition "\\(M = \\sqrt{M^2}\\), where \\(M^2\\) is the migration area."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Migration Length\" is the square root of the migration area." ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Migration Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Mobility - a qudt:QuantityKind ; - dcterms:description "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-V-SEC ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_mobility"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Mobility\" characterizes how quickly a particle can move through a metal or semiconductor, when pulled by an electric field. The average drift speed imparted to a charged particle in a medium by an electric field, divided by the electric field strength." ; - rdfs:isDefinedBy ; - rdfs:label "Beweglichkeit"@de ; - rdfs:label "Mobilität"@de ; - rdfs:label "mobilidade"@pt ; - rdfs:label "mobility"@en ; - rdfs:label "mobilità"@it ; - rdfs:label "mobilité"@fr ; - rdfs:label "mobilność"@pl ; - rdfs:label "movilidad"@es ; - rdfs:label "قابلية التحرك"@ar ; - rdfs:label "移動度"@ja ; - rdfs:label "迁移率"@zh ; -. -quantitykind:MobilityRatio - a qudt:QuantityKind ; - dcterms:description "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://baervan.nmt.edu/research_groups/reservoir_sweep_improvement/pages/clean_up/mobility.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(b = \\frac{\\mu_n}{\\mu_p}\\), where \\(\\mu_n\\) and \\(\\mu_p\\) are mobilities for electrons and holes, respectively."^^qudt:LatexString ; - qudt:plainTextDescription "\"MobilityRatio\" describes permeability of a porous material to a given phase divided by the viscosity of that phase." ; - qudt:symbol "b" ; - rdfs:isDefinedBy ; - rdfs:label "Mobility Ratio"@en ; -. -quantitykind:ModulusOfAdmittance - a qudt:QuantityKind ; - dcterms:description "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Admittance"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-51"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(Y = \\left | \\underline{Y} \\right |\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Modulus Of Admittance\" is the absolute value of the quantity \"admittance\"." ; - qudt:symbol "Y" ; - rdfs:isDefinedBy ; - rdfs:label "Modulus Of Admittance"@en ; - rdfs:seeAlso quantitykind:Admittance ; -. -quantitykind:ModulusOfElasticity - a qudt:QuantityKind ; - dcterms:description "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it."^^rdf:HTML ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Elastic_modulus"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = \\frac{\\sigma}{\\varepsilon}\\), where \\(\\sigma\\) is the normal stress and \\(\\varepsilon\\) is the linear strain."^^qudt:LatexString ; - qudt:plainTextDescription "The Modulus of Elasticity is the mathematical description of an object or substance's tendency to be deformed elastically (that is, non-permanently) when a force is applied to it." ; - qudt:symbol "E" ; - rdfs:isDefinedBy ; - rdfs:label "Modulus of Elasticity"@en ; -. -quantitykind:ModulusOfImpedance - a qudt:QuantityKind ; - dcterms:description """\"Modulus Of Impedance} is the absolute value of the quantity \\textit{impedance\". Apparent impedance is defined more generally as - -the quotient of rms voltage and rms electric current; it is often denoted by \\(Z\\)."""^^qudt:LatexString ; - qudt:applicableUnit unit:OHM ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_value"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_impedance"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z = \\left | \\underline{Z} \\right |\\), where \\(\\underline{Z}\\) is impedance."^^qudt:LatexString ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Modulus Of Impedance"@en ; - rdfs:seeAlso quantitykind:Impedance ; -. -quantitykind:ModulusOfLinearSubgradeReaction - a qudt:QuantityKind ; - dcterms:description "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2"^^rdf:HTML ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusoflinearsubgradereactionmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Modulus of Linear Subgrade Reaction is a measure for modulus of linear subgrade reaction, which expresses the elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in N/m^2" ; - rdfs:isDefinedBy ; - rdfs:label "Modulus of Linear Subgrade Reaction"@en ; - skos:broader quantitykind:ForcePerArea ; -. -quantitykind:ModulusOfRotationalSubgradeReaction - a qudt:QuantityKind ; - dcterms:description "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)."^^rdf:HTML ; - qudt:applicableUnit unit:N-M-PER-M-RAD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofrotationalsubgradereactionmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Modulus of Rotational Subgrade Reaction is a measure for modulus of rotational subgrade reaction, which expresses the rotational elastic bedding of a linear structural element per length, such as for a beam. It is typically measured in Nm/(m*rad)." ; - rdfs:isDefinedBy ; - rdfs:label "Modulus of Rotational Subgrade Reaction"@en ; - skos:broader quantitykind:ForcePerAngle ; -. -quantitykind:ModulusOfSubgradeReaction - a qudt:QuantityKind ; - dcterms:description "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3."^^rdf:HTML ; - qudt:applicableUnit unit:N-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/link/ifcmodulusofsubgradereactionmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Modulus of Subgrade Reaction is a geotechnical measure describing interaction between foundation structures and the soil. May also be known as bedding measure. Usually measured in N/m3." ; - rdfs:isDefinedBy ; - rdfs:label "Modulus of Subgrade Reaction"@en ; -. -quantitykind:MoistureDiffusivity - a qudt:QuantityKind ; - qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; - qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; - qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; - qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; - qudt:applicableUnit unit:BBL_US-PER-DAY ; - qudt:applicableUnit unit:BBL_US-PER-MIN ; - qudt:applicableUnit unit:BBL_US_PET-PER-HR ; - qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; - qudt:applicableUnit unit:BU_UK-PER-DAY ; - qudt:applicableUnit unit:BU_UK-PER-HR ; - qudt:applicableUnit unit:BU_UK-PER-MIN ; - qudt:applicableUnit unit:BU_UK-PER-SEC ; - qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; - qudt:applicableUnit unit:BU_US_DRY-PER-HR ; - qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; - qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; - qudt:applicableUnit unit:CentiM3-PER-DAY ; - qudt:applicableUnit unit:CentiM3-PER-HR ; - qudt:applicableUnit unit:CentiM3-PER-MIN ; - qudt:applicableUnit unit:CentiM3-PER-SEC ; - qudt:applicableUnit unit:DeciM3-PER-DAY ; - qudt:applicableUnit unit:DeciM3-PER-HR ; - qudt:applicableUnit unit:DeciM3-PER-MIN ; - qudt:applicableUnit unit:DeciM3-PER-SEC ; - qudt:applicableUnit unit:FT3-PER-DAY ; - qudt:applicableUnit unit:FT3-PER-HR ; - qudt:applicableUnit unit:FT3-PER-MIN ; - qudt:applicableUnit unit:FT3-PER-SEC ; - qudt:applicableUnit unit:GAL_UK-PER-DAY ; - qudt:applicableUnit unit:GAL_UK-PER-HR ; - qudt:applicableUnit unit:GAL_UK-PER-MIN ; - qudt:applicableUnit unit:GAL_UK-PER-SEC ; - qudt:applicableUnit unit:GAL_US-PER-DAY ; - qudt:applicableUnit unit:GAL_US-PER-HR ; - qudt:applicableUnit unit:GAL_US-PER-MIN ; - qudt:applicableUnit unit:GAL_US-PER-SEC ; - qudt:applicableUnit unit:GI_UK-PER-DAY ; - qudt:applicableUnit unit:GI_UK-PER-HR ; - qudt:applicableUnit unit:GI_UK-PER-MIN ; - qudt:applicableUnit unit:GI_UK-PER-SEC ; - qudt:applicableUnit unit:GI_US-PER-DAY ; - qudt:applicableUnit unit:GI_US-PER-HR ; - qudt:applicableUnit unit:GI_US-PER-MIN ; - qudt:applicableUnit unit:GI_US-PER-SEC ; - qudt:applicableUnit unit:IN3-PER-HR ; - qudt:applicableUnit unit:IN3-PER-MIN ; - qudt:applicableUnit unit:IN3-PER-SEC ; - qudt:applicableUnit unit:KiloL-PER-HR ; - qudt:applicableUnit unit:L-PER-DAY ; - qudt:applicableUnit unit:L-PER-HR ; - qudt:applicableUnit unit:L-PER-MIN ; - qudt:applicableUnit unit:L-PER-SEC ; - qudt:applicableUnit unit:M3-PER-DAY ; - qudt:applicableUnit unit:M3-PER-HR ; - qudt:applicableUnit unit:M3-PER-MIN ; - qudt:applicableUnit unit:M3-PER-SEC ; - qudt:applicableUnit unit:MilliL-PER-DAY ; - qudt:applicableUnit unit:MilliL-PER-HR ; - qudt:applicableUnit unit:MilliL-PER-MIN ; - qudt:applicableUnit unit:MilliL-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; - qudt:applicableUnit unit:PINT_UK-PER-DAY ; - qudt:applicableUnit unit:PINT_UK-PER-HR ; - qudt:applicableUnit unit:PINT_UK-PER-MIN ; - qudt:applicableUnit unit:PINT_UK-PER-SEC ; - qudt:applicableUnit unit:PINT_US-PER-DAY ; - qudt:applicableUnit unit:PINT_US-PER-HR ; - qudt:applicableUnit unit:PINT_US-PER-MIN ; - qudt:applicableUnit unit:PINT_US-PER-SEC ; - qudt:applicableUnit unit:PK_UK-PER-DAY ; - qudt:applicableUnit unit:PK_UK-PER-HR ; - qudt:applicableUnit unit:PK_UK-PER-MIN ; - qudt:applicableUnit unit:PK_UK-PER-SEC ; - qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; - qudt:applicableUnit unit:PK_US_DRY-PER-HR ; - qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; - qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; - qudt:applicableUnit unit:QT_UK-PER-DAY ; - qudt:applicableUnit unit:QT_UK-PER-HR ; - qudt:applicableUnit unit:QT_UK-PER-MIN ; - qudt:applicableUnit unit:QT_UK-PER-SEC ; - qudt:applicableUnit unit:QT_US-PER-DAY ; - qudt:applicableUnit unit:QT_US-PER-HR ; - qudt:applicableUnit unit:QT_US-PER-MIN ; - qudt:applicableUnit unit:QT_US-PER-SEC ; - qudt:applicableUnit unit:YD3-PER-DAY ; - qudt:applicableUnit unit:YD3-PER-HR ; - qudt:applicableUnit unit:YD3-PER-MIN ; - qudt:applicableUnit unit:YD3-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:symbol "q_V" ; - rdfs:isDefinedBy ; - rdfs:label "Moisture Diffusivity"@en ; - skos:broader quantitykind:VolumeFlowRate ; -. -quantitykind:MolalityOfSolute - a qudt:QuantityKind ; - dcterms:description "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent."^^rdf:HTML ; - qudt:applicableUnit unit:CentiMOL-PER-KiloGM ; - qudt:applicableUnit unit:KiloMOL-PER-KiloGM ; - qudt:applicableUnit unit:MOL-PER-KiloGM ; - qudt:applicableUnit unit:MicroMOL-PER-GM ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molality"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(b_B = \\frac{n_B}{m_a}\\), where \\(n_B\\) is the amount of substance and \\(m_A\\) is the mass."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Molality of Solute\" of a solution is defined as the amount of substance of solute divided by the mass in kg of the solvent." ; - qudt:symbol "b_B" ; - rdfs:isDefinedBy ; - rdfs:label "Molality of Solute"@en ; - skos:broader quantitykind:AmountOfSubstancePerUnitMass ; -. -quantitykind:MolarAbsorptionCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-MOL ; - qudt:exactMatch quantitykind:MolarAttenuationCoefficient ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://medical-dictionary.thefreedictionary.com/molar+absorption+coefficient"^^xsd:anyURI ; - qudt:latexDefinition "\\(x = aV_m\\), where \\(a\\) is the linear absorption coefficient and \\(V_m\\) is the molar volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Molar Absorption Coefficient\" is a spectrophotometric unit indicating the light a substance absorbs with respect to length, usually centimeters, and concentration, usually moles per liter." ; - qudt:symbol "x" ; - rdfs:isDefinedBy ; - rdfs:label "Molar Absorption Coefficient"@en ; -. -quantitykind:MolarAngularMomentum - a qudt:QuantityKind ; - qudt:applicableUnit unit:J-SEC-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://cvika.grimoar.cz/callen/callen_21.pdf"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Molar Angular Momentum"@en ; -. -quantitykind:MolarAttenuationCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-MOL ; - qudt:exactMatch quantitykind:MolarAbsorptionCoefficient ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_attenuation_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu_c = -\\frac{\\mu}{c}\\), where \\(\\mu\\) is the linear attenuation coefficient and \\(c\\) is the amount-of-substance concentration."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu_c\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Molar Attenuation Coefficient\" is a measurement of how strongly a chemical species or substance absorbs or scatters light at a given wavelength, per amount of substance." ; - rdfs:isDefinedBy ; - rdfs:label "Molar Attenuation Coefficient"@en ; - skos:closeMatch quantitykind:MassAttenuationCoefficient ; -. -quantitykind:MolarConductivity - a qudt:QuantityKind ; - dcterms:description "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution."^^rdf:HTML ; - qudt:applicableUnit unit:S-M2-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_conductivity"^^xsd:anyURI ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/molar+conductivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Gamma_m = \\frac{x}{c_B}\\), where \\(x\\) is the electrolytic conductivity and \\(c_B\\) is the amount-of-substance concentration."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Gamma_m\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Molar Conductivity\" is the conductivity of an electrolyte solution divided by the molar concentration of the electrolyte, and so measures the efficiency with which a given electrolyte conducts electricity in solution." ; - rdfs:isDefinedBy ; - rdfs:label "Molar Conductivity"@en ; -. -quantitykind:MolarEnergy - a qudt:QuantityKind ; - dcterms:description "\"Molar Energy\" is the total energy contained by a thermodynamic system. The unit is \\(J/mol\\), also expressed as \\(joule/mole\\), or \\(joules per mole\\). This unit is commonly used in the SI unit system. The quantity has the dimension of \\(M \\cdot L^2 \\cdot T^{-2} \\cdot N^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, \\(T\\) is time, and \\(N\\) is amount of substance."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-MOL ; - qudt:applicableUnit unit:KiloCAL-PER-MOL ; - qudt:applicableUnit unit:KiloJ-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units-molar_energy-joule_per_mole.cfm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(U_m = \\frac{U}{n}\\), where \\(U\\) is internal energy and \\(n\\) is amount of substance."^^qudt:LatexString ; - qudt:symbol "U_M" ; - vaem:todo "dimensions are wrong" ; - rdfs:isDefinedBy ; - rdfs:label "Molar Energy"@en ; -. -quantitykind:MolarEntropy - a qudt:QuantityKind ; - dcterms:description "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-MOL-K ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_molar_entropy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(S_m = \\frac{S}{n}\\), where \\(S\\) is entropy and \\(n\\) is amount of substance."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Standard Molar Entropy\" is the entropy content of one mole of substance, under standard conditions (not standard temperature and pressure STP)." ; - qudt:symbol "S_m" ; - rdfs:isDefinedBy ; - rdfs:label "Molar Entropy"@en ; -. -quantitykind:MolarFlowRate - a qudt:QuantityKind ; - dcterms:description "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow."^^rdf:HTML ; - qudt:applicableUnit unit:KiloMOL-PER-MIN ; - qudt:applicableUnit unit:KiloMOL-PER-SEC ; - qudt:applicableUnit unit:MOL-PER-HR ; - qudt:applicableUnit unit:MOL-PER-MIN ; - qudt:applicableUnit unit:MOL-PER-SEC ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://www.sciencedirect.com/topics/engineering/molar-flow-rate"^^xsd:anyURI ; - qudt:plainTextDescription "Molar Flow Rate is a measure of the amount of substance (the number of molecules) that passes through a given area perpendicular to the flow in a given time. Typically this area is constrained, for example a section through a pipe, but it could also apply to an open flow." ; - qudt:symbol "q_V" ; - rdfs:isDefinedBy ; - rdfs:label "Molar Flow Rate"@en ; -. -quantitykind:MolarHeatCapacity - a qudt:QuantityKind ; - dcterms:description "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-MOL-DEG_F ; - qudt:applicableUnit unit:J-PER-MOL-K ; - qudt:applicableUnit unit:KiloCAL-PER-MOL-DEG_C ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; - qudt:informativeReference "http://chemistry.about.com/od/chemistryglossary/g/Molar-Heat-Capacity-Definition.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(C_m = \\frac{C}{n}\\), where \\(C\\) is heat capacity and \\(n\\) is amount of substance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Molar Heat Capacity\" is the amount of heat energy required to raise the temperature of 1 mole of a substance. In SI units, molar heat capacity (symbol: cn) is the amount of heat in joules required to raise 1 mole of a substance 1 Kelvin." ; - qudt:symbol "C_m" ; - qudt:symbol "cn" ; - rdfs:isDefinedBy ; - rdfs:label "Molar Heat Capacity"@en ; -. -quantitykind:MolarMass - a qudt:QuantityKind ; - dcterms:description "In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:GM-PER-MOL ; - qudt:applicableUnit unit:KiloGM-PER-KiloMOL ; - qudt:applicableUnit unit:KiloGM-PER-MOL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_mass"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Jisim molar"@ms ; - rdfs:label "Masa molowa"@pl ; - rdfs:label "Masă molară"@ro ; - rdfs:label "Molmasse"@de ; - rdfs:label "Molární hmotnost"@cs ; - rdfs:label "masa molar"@es ; - rdfs:label "massa molar"@pt ; - rdfs:label "massa molare"@it ; - rdfs:label "masse molaire"@fr ; - rdfs:label "molar kütle"@tr ; - rdfs:label "molar mass"@en ; - rdfs:label "molare Masse"@de ; - rdfs:label "molska masa"@sl ; - rdfs:label "stoffmengenbezogene Masse"@de ; - rdfs:label "Молярная масса"@ru ; - rdfs:label "جرم مولی"@fa ; - rdfs:label "كتلة مولية"@ar ; - rdfs:label "मोलर द्रव्यमान"@hi ; - rdfs:label "モル質量"@ja ; - rdfs:label "摩尔质量"@zh ; -. -quantitykind:MolarOpticalRotatoryPower - a qudt:QuantityKind ; - dcterms:description "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power."^^rdf:HTML ; - qudt:applicableUnit unit:RAD-M2-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_n = \\alpha \\frac{A}{n}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(n\\) is the amount of substance of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_n\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Molar Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the amount concentration giving the molar optical rotatory power." ; - rdfs:isDefinedBy ; - rdfs:label "Molar Optical Rotatory Power"@en ; -. -quantitykind:MolarRefractivity - a qudt:QuantityKind ; - dcterms:description "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM3-PER-MOL ; - qudt:applicableUnit unit:DeciM3-PER-MOL ; - qudt:applicableUnit unit:L-PER-MOL ; - qudt:applicableUnit unit:L-PER-MicroMOL ; - qudt:applicableUnit unit:M3-PER-MOL ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:plainTextDescription "A quantity kind that is a measure of the total polarizability of a mole of substance that depends on the temperature, the index of refraction and the pressure." ; - rdfs:isDefinedBy ; - rdfs:label "Molar Refractivity"@en ; -. -quantitykind:MolarVolume - a qudt:QuantityKind ; - dcterms:description "The molar volume, symbol \\(V_m\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (\\(M\\)) divided by the mass density (\\(\\rho\\)). It has the SI unit cubic metres per mole (\\(m^{1}/mol\\)). For ideal gases, the molar volume is given by the ideal gas equation: this is a good approximation for many common gases at standard temperature and pressure. For crystalline solids, the molar volume can be measured by X-ray crystallography."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiM3-PER-MOL ; - qudt:applicableUnit unit:DeciM3-PER-MOL ; - qudt:applicableUnit unit:L-PER-MOL ; - qudt:applicableUnit unit:L-PER-MicroMOL ; - qudt:applicableUnit unit:M3-PER-MOL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Molar_volume"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_volume"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(V_m = \\frac{V}{n}\\), where \\(V\\) is volume and \\(n\\) is amount of substance."^^qudt:LatexString ; - qudt:symbol "V_m" ; - rdfs:isDefinedBy ; - rdfs:label "Isipadu molar"@ms ; - rdfs:label "Molvolumen"@de ; - rdfs:label "molar hacim"@tr ; - rdfs:label "molar volume"@en ; - rdfs:label "molares Volumen"@de ; - rdfs:label "molski volumen"@sl ; - rdfs:label "molární objem"@cs ; - rdfs:label "stoffmengenbezogenes Volumen"@de ; - rdfs:label "volum molar"@ro ; - rdfs:label "volume molaire"@fr ; - rdfs:label "volume molar"@pl ; - rdfs:label "volume molar"@pt ; - rdfs:label "volume molare"@it ; - rdfs:label "volumen molar"@es ; - rdfs:label "Молярный объём"@ru ; - rdfs:label "حجم مولي"@ar ; - rdfs:label "حجم مولی"@fa ; - rdfs:label "モル体積"@ja ; - rdfs:label "摩尔体积"@zh ; -. -quantitykind:MoleFraction - a qudt:QuantityKind ; - dcterms:description "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_fraction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "In chemistry, the mole fraction of a component in a mixture is the relative proportion of molecules belonging to the component to those in the mixture, by number of molecules. It is one way of measuring concentration." ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Mole Fraction"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:MolecularConcentration - a qudt:QuantityKind ; - dcterms:description "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture "^^rdf:HTML ; - qudt:abbreviation "m^{-3}" ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molar_concentration"^^xsd:anyURI ; - qudt:latexDefinition "\\(C_B = \\frac{N_B}{V}\\), where \\(N_B\\) is the number of molecules of \\(B\\) and \\(V\\) is the volume."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Molecular Concentration\" of substance B is defined as the number of molecules of B divided by the volume of the mixture " ; - qudt:symbol "C_B" ; - rdfs:isDefinedBy ; - rdfs:label "Molecular Concentration"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:MolecularMass - a qudt:QuantityKind ; - dcterms:description "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance."^^rdf:HTML ; - qudt:applicableUnit unit:Da ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Molecular_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The molecular mass, or molecular weight of a chemical compound is the mass of one molecule of that compound, relative to the unified atomic mass unit, u. Molecular mass should not be confused with molar mass, which is the mass of one mole of a substance." ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Molecular Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:MolecularViscosity - a qudt:QuantityKind ; - dcterms:description "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:informativeReference "http://oceanworld.tamu.edu/resources/ocng_textbook/chapter08/chapter08_01.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Molecules in a fluid close to a solid boundary sometime strike the boundary and transfer momentum to it. Molecules further from the boundary collide with molecules that have struck the boundary, further transferring the change in momentum into the interior of the fluid. This transfer of momentum is molecular viscosity. Molecules, however, travel only micrometers between collisions, and the process is very inefficient for transferring momentum even a few centimeters. Molecular viscosity is important only within a few millimeters of a boundary. The coefficient of molecular viscosity has the same value as the dynamic viscosity." ; - rdfs:isDefinedBy ; - rdfs:label "Molecular Viscosity"@en ; - rdfs:seeAlso quantitykind:DynamicViscosity ; - rdfs:seeAlso quantitykind:KinematicViscosity ; -. -quantitykind:MomentOfForce - a qudt:QuantityKind ; - dcterms:description "Moment of force (often just moment) is the tendency of a force to twist or rotate an object."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN-M ; - qudt:applicableUnit unit:DYN-CentiM ; - qudt:applicableUnit unit:DeciN-M ; - qudt:applicableUnit unit:KiloGM_F-M ; - qudt:applicableUnit unit:KiloN-M ; - qudt:applicableUnit unit:LB_F-FT ; - qudt:applicableUnit unit:LB_F-IN ; - qudt:applicableUnit unit:MegaN-M ; - qudt:applicableUnit unit:MicroN-M ; - qudt:applicableUnit unit:MilliN-M ; - qudt:applicableUnit unit:N-CentiM ; - qudt:applicableUnit unit:N-M ; - qudt:applicableUnit unit:OZ_F-IN ; - qudt:exactMatch quantitykind:Torque ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(M = r \\cdot F\\), where \\(r\\) is the position vector and \\(F\\) is the force."^^qudt:LatexString ; - qudt:plainTextDescription "Moment of force (often just moment) is the tendency of a force to twist or rotate an object." ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Moment of Force"@en ; -. -quantitykind:MomentOfInertia - a qudt:QuantityKind ; - dcterms:description "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:exactMatch quantitykind:RotationalMass ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Moment_of_inertia"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(I_Q = \\int r^2_Q dm\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(m\\) is mass."^^qudt:LatexString ; - qudt:plainTextDescription "The rotational inertia or resistance to change in direction or speed of rotation about a defined axis." ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Eylemsizlik momenti"@tr ; - rdfs:label "Massenträgheitsmoment"@de ; - rdfs:label "Momen inersia"@ms ; - rdfs:label "Moment bezwładności"@pl ; - rdfs:label "Moment de inerție"@ro ; - rdfs:label "Moment setrvačnosti"@cs ; - rdfs:label "moment d'inertie"@fr ; - rdfs:label "moment of inertia"@en ; - rdfs:label "momento de inercia"@es ; - rdfs:label "momento de inércia"@pt ; - rdfs:label "momento di inerzia"@it ; - rdfs:label "Момент инерции"@ru ; - rdfs:label "عزم القصور الذاتي"@ar ; - rdfs:label "گشتاور لختی"@fa ; - rdfs:label "जड़त्वाघूर्ण"@hi ; - rdfs:label "慣性モーメント"@ja ; - rdfs:label "轉動慣量"@zh ; - skos:altLabel "MOI" ; -. -quantitykind:Momentum - a qudt:QuantityKind ; - dcterms:description "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-M-PER-SEC ; - qudt:applicableUnit unit:MegaEV-PER-SpeedOfLight ; - qudt:applicableUnit unit:N-M-SEC-PER-M ; - qudt:applicableUnit unit:N-SEC ; - qudt:applicableUnit unit:PlanckMomentum ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Momentum"^^xsd:anyURI ; - qudt:exactMatch quantitykind:LinearMomentum ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Momentum"^^xsd:anyURI ; - qudt:plainTextDescription "The momentum of a system of particles is given by the sum of the momentums of the individual particles which make up the system or by the product of the total mass of the system and the velocity of the center of gravity of the system. The momentum of a continuous medium is given by the integral of the velocity over the mass of the medium or by the product of the total mass of the medium and the velocity of the center of gravity of the medium." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Impuls"@de ; - rdfs:label "Momentum"@ms ; - rdfs:label "Momentum"@tr ; - rdfs:label "cantidad de movimiento"@es ; - rdfs:label "gibalna količina"@sl ; - rdfs:label "hybnost"@cs ; - rdfs:label "impuls"@ro ; - rdfs:label "momento linear"@pt ; - rdfs:label "momentum"@en ; - rdfs:label "pęd"@pl ; - rdfs:label "quantità di moto"@it ; - rdfs:label "quantité de mouvement"@fr ; - rdfs:label "импульс"@ru ; - rdfs:label "تکانه"@fa ; - rdfs:label "زخم الحركة"@ar ; - rdfs:label "动量"@zh ; - rdfs:label "運動量"@ja ; -. -quantitykind:MomentumPerAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-SEC-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Momentum per Angle"@en ; -. -quantitykind:MorbidityRate - a qudt:QuantityKind ; - dcterms:description "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; - qudt:applicableUnit unit:CASES-PER-KiloINDIV-YR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:plainTextDescription "Morbidity rate is a measure of the incidence of a disease in a particular population, scaled to the size of that population, per unit of time." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Morbidity Rate"@en ; - skos:broader quantitykind:Incidence ; -. -quantitykind:MortalityRate - a qudt:QuantityKind ; - dcterms:description "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time."^^rdf:HTML ; - qudt:applicableUnit unit:DEATHS-PER-KiloINDIV-YR ; - qudt:applicableUnit unit:DEATHS-PER-MegaINDIV-YR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; - qudt:plainTextDescription "Mortality rate, or death rate, is a measure of the number of deaths (in general, or due to a specific cause) in a particular population, scaled to the size of that population, per unit of time." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Mortality Rate"@en ; - skos:broader quantitykind:Incidence ; -. -quantitykind:MultiplicationFactor - a qudt:QuantityKind ; - dcterms:description "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_multiplication_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Multiplication Factor\" is the ratio of the total number of fission or fission-dependent neutrons produced in a time interval to the total number of neutrons lost by absorption and leakage during the same interval." ; - qudt:symbol "k" ; - rdfs:isDefinedBy ; - rdfs:label "Multiplication Factor"@en ; -. -quantitykind:MutualInductance - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Mutual Inductance}\\) is the non-diagonal term of the inductance matrix. For two loops, the symbol \\(M\\) is used for \\(L_{12}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:H ; - qudt:applicableUnit unit:H_Ab ; - qudt:applicableUnit unit:H_Stat ; - qudt:applicableUnit unit:MicroH ; - qudt:applicableUnit unit:MilliH ; - qudt:applicableUnit unit:NanoH ; - qudt:applicableUnit unit:PicoH ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-36"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(L_{mn} = \\frac{\\Psi_m}{I_n}\\), where \\(I_n\\) is an electric current in a thin conducting loop \\(n\\) and \\(\\Psi_m\\) is the linked flux caused by that electric current in another loop \\(m\\)."^^qudt:LatexString ; - qudt:symbol "L_{mn}" ; - rdfs:isDefinedBy ; - rdfs:label "Mutual Inductance"@en ; - rdfs:seeAlso quantitykind:Inductance ; - skos:broader quantitykind:Inductance ; -. -quantitykind:NOMINAL-ASCENT-PROPELLANT-MASS - a qudt:QuantityKind ; - dcterms:description "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://elib.dlr.de/68314/1/IAF10-D2.3.1.pdf"^^xsd:anyURI ; - qudt:plainTextDescription "The amount of propellant mass within a stage that is available for impulse for use in nominal payload performance prediction. This mass excludes loaded propellant that has been set aside for off- nominal performance behavior (FPR and fuel bias)." ; - rdfs:isDefinedBy ; - rdfs:label "Nominal Ascent Propellant Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:NapierianAbsorbance - a qudt:QuantityKind ; - dcterms:description "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://eilv.cie.co.at/term/798"^^xsd:anyURI ; - qudt:latexDefinition "\\(A_e(\\lambda) = -ln(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Napierian Absorbance is the natural (Napierian) logarithm of the reciprocal of the spectral internal transmittance." ; - qudt:symbol "A_e, B" ; - rdfs:isDefinedBy ; - rdfs:label "Napierian Absorbance"@en ; -. -quantitykind:NeelTemperature - a qudt:QuantityKind ; - dcterms:description "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Néel_temperature"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Neel Temperature\" is the critical thermodynamic temperature of an antiferromagnet." ; - qudt:symbol "T_C" ; - rdfs:isDefinedBy ; - rdfs:label "Neel Temperature"@en ; - skos:broader quantitykind:Temperature ; - skos:closeMatch quantitykind:CurieTemperature ; - skos:closeMatch quantitykind:SuperconductionTransitionTemperature ; -. -quantitykind:NeutronDiffusionCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Diffusion Coefficient\" is "^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/Diffusion+of+Neutrons"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(D_n = -\\frac{J_x}{\\frac{\\partial dn}{\\partial dx}}\\), where \\(J_x\\) is the \\(x-component\\) of the particle current and \\(n\\) is the particle number density."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Diffusion Coefficient\" is " ; - qudt:symbol "D" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusionskoeffizient"@de ; - rdfs:label "coefficient de diffusion"@fr ; - rdfs:label "coefficiente di diffusione"@it ; - rdfs:label "coeficiente de difusión"@es ; - rdfs:label "coeficiente de difusão"@pt ; - rdfs:label "diffusion coefficient"@en ; - rdfs:label "difuzijski koeficient"@sl ; -. -quantitykind:NeutronDiffusionLength - a qudt:QuantityKind ; - dcterms:description "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e"^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "The neutron diffusion length is equivalent to the relaxation length, that is, to the distance, in which the neutron flux decreases by a factor e" ; - qudt:symbol "L_{r}" ; - rdfs:isDefinedBy ; - rdfs:label "Neutron Diffusion Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:NeutronNumber - a qudt:QuantityKind ; - dcterms:description "\"Neutron Number\", symbol \\(N\\), is the number of neutrons in a nuclide. Nuclides with the same value of \\(N\\) but different values of \\(Z\\) are called isotones. \\(N - Z\\) is called the neutron excess number."^^qudt:LatexString ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Neutron_number"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "N" ; - rdfs:isDefinedBy ; - rdfs:label "Neutronenzahl"@de ; - rdfs:label "Neutronové číslo"@cs ; - rdfs:label "Nombor neutron"@ms ; - rdfs:label "Nombre de neutrons"@fr ; - rdfs:label "liczba neutronowa"@pl ; - rdfs:label "neutron number"@en ; - rdfs:label "numero neutronico"@it ; - rdfs:label "nötron snumarası"@tr ; - rdfs:label "número de neutrons"@pt ; - rdfs:label "número neutrónico"@es ; - rdfs:label "число нейтронов"@ru ; - rdfs:label "عدد النيوترونات"@ar ; - rdfs:label "عدد نوترون"@fa ; - rdfs:label "中子數"@zh ; - skos:broader quantitykind:Count ; -. -quantitykind:NeutronYieldPerAbsorption - a qudt:QuantityKind ; - dcterms:description "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Neutron Yield per Absorption\" is the average number of fission neutrons, both prompt and delayed, emitted per neutron absorbed in a fissionable nuclide or in a nuclear fuel, as specified." ; - rdfs:isDefinedBy ; - rdfs:label "Neutron Yield per Absorption"@en ; -. -quantitykind:NeutronYieldPerFission - a qudt:QuantityKind ; - dcterms:description "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fission_product_yield"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\nu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Neutron Yield per Fission\" is the average number of fission neutrons, both prompt and delayed, emitted per fission event." ; - rdfs:isDefinedBy ; - rdfs:label "Neutron Yield per Fission"@en ; -. -quantitykind:Non-LeakageProbability - a qudt:QuantityKind ; - dcterms:description "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron"^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Six_factor_formula"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Non-Leakage Probability\" is the probability that a neutron will not escape from the reactor during the slowing-down process or while it diffuses as a thermal neutron" ; - rdfs:isDefinedBy ; - rdfs:label "Non-Leakage Probability"@en ; -. -quantitykind:NonActivePower - a qudt:QuantityKind ; - dcterms:description "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power."^^rdf:HTML ; - qudt:applicableUnit unit:V-A ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-43"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(Q^{'} = \\sqrt{{\\left | \\underline{S} \\right |}^2 - P^2}\\), where \\(\\underline{S}\\) is apparent power and \\(P\\) is active power."^^qudt:LatexString ; - qudt:plainTextDescription "\"Non-active Power\", for a two-terminal element or a two-terminal circuit under periodic conditions, is the quantity equal to the square root of the difference of the squares of the apparent power and the active power." ; - qudt:symbol "Q'" ; - rdfs:isDefinedBy ; - rdfs:label "Non-active Power"@en ; - rdfs:seeAlso quantitykind:ActivePower ; - rdfs:seeAlso quantitykind:ApparentPower ; -. -quantitykind:NonNegativeLength - a qudt:QuantityKind ; - dcterms:description "\"NonNegativeLength\" is a measure of length greater than or equal to zero."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "\"NonNegativeLength\" is a measure of length greater than or equal to zero." ; - rdfs:isDefinedBy ; - rdfs:label "Positive Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:NormalStress - a qudt:QuantityKind ; - dcterms:description "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sigma = \\frac{dF_n}{dA}\\), where \\(dF_n\\) is the normal component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Normal stress is defined as the stress resulting from a force acting normal to a body surface. Normal stress can be caused by several loading methods, the most common being axial tension and compression, bending, and hoop stress." ; - rdfs:isDefinedBy ; - rdfs:label "Normal Stress"@en ; - skos:broader quantitykind:Stress ; -. -quantitykind:NormalizedDimensionlessRatio - a qudt:QuantityKind ; - dcterms:description "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0"^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcnormalisedratiomeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "A \"Normalized Dimensionless Ratio\" is a dimensionless ratio ranging from 0.0 to 1.0" ; - rdfs:isDefinedBy ; - rdfs:label "Positive Dimensionless Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:NozzleThroatCrossSectionalArea - a qudt:QuantityKind ; - dcterms:description "Cross-sectional area of the nozzle at the throat."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:plainTextDescription "Cross-sectional area of the nozzle at the throat." ; - qudt:symbol "A^*" ; - rdfs:isDefinedBy ; - rdfs:label "Nozzle Throat Cross-sectional Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:NozzleThroatDiameter - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Nozzle Throat Diameter"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:NozzleThroatPressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:symbol "p^*" ; - rdfs:isDefinedBy ; - rdfs:label "Nozzle Throat Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:NozzleWallsThrustReaction - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:symbol "F_R" ; - rdfs:isDefinedBy ; - rdfs:label "Nozzle Walls Thrust Reaction"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:NuclearQuadrupoleMoment - a qudt:QuantityKind ; - dcterms:description "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus."^^rdf:HTML ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_quadrupole_resonance"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(Q = (\\frac{1}{e}) \\int (3z^2 - r^2)\\rho(x, y, z)dV\\), in the quantum state with the nuclear spin in the field direction \\((z)\\), where \\(\\rho(x, y, z)\\) is the nuclear electric charge density, \\(e\\) is the elementary charge, \\(r^2 = x^2 + y^2 + z^2\\), and \\(dV\\) is the volume element \\(dx\\) \\(dy\\) \\(dz\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Nuclear Quadrupole Moment\" is a quantity that characterizes the deviation from spherical symmetry of the electrical charge distribution in an atomic nucleus." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Nuclear Quadrupole Moment"@en ; -. -quantitykind:NuclearRadius - a qudt:QuantityKind ; - dcterms:description "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included"^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_nucleus"^^xsd:anyURI ; - qudt:latexDefinition "This quantity is not exactly defined. It is given approximately for nuclei in their ground state only by \\(R = r_0 A^{\\frac{1}{3}}\\), where \\(r_0 \\approx 1.2 x 10^{-15} m\\) and \\(A\\) is the nucleon number."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Nuclear Radius\" is the conventional radius of sphere in which the nuclear matter is included" ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Nuclear Radius"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:NuclearSpinQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(I^2 = \\hbar^2 I(I + 1)\\), where \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Spin Quantum Number"@en ; - skos:broader quantitykind:SpinQuantumNumber ; -. -quantitykind:NucleonNumber - a qudt:QuantityKind ; - dcterms:description "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "Number of nucleons in an atomic nucleus.A = Z+N. Nuclides with the same value of A are called isobars." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Massenzahl"@de ; - rdfs:label "Nombor nukleon"@ms ; - rdfs:label "Nukleonenzahl"@de ; - rdfs:label "Nukleové číslo"@cs ; - rdfs:label "kütle numarası"@tr ; - rdfs:label "liczba masowa"@pl ; - rdfs:label "mass number"@en ; - rdfs:label "nombor jisim"@ms ; - rdfs:label "nombre de masse"@fr ; - rdfs:label "nucleon number"@en ; - rdfs:label "numero di massa"@it ; - rdfs:label "numero di nucleoni"@it ; - rdfs:label "número de massa"@pt ; - rdfs:label "número másico"@es ; - rdfs:label "nükleon numarası"@tr ; - rdfs:label "عدد جرمی"@fa ; - rdfs:label "عدد كتلي"@ar ; - rdfs:label "質量数"@ja ; - rdfs:label "质量数"@zh ; - skos:altLabel "mass-number" ; - skos:broader quantitykind:Count ; -. -quantitykind:NumberDensity - a qudt:QuantityKind ; - dcterms:description "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Number_density"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Number_density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles and \\(V\\) is volume."^^qudt:LatexString ; - qudt:plainTextDescription "In physics, astronomy, and chemistry, number density (symbol: n) is a kind of quantity used to describe the degree of concentration of countable objects (atoms, molecules, dust particles, galaxies, etc.) in the three-dimensional physical space." ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Number Density"@en ; - skos:broader quantitykind:InverseVolume ; -. -quantitykind:NumberOfParticles - a qudt:QuantityKind ; - dcterms:description "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "\"Number of Particles\", also known as the particle number, of a thermodynamic system, conventionally indicated with the letter N, is the number of constituent particles in that system." ; - qudt:symbol "N_B" ; - rdfs:isDefinedBy ; - rdfs:label "Number of Particles"@en ; -. -quantitykind:OlfactoryThreshold - a qudt:QuantityKind ; - dcterms:description "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Odor_detection_threshold"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_o}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Olfactory Threshold\" are thresholds for the concentrations of various classes of smell that can be detected." ; - rdfs:isDefinedBy ; - rdfs:label "Olfactory Threshold"@en ; - skos:broader quantitykind:Concentration ; -. -quantitykind:OrbitalAngularMomentumPerUnitMass - a qudt:QuantityKind ; - dcterms:description "Angular momentum of the orbit per unit mass of the vehicle"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:plainTextDescription "Angular momentum of the orbit per unit mass of the vehicle" ; - qudt:symbol "h" ; - rdfs:isDefinedBy ; - rdfs:label "Orbital Angular Momentum per Unit Mass"@en ; -. -quantitykind:OrbitalAngularMomentumQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(l^2 = \\hbar^2 l(l + 1), l = 0, 1, ..., n - 1\\), where \\(l_i\\) refers to a specific particle \\(i\\)."^^qudt:LatexString ; - qudt:symbol "l" ; - rdfs:isDefinedBy ; - rdfs:label "Orbital Angular Momentum Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; - skos:closeMatch quantitykind:MagneticQuantumNumber ; - skos:closeMatch quantitykind:PrincipalQuantumNumber ; - skos:closeMatch quantitykind:SpinQuantumNumber ; -. -quantitykind:OrbitalRadialDistance - a qudt:QuantityKind ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:symbol "r" ; - rdfs:isDefinedBy ; - rdfs:label "Orbital Radial Distance"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:OrderOfReflection - a qudt:QuantityKind ; - dcterms:description "\"Order of Reflection\" is \\(n\\) in the Bragg's Law equation."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.answers.com/topic/order-of-reflection"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Order of Reflection"@en ; -. -quantitykind:OsmoticCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Osmotic Coefficient\" is a quantity which characterises the deviation of a solvent from ideal behavior." ; - rdfs:isDefinedBy ; - rdfs:label "Osmotic Coefficient"@en ; -. -quantitykind:OsmoticPressure - a qudt:QuantityKind ; - dcterms:description "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Osmotic_pressure"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = -(M_A\\sum b_B)^{-1} \\ln a_A\\), where \\(M_A\\) is the molar mass of the solvent \\(A\\), \\(\\sum\\) denotes summation over all the solutes, \\(b_B\\) is the molality of solute \\(B\\), and \\(a_A\\) is the activity of solvent \\(A\\)."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Osmotic Pressure\" is the pressure which needs to be applied to a solution to prevent the inward flow of water across a semipermeable membrane." ; - qudt:symbol "Π" ; - rdfs:isDefinedBy ; - rdfs:label "Osmotický tlak"@cs ; - rdfs:label "Tekanan osmotik"@ms ; - rdfs:label "osmotic pressure"@en ; - rdfs:label "osmotischer Druck"@de ; - rdfs:label "ozmotik basıç"@tr ; - rdfs:label "presión osmótica"@es ; - rdfs:label "pression osmotique"@fr ; - rdfs:label "pressione osmotica"@it ; - rdfs:label "pressão osmótica"@pt ; - rdfs:label "فشار اسمزی"@fa ; - rdfs:label "渗透压"@zh ; - skos:broader quantitykind:Pressure ; -. -quantitykind:OverRangeDistance - a qudt:QuantityKind ; - dcterms:description "Additional distance traveled by a rocket because Of excessive initial velocity."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "Additional distance traveled by a rocket because Of excessive initial velocity." ; - qudt:symbol "s_i" ; - rdfs:isDefinedBy ; - rdfs:label "Over-range distance"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:PH - a qudt:QuantityKind ; - dcterms:description "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic."^^rdf:HTML ; - qudt:applicableUnit unit:PH ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Acid"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/PH"^^xsd:anyURI ; - qudt:plainTextDescription "Chemicals or substances having a pH less than 7 are said to be acidic; more than 7 means basic." ; - rdfs:isDefinedBy ; - rdfs:label "PH"@en ; -. -quantitykind:PREDICTED-MASS - a qudt:QuantityKind ; - dcterms:description "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Sum of the basic mass and the MGA. Current prediction of the final mass based on the current requirements and design." ; - rdfs:isDefinedBy ; - rdfs:label "Predicted Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:PRODUCT-OF-INERTIA - a qudt:QuantityKind ; - dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; - rdfs:isDefinedBy ; - rdfs:label "Product of Inertia"@en ; -. -quantitykind:PRODUCT-OF-INERTIA_X - a qudt:QuantityKind ; - dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body?s principal axis." ; - rdfs:isDefinedBy ; - rdfs:label "Product of Inertia in the X axis"@en ; - skos:broader quantitykind:PRODUCT-OF-INERTIA ; -. -quantitykind:PRODUCT-OF-INERTIA_Y - a qudt:QuantityKind ; - dcterms:description "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "A measure of a body?s dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; - rdfs:isDefinedBy ; - rdfs:label "Product of Inertia in the Y axis"@en ; - skos:broader quantitykind:PRODUCT-OF-INERTIA ; -. -quantitykind:PRODUCT-OF-INERTIA_Z - a qudt:QuantityKind ; - dcterms:description "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:plainTextDescription "A measure of a body's dynamic (or coupled) imbalance resulting in a precession when rotating about an axis other than the body's principal axis." ; - rdfs:isDefinedBy ; - rdfs:label "Product of Inertia in the Z axis"@en ; - skos:broader quantitykind:PRODUCT-OF-INERTIA ; -. -quantitykind:PackingFraction - a qudt:QuantityKind ; - dcterms:description "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_packing_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(f = \\frac{\\Delta_r}{A}\\), where \\(\\Delta_r\\) is the relative mass excess and \\(A\\) is the nucleon number."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Packing Fraction\" is the fraction of volume in a crystal structure that is occupied by atoms." ; - qudt:symbol "f" ; - rdfs:isDefinedBy ; - rdfs:label "Packing Fraction"@en ; -. -quantitykind:PartialPressure - a qudt:QuantityKind ; - dcterms:description "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature."^^rdf:HTML ; - qudt:abbreviation "pa" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Partial_pressure"^^xsd:anyURI ; - qudt:latexDefinition "\\(p_B = x_B \\cdot p\\), where \\(x_B\\) is the amount-of-substance fraction of substance \\(B\\) and \\(p\\) is the total pressure."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "\"Partial Pressure\" is the pressure that the gas would have if it alone occupied the volume of the mixture at the same temperature." ; - qudt:symbol "p_B" ; - rdfs:isDefinedBy ; - rdfs:label "Partial Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:ParticleCurrent - a qudt:QuantityKind ; - dcterms:description "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ ; - qudt:applicableUnit unit:HZ ; - qudt:applicableUnit unit:KiloHZ ; - qudt:applicableUnit unit:MegaHZ ; - qudt:applicableUnit unit:NUM-PER-HR ; - qudt:applicableUnit unit:NUM-PER-SEC ; - qudt:applicableUnit unit:NUM-PER-YR ; - qudt:applicableUnit unit:PER-DAY ; - qudt:applicableUnit unit:PER-HR ; - qudt:applicableUnit unit:PER-MIN ; - qudt:applicableUnit unit:PER-MO ; - qudt:applicableUnit unit:PER-MilliSEC ; - qudt:applicableUnit unit:PER-SEC ; - qudt:applicableUnit unit:PER-WK ; - qudt:applicableUnit unit:PER-YR ; - qudt:applicableUnit unit:PERCENT-PER-DAY ; - qudt:applicableUnit unit:PERCENT-PER-HR ; - qudt:applicableUnit unit:PERCENT-PER-WK ; - qudt:applicableUnit unit:PlanckFrequency ; - qudt:applicableUnit unit:SAMPLE-PER-SEC ; - qudt:applicableUnit unit:TeraHZ ; - qudt:applicableUnit unit:failures-in-time ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\int J \\cdot e_n dA = \\frac{dN}{dt}\\), where \\(e_ndA\\) is the vector surface element, \\(N\\) is the net number of particles passing over a surface, and \\(dt\\) describes the time interval."^^qudt:LatexString ; - qudt:plainTextDescription "\"Particle Current\" can be used to describe the net number of particles passing through a surface in an infinitesimal time interval." ; - qudt:symbol "J" ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Particle Current"@en ; - skos:broader quantitykind:Frequency ; -. -quantitykind:ParticleFluence - a qudt:QuantityKind ; - dcterms:description "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-HA ; - qudt:applicableUnit unit:NUM-PER-KiloM2 ; - qudt:applicableUnit unit:NUM-PER-M2 ; - qudt:applicableUnit unit:PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fluence"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Phi = \\frac{dN}{dA}\\), where \\(dN\\) describes the number of particles incident on a small spherical domain at a given point in space, and \\(dA\\) describes the cross-sectional area of that domain."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Particle Fluence\" is the total number of particles that intersect a unit area in a specific time interval of interest, and has units of m–2 (number of particles per meter squared)." ; - rdfs:isDefinedBy ; - rdfs:label "Particle Fluence"@en ; -. -quantitykind:ParticleFluenceRate - a qudt:QuantityKind ; - dcterms:description "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation."^^rdf:HTML ; - qudt:applicableUnit unit:PER-M2-SEC ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:informativeReference "http://www.encyclo.co.uk/define/Fluence%20Rate"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\theta = \\frac{d\\Phi}{dt}\\), where \\(d\\Phi\\) is the increment of the particle fluence during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Particle Fluence Rate\" can be defined as the total number of particles (typically Gamma Ray Photons ) crossing over a sphere of unit cross section which surrounds a Point Source of Ionising Radiation." ; - rdfs:isDefinedBy ; - rdfs:label "Particle Fluence Rate"@en ; -. -quantitykind:ParticleNumberDensity - a qudt:QuantityKind ; - dcterms:description "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume."^^rdf:HTML ; - qudt:applicableUnit unit:NUM-PER-L ; - qudt:applicableUnit unit:NUM-PER-M3 ; - qudt:applicableUnit unit:NUM-PER-MicroL ; - qudt:applicableUnit unit:NUM-PER-MilliM3 ; - qudt:applicableUnit unit:NUM-PER-NanoL ; - qudt:applicableUnit unit:NUM-PER-PicoL ; - qudt:applicableUnit unit:PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_number#Particle_number_density"^^xsd:anyURI ; - qudt:latexDefinition "\\(n = \\frac{N}{V}\\), where \\(N\\) is the number of particles in the 3D domain with the volume \\(V\\)."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Particle Number Density\" is obtained by dividing the particle number of a system by its volume." ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Particle Number Density"@en ; - skos:broader quantitykind:NumberDensity ; -. -quantitykind:ParticlePositionVector - a qudt:QuantityKind ; - dcterms:description "\"Particle Position Vector\" is the position vector of a particle."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Particle Position Vector\" is the position vector of a particle." ; - qudt:symbol "r, R" ; - rdfs:isDefinedBy ; - rdfs:label "Particle Position Vector"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:ParticleSourceDensity - a qudt:QuantityKind ; - dcterms:description "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element."^^rdf:HTML ; - qudt:applicableUnit unit:PER-M3-SEC ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Particle Source Density\" is the rate of production of particles in a 3D domain divided by the volume of that element." ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Particle Source Density"@en ; -. -quantitykind:PathLength - a qudt:QuantityKind ; - dcterms:description "\"PathLength\" is "^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Path_length"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"PathLength\" is " ; - qudt:symbol "s" ; - rdfs:isDefinedBy ; - rdfs:label "Path Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:PayloadMass - a qudt:QuantityKind ; - dcterms:description "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "Payload mass is the mass of the payload carried by the craft. In a multistage spacecraft the payload mass of the last stage is the mass of the payload and the payload masses of the other stages are considered to be the gross masses of the next stages." ; - qudt:symbol "M_P" ; - rdfs:isDefinedBy ; - rdfs:label "Payload Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:PayloadRatio - a qudt:QuantityKind ; - dcterms:description "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "The payload ratio is defined as the mass of the payload divided by the empty mass of the structure. Because of the extra cost involved in staging rockets, given the choice, it's often more economic to use few stages with a small payload ratio rather than more stages each with a high payload ratio." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Payload Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:PeltierCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermoelectric_effect"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Pi_{ab}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Peltier Coefficient\" represents how much heat current is carried per unit charge through a given material. It is the heat power developed at a junction, divided by the electric current flowing from substance a to substance b." ; - rdfs:isDefinedBy ; - rdfs:label "Peltier Coefficient"@en ; -. -quantitykind:Period - a qudt:QuantityKind ; - dcterms:description "Duration of one cycle of a periodic phenomenon."^^rdf:HTML ; - qudt:applicableUnit unit:SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:plainTextDescription "Duration of one cycle of a periodic phenomenon." ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Period"@en ; -. -quantitykind:Permeability - a qudt:QuantityKind ; - qudt:applicableUnit unit:H-PER-M ; - qudt:applicableUnit unit:H_Stat-PER-CentiM ; - qudt:applicableUnit unit:MicroH-PER-M ; - qudt:applicableUnit unit:NanoH-PER-M ; - qudt:exactMatch quantitykind:ElectromagneticPermeability ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Permeability"@en ; -. -quantitykind:PermeabilityRatio - a qudt:QuantityKind ; - dcterms:description "The ratio of the effective permeability of a porous phase to the absolute permeability."^^rdf:HTML ; - qudt:applicableUnit unit:PERMEABILITY_REL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; - qudt:plainTextDescription "The ratio of the effective permeability of a porous phase to the absolute permeability." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Permeability Ratio"@en ; -. -quantitykind:Permeance - a qudt:QuantityKind ; - dcterms:description "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit."^^rdf:HTML ; - qudt:applicableUnit unit:NanoH ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Permeance"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Lambda = \\frac{1}{R_m}\\), where \\(R_m\\) is reluctance."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Lambda\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Permeance\" is the inverse of reluctance. Permeance is a measure of the quantity of flux for a number of current-turns in magnetic circuit. A magnetic circuit almost acts as though the flux is \"conducted\", therefore permeance is larger for large cross sections of a material and smaller for longer lengths. This concept is analogous to electrical conductance in the electric circuit." ; - rdfs:isDefinedBy ; - rdfs:label "Permeance"@en ; - rdfs:seeAlso quantitykind:Reluctance ; -. -quantitykind:Permittivity - a qudt:QuantityKind ; - dcterms:description "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued."^^rdf:HTML ; - qudt:applicableUnit unit:FARAD-PER-KiloM ; - qudt:applicableUnit unit:FARAD-PER-M ; - qudt:applicableUnit unit:FARAD_Ab-PER-CentiM ; - qudt:applicableUnit unit:MicroFARAD-PER-KiloM ; - qudt:applicableUnit unit:MicroFARAD-PER-M ; - qudt:applicableUnit unit:NanoFARAD-PER-M ; - qudt:applicableUnit unit:PicoFARAD-PER-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Permittivity?oldid=494094133"^^xsd:anyURI ; - qudt:informativeReference "http://maxwells-equations.com/materials/permittivity.php"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\epsilon = \\frac{D}{E}\\), where \\(D\\) is electric flux density and \\(E\\) is electric field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Permittivity\" is a physical quantity that describes how an electric field affects, and is affected by a dielectric medium, and is determined by the ability of a material to polarize in response to the field, and thereby reduce the total electric field inside the material. Permittivity is often a scalar valued quantity, however in the general case it is tensor-valued." ; - rdfs:isDefinedBy ; - rdfs:label "Permittivity"@en ; -. -quantitykind:PermittivityRatio - a qudt:QuantityKind ; - dcterms:description "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Permittivity"^^xsd:anyURI ; - qudt:expression "\\(rel-permittivity\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\epsilon_r = \\epsilon / \\epsilon_0\\), where \\(\\epsilon\\) is permittivity and \\(\\epsilon_0\\) is the electric constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\epsilon_r\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Permittivity Ratio\" is the ratio of permittivity to the permittivity of a vacuum." ; - qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Permittivity Ratio"@en ; - rdfs:seeAlso quantitykind:Permittivity ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:PhaseCoefficient - a qudt:QuantityKind ; - dcterms:description "The phase coefficient is the amount of phase shift that occurs as the wave travels one meter. Increasing the loss of the material, via the manipulation of the material's conductivity, will decrease the wavelength (increase \\(\\beta\\)) and increase the attenuation coefficient (increase \\(\\alpha\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Attenuation_coefficient"^^xsd:anyURI ; - qudt:latexDefinition "If \\(F(x) = Ae^{-\\alpha x} \\cos{[\\beta (x - x_0)]}\\), then \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Phase coefficient"@en ; -. -quantitykind:PhaseDifference - a qudt:QuantityKind ; - dcterms:description "\"Phase Difference} is the difference, expressed in electrical degrees or time, between two waves having the same frequency and referenced to the same point in time. Two oscillators that have the same frequency and different phases have a phase difference, and the oscillators are said to be out of phase with each other. The amount by which such oscillators are out of step with each other can be expressed in degrees from \\(0^\\circ\\) to \\(360^\\circ\\), or in radians from 0 to \\({2\\pi}\\). If the phase difference is \\(180^\\circ\\) (\\(\\pi\\) radians), then the two oscillators are said to be in antiphase."^^qudt:LatexString ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:expression "\\(phase-difference\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Phase_(waves)#Phase_difference"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=103-07-06"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = \\varphi_u - \\varphi_i\\), where \\(\\varphi_u\\) is the initial phase of the voltage and \\(\\varphi_i\\) is the initial phase of the electric current."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Phasenverschiebungswinkel"@de ; - rdfs:label "desfasagem"@pt ; - rdfs:label "diferencia de fase"@es ; - rdfs:label "diferença de fase"@pt ; - rdfs:label "différence de phase"@fr ; - rdfs:label "déphasage"@fr ; - rdfs:label "phase difference"@en ; - rdfs:label "przesunięcie fazowe"@pl ; - rdfs:label "sfasamento angolare"@it ; - rdfs:label "اختلاف طور"@ar ; - rdfs:label "位相差"@ja ; - skos:broader quantitykind:Angle ; -. -quantitykind:PhaseSpeedOfSound - a qudt:QuantityKind ; - dcterms:description "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:KiloHZ-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; - qudt:latexDefinition "\\(c = \\frac{\\omega}{k} = \\lambda f\\), where \\(\\omega\\) is the angular frequency, \\(k\\) is angular wavenumber, \\(\\lambda\\) is the wavelength, and \\(f\\) is the frequency."^^qudt:LatexString ; - qudt:plainTextDescription "In a dispersive medium sound speed is a function of sound frequency, through the dispersion relation. The spatial and temporal distribution of a propagating disturbance will continually change. Each frequency component propagates at its own Phase Velocity of Sound." ; - qudt:symbol "c" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Phase speed of sound"@en ; - skos:broader quantitykind:SpeedOfSound ; -. -quantitykind:PhononMeanFreePath - a qudt:QuantityKind ; - dcterms:description "\"Phonon Mean Free Path\" is the mean free path of phonons."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Phonon Mean Free Path\" is the mean free path of phonons." ; - qudt:symbol "l_{ph}" ; - rdfs:isDefinedBy ; - rdfs:label "Phonon Mean Free Path"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:PhotoThresholdOfAwarenessFunction - a qudt:QuantityKind ; - dcterms:description "\"Photo Threshold of Awareness Function\" is the ability of the human eye to detect a light that results in a \\(1^o\\) radial angle at the eye with a given duration (temporal summation)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "https://www.britannica.com/science/human-eye/Colour-vision"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Photo Threshold of Awareness Function"@en ; -. -quantitykind:PhotonIntensity - a qudt:QuantityKind ; - dcterms:description "A measure of flux of photons per solid angle"^^qudt:LatexString ; - qudt:applicableUnit unit:PER-SEC-SR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Photon Intensity"@en ; -. -quantitykind:PhotonRadiance - a qudt:QuantityKind ; - dcterms:description "A measure of flux of photons per surface area per solid angle"^^qudt:LatexString ; - qudt:applicableUnit unit:PER-SEC-M2-SR ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Photon_counting"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Photon Radiance"@en ; -. -quantitykind:PhotosyntheticPhotonFlux - a qudt:QuantityKind ; - dcterms:description "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor."^^rdf:HTML ; - qudt:applicableUnit unit:MicroMOL-PER-SEC ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:informativeReference "https://www.dormgrow.com/par/"^^xsd:anyURI ; - qudt:plainTextDescription "Photosynthetic Photon Flux (PPF) is a measurement of the total number of photons emitted by a light source each second within the PAR wavelength range and is measured in μmol/s. Lighting manufacturers may specify their grow light products in terms of PPF. It can be considered as analogous to measuring the luminous flux (lumens) of visible light which would typically require the use of an integrating sphere or a goniometer system with spectroradiometer sensor." ; - rdfs:isDefinedBy ; - rdfs:label "Photosynthetic Photon Flux" ; - skos:altLabel "PPF" ; - prov:wasDerivedFrom ; -. -quantitykind:PhotosyntheticPhotonFluxDensity - a qudt:QuantityKind ; - dcterms:description "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s."^^rdf:HTML ; - qudt:applicableUnit unit:MicroMOL-PER-M2-SEC ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:informativeReference "https://www.gigahertz-optik.com/en-us/service-and-support/knowledge-base/measurement-of-par/"^^xsd:anyURI ; - qudt:plainTextDescription "Photosynthetically Active Radiation are the wavelengths of light within the visible range of 400 to 700 nanometers (nm) that are critical for photosynthesis. PPFD measures the amount of PAR light (photons) that arrive at the plant’s surface each second. The PPFD is measured at various distances with a Full-spectrum Quantum Sensor, also known as a PAR meter. Natural sunlight has a PAR value of 900-1500μMol/m2/s when the sun is directly overhead. For a grow light to be effective, it should have PAR values of 500-1500 μMol/m2/s." ; - rdfs:isDefinedBy ; - rdfs:label "Photosynthetic Photon Flux Density" ; - skos:altLabel "PPFD" ; - prov:wasDerivedFrom ; -. -quantitykind:PlanarForce - a qudt:QuantityKind ; - dcterms:description "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC1/HTML/schema/ifcmeasureresource/lexical/ifcplanarforcemeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "Another name for Force Per Area, used by the Industry Foundation Classes (IFC) standard." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Flächenlast"@de ; - rdfs:label "Planar Force"@en ; - skos:broader quantitykind:ForcePerArea ; -. -quantitykind:PlanckFunction - a qudt:QuantityKind ; - dcterms:description "The \\(\\textit{Planck function}\\) is used to compute the radiance emitted from objects that radiate like a perfect \"Black Body\". The inverse of the \\(\\textit{Planck Function}\\) is used to find the \\(\\textit{Brightness Temperature}\\) of an object. The precise formula for the Planck Function depends on whether the radiance is determined on a \\(\\textit{per unit wavelength}\\) or a \\(\\textit{per unit frequency}\\). In the ISO System of Quantities, \\(\\textit{Planck Function}\\) is defined by the formula: \\(Y = -G/T\\), where \\(G\\) is Gibbs Energy and \\(T\\) is thermodynamic temperature."^^qudt:LatexString ; - qudt:expression "\\(B_{\\nu}(T)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://ntrs.nasa.gov/archive/nasa/casi.ntrs.nasa.gov/19680008986_1968008986.pdf"^^xsd:anyURI ; - qudt:informativeReference "http://pds-atmospheres.nmsu.edu/education_and_outreach/encyclopedia/planck_function.htm"^^xsd:anyURI ; - qudt:informativeReference "http://www.star.nesdis.noaa.gov/smcd/spb/calibration/planck.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition """The Planck function, \\(B_{\\tilde{\\nu}}(T)\\), is given by: -\\(B_{\\nu}(T) = \\frac{2h c^2\\tilde{\\nu}^3}{e^{hc / k \\tilde{\\nu} T}-1}\\) -where, \\(\\tilde{\\nu}\\) is wavelength, \\(h\\) is Planck's Constant, \\(k\\) is Boltzman's Constant, \\(c\\) is the speed of light in a vacuum, \\(T\\) is thermodynamic temperature."""^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Planck Function"@en ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; -. -quantitykind:PlaneAngle - a qudt:QuantityKind ; - dcterms:description "The inclination to each other of two intersecting lines, measured by the arc of a circle intercepted between the two lines forming the angle, the center of the circle being the point of intersection. An acute angle is less than \\(90^\\circ\\), a right angle \\(90^\\circ\\); an obtuse angle, more than \\(90^\\circ\\) but less than \\(180^\\circ\\); a straight angle, \\(180^\\circ\\); a reflex angle, more than \\(180^\\circ\\) but less than \\(360^\\circ\\); a perigon, \\(360^\\circ\\). Any angle not a multiple of \\(90^\\circ\\) is an oblique angle. If the sum of two angles is \\(90^\\circ\\), they are complementary angles; if \\(180^\\circ\\), supplementary angles; if \\(360^\\circ\\), explementary angles."^^qudt:LatexString ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Plane_angle"^^xsd:anyURI ; - qudt:exactMatch quantitykind:Angle ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; - qudt:plainTextDescription "An angle formed by two straight lines (in the same plane) angle - the space between two lines or planes that intersect; the inclination of one line to another; measured in degrees or radians" ; - qudt:qkdvDenominator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Rovinný úhel"@cs ; - rdfs:label "Sudut satah"@ms ; - rdfs:label "angle plan"@fr ; - rdfs:label "angolo piano"@it ; - rdfs:label "angulus planus"@la ; - rdfs:label "düzlemsel açı"@tr ; - rdfs:label "ebener Winkel"@de ; - rdfs:label "kąt płaski"@pl ; - rdfs:label "medida angular"@pt ; - rdfs:label "plane angle"@en ; - rdfs:label "ravninski kot"@sl ; - rdfs:label "szög"@hu ; - rdfs:label "unghi plan"@ro ; - rdfs:label "ángulo plano"@es ; - rdfs:label "Επίπεδη γωνία"@el ; - rdfs:label "Плоский угол"@ru ; - rdfs:label "Равнинен ъгъл"@bg ; - rdfs:label "זווית"@he ; - rdfs:label "الزاوية النصف قطرية"@ar ; - rdfs:label "زاویه مستوی"@fa ; - rdfs:label "क्षेत्र"@hi ; - rdfs:label "弧度"@ja ; - rdfs:label "角度"@zh ; - skos:broader quantitykind:Angle ; -. -quantitykind:PoissonRatio - a qudt:QuantityKind ; - dcterms:description "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Poisson%27s_ratio"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\frac{\\Delta \\delta}{\\Delta l}\\), where \\(\\Delta \\delta\\) is the lateral contraction and \\(\\Delta l\\) is the elongation."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The Poisson Ratio is the negative ratio of transverse to axial strain. In fact, when a sample object is stretched (or squeezed), to an extension (or contraction) in the direction of the applied load, it corresponds a contraction (or extension) in a direction perpendicular to the applied load. The ratio between these two quantities is the Poisson's ratio." ; - rdfs:isDefinedBy ; - rdfs:label "Poisson Ratio"@en ; -. -quantitykind:PolarMomentOfInertia - a qudt:QuantityKind ; - dcterms:description "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. "^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; - qudt:plainTextDescription "The polar moment of inertia is a quantity used to predict an object's ability to resist torsion, in objects (or segments of objects) with an invariant circular cross-section and no significant warping or out-of-plane deformation. It is used to calculate the angular displacement of an object subjected to a torque. It is analogous to the area moment of inertia, which characterizes an object's ability to resist bending. " ; - qudt:symbol "J_{zz}" ; - rdfs:isDefinedBy ; - rdfs:label "Polar moment of inertia"@en ; - skos:broader quantitykind:MomentOfInertia ; -. -quantitykind:Polarizability - a qudt:QuantityKind ; - dcterms:description "\"Polarizability\" is the relative tendency of a charge distribution, like the electron cloud of an atom or molecule, to be distorted from its normal shape by an external electric field, which may be caused by the presence of a nearby ion or dipole. The electronic polarizability \\(\\alpha\\) is defined as the ratio of the induced dipole moment of an atom to the electric field that produces this dipole moment. Polarizability is often a scalar valued quantity, however in the general case it is tensor-valued."^^qudt:LatexString ; - qudt:applicableUnit unit:C-M2-PER-V ; - qudt:applicableUnit unit:C2-M2-PER-J ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Polarizability"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Polarizability"@en ; -. -quantitykind:PolarizationField - a qudt:QuantityKind ; - dcterms:description "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume."^^rdf:HTML ; - qudt:applicableUnit unit:C-PER-CentiM2 ; - qudt:applicableUnit unit:C-PER-M2 ; - qudt:applicableUnit unit:C-PER-MilliM2 ; - qudt:applicableUnit unit:C_Ab-PER-CentiM2 ; - qudt:applicableUnit unit:C_Stat-PER-CentiM2 ; - qudt:applicableUnit unit:KiloC-PER-M2 ; - qudt:applicableUnit unit:MegaC-PER-M2 ; - qudt:applicableUnit unit:MicroC-PER-M2 ; - qudt:applicableUnit unit:MilliC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:plainTextDescription "The Polarization Field is the vector field that expresses the density of permanent or induced electric dipole moments in a dielectric material. The polarization vector P is defined as the ratio of electric dipole moment per unit volume." ; - qudt:symbol "P" ; - rdfs:isDefinedBy ; - rdfs:label "Polarization Field"@en ; - skos:broader quantitykind:ElectricChargePerArea ; -. -quantitykind:Population - a qudt:QuantityKind ; - dcterms:description "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Population"^^xsd:anyURI ; - qudt:plainTextDescription "Population typically refers to the number of people in a single area, whether it be a city or town, region, country, continent, or the world, but can also represent the number of any kind of entity." ; - rdfs:isDefinedBy ; - rdfs:label "Population"@en ; - skos:broader quantitykind:Count ; -. -quantitykind:PositionVector - a qudt:QuantityKind ; - dcterms:description "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Position_(vector)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(r = \\overrightarrow{OP}\\), where \\(O\\) and \\(P\\) are two points in space."^^qudt:LatexString ; - qudt:plainTextDescription "A \"Position Vector\", also known as location vector or radius vector, is a Euclidean vector which represents the position of a point P in space in relation to an arbitrary reference origin O." ; - qudt:symbol "r" ; - rdfs:isDefinedBy ; - rdfs:label "Position Vector"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:PositiveDimensionlessRatio - a qudt:QuantityKind ; - dcterms:description "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero"^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcpositiveratiomeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "A \"Positive Dimensionless Ratio\" is a dimensionless ratio that is greater than zero" ; - rdfs:isDefinedBy ; - rdfs:label "Positive Dimensionless Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:PositiveLength - a qudt:QuantityKind ; - dcterms:description "\"PositiveLength\" is a measure of length strictly greater than zero."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "\"PositiveLength\" is a measure of length strictly greater than zero." ; - rdfs:isDefinedBy ; - rdfs:label "Positive Length"@en ; - skos:broader quantitykind:NonNegativeLength ; -. -quantitykind:PositivePlaneAngle - a qudt:QuantityKind ; - dcterms:description "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero."^^rdf:HTML ; - qudt:applicableUnit unit:ARCMIN ; - qudt:applicableUnit unit:ARCSEC ; - qudt:applicableUnit unit:DEG ; - qudt:applicableUnit unit:GON ; - qudt:applicableUnit unit:GRAD ; - qudt:applicableUnit unit:MIL ; - qudt:applicableUnit unit:MIN_Angle ; - qudt:applicableUnit unit:MicroRAD ; - qudt:applicableUnit unit:MilliARCSEC ; - qudt:applicableUnit unit:MilliRAD ; - qudt:applicableUnit unit:RAD ; - qudt:applicableUnit unit:REV ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.thefreedictionary.com/plane+angle"^^xsd:anyURI ; - qudt:plainTextDescription "A \"PositivePlaneAngle\" is a plane angle strictly greater than zero." ; - rdfs:isDefinedBy ; - rdfs:label "Positive Plane Angle"@en ; - skos:broader quantitykind:PlaneAngle ; -. -quantitykind:PotentialEnergy - a qudt:QuantityKind ; - dcterms:description "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Potential_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Potential_energy"^^xsd:anyURI ; - qudt:latexDefinition "\\(V = -\\int F \\cdot dr\\), where \\(F\\) is a conservative force and \\(R\\) is a position vector."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:plainTextDescription "Energy possessed by a body by virtue of its position in a gravity field in contrast with kinetic energy, that possessed by virtue of its motion." ; - qudt:symbol "PE" ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Energia potencjalna"@pl ; - rdfs:label "Energie potențială"@ro ; - rdfs:label "Potansiyel enerji"@tr ; - rdfs:label "Tenaga keupayaan"@ms ; - rdfs:label "energia potencial"@pt ; - rdfs:label "energia potenziale"@it ; - rdfs:label "energía potencial"@es ; - rdfs:label "potenciální energie"@cs ; - rdfs:label "potential energy"@en ; - rdfs:label "potentielle Energie"@de ; - rdfs:label "énergie potentielle"@fr ; - rdfs:label "потенциальная энергия"@ru ; - rdfs:label "انرژی پتانسیل"@fa ; - rdfs:label "طاقة وضع"@ar ; - rdfs:label "स्थितिज ऊर्जा"@hi ; - rdfs:label "位置エネルギー"@ja ; - rdfs:label "势能"@zh ; - skos:broader quantitykind:Energy ; -. -quantitykind:Power - a qudt:QuantityKind ; - dcterms:description "Power is the rate at which work is performed or energy is transmitted, or the amount of energy required or expended for a given unit of time. As a rate of change of work done or the energy of a subsystem, power is: \\(P = W/t\\), where \\(P\\) is power, \\(W\\) is work and {t} is time."^^qudt:LatexString ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Power"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Power"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Power_%28physics%29"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(P = F \\cdot v\\), where \\(F\\) is force and \\(v\\) is velocity."^^qudt:LatexString ; - qudt:symbol "P" ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Kuasa"@ms ; - rdfs:label "Leistung"@de ; - rdfs:label "Výkon"@cs ; - rdfs:label "flux energetic"@ro ; - rdfs:label "güç"@tr ; - rdfs:label "moc"@pl ; - rdfs:label "moč"@sl ; - rdfs:label "potencia"@es ; - rdfs:label "potentia"@la ; - rdfs:label "potenza"@it ; - rdfs:label "potência"@pt ; - rdfs:label "power"@en ; - rdfs:label "puissance"@fr ; - rdfs:label "putere"@ro ; - rdfs:label "strumień promieniowania"@pl ; - rdfs:label "teljesítmény , hőáramlás"@hu ; - rdfs:label "ısı akış oranı"@tr ; - rdfs:label "Ισχύς"@el ; - rdfs:label "Мощност"@bg ; - rdfs:label "Мощность"@ru ; - rdfs:label "הספק"@he ; - rdfs:label "القدرة"@ar ; - rdfs:label "توان، نرخ جریان گرما"@fa ; - rdfs:label "विकिरणी बहाव"@hi ; - rdfs:label "शक्ति"@hi ; - rdfs:label "功率、热流"@zh ; - rdfs:label "電力・仕事率"@ja ; -. -quantitykind:PowerArea - a qudt:QuantityKind ; - qudt:applicableUnit unit:HectoPA-L-PER-SEC ; - qudt:applicableUnit unit:HectoPA-M3-PER-SEC ; - qudt:applicableUnit unit:W-M2 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Power Area"@en ; -. -quantitykind:PowerAreaPerSolidAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:W-M2-PER-SR ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Power Area per Solid Angle"@en ; -. -quantitykind:PowerFactor - a qudt:QuantityKind ; - dcterms:description "\"Power Factor\", under periodic conditions, is the ratio of the absolute value of the active power \\(P\\) to the apparent power \\(S\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:expression "\\(power-factor\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-46"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda = \\left | P \\right | / \\left | S \\right |\\), where \\(P\\) is active power and \\(S\\) is apparent power."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Leistungsfaktor"@de ; - rdfs:label "Współczynnik mocy"@pl ; - rdfs:label "facteur de puissance"@fr ; - rdfs:label "factor de potencia"@es ; - rdfs:label "factor de putere"@ro ; - rdfs:label "faktor kuasa"@ms ; - rdfs:label "fator de potência"@pt ; - rdfs:label "fattore di potenza"@it ; - rdfs:label "güç faktörü"@tr ; - rdfs:label "power factor"@en ; - rdfs:label "Účiník"@cs ; - rdfs:label "Коэффициент_мощности"@ru ; - rdfs:label "ضریب توان"@fa ; - rdfs:label "معامل القدرة"@ar ; - rdfs:label "शक्ति गुणांक"@hi ; - rdfs:label "力率"@ja ; - rdfs:label "功率因数"@zh ; - rdfs:seeAlso quantitykind:ActivePower ; - rdfs:seeAlso quantitykind:ApparentPower ; -. -quantitykind:PowerPerArea - a qudt:QuantityKind ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://www.physicsforums.com/library.php?do=view_item&itemid=406"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Power Per Area"@en ; -. -quantitykind:PowerPerAreaAngle - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Power per Area Angle"@en ; -. -quantitykind:PowerPerAreaQuarticTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:W-PER-M2-K4 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Power per area quartic temperature"@en ; -. -quantitykind:PowerPerElectricCharge - a qudt:QuantityKind ; - dcterms:description "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge."^^rdf:HTML ; - qudt:applicableUnit unit:MilliV-PER-MIN ; - qudt:applicableUnit unit:V-PER-MicroSEC ; - qudt:applicableUnit unit:V-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; - qudt:plainTextDescription "\"Power Per Electric Charge\" is the amount of energy generated by a unit of electric charge." ; - rdfs:isDefinedBy ; - rdfs:label "Power Per Electric Charge"@en ; -. -quantitykind:PoyntingVector - a qudt:QuantityKind ; - dcterms:description "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density."^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:expression "\\(poynting-vector\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-66"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{S} = \\mathbf{E} \\times \\mathbf{H} \\), where \\(\\mathbf{E}\\) is electric field strength and \\mathbf{H} is magnetic field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mathbf{S} \\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Poynting Vector} is the vector product of the electric field strength \\mathbf{E} and the magnetic field strength \\mathbf{H\" of the electromagnetic field at a given point. The flux of the Poynting vector through a closed surface is equal to the electromagnetic power passing through this surface. For a periodic electromagnetic field, the time average of the Poynting vector is a vector of which, with certain reservations, the direction may be considered as being the direction of propagation of electromagnetic energy and the magnitude considered as being the average electromagnetic power flux density." ; - rdfs:isDefinedBy ; - rdfs:label "Poynting vector"@en ; - rdfs:label "Poynting-Vektor"@de ; - rdfs:label "vecteur de Poynting"@fr ; - rdfs:label "vector de Poynting"@es ; - rdfs:label "vector de Poynting"@pt ; - rdfs:label "vettore di Poynting"@it ; - rdfs:label "wektor Poyntinga"@pl ; - rdfs:label "вектор Пойнтинга"@ru ; - rdfs:label "متجَه بوينتنج"@ar ; - rdfs:label "ポインティングベクトル"@ja ; -. -quantitykind:Pressure - a qudt:QuantityKind ; - dcterms:description "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pressure"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pressure"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(p = \\frac{dF}{dA}\\), where \\(dF\\) is the force component perpendicular to the surface element of area \\(dA\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Pressure is an effect which occurs when a force is applied on a surface. Pressure is the amount of force acting on a unit area. Pressure is distinct from stress, as the former is the ratio of the component of force normal to a surface to the surface area. Stress is a tensor that relates the vector force to the vector area." ; - rdfs:isDefinedBy ; - rdfs:label "Druck"@de ; - rdfs:label "Tekanan"@ms ; - rdfs:label "Tlak"@cs ; - rdfs:label "basınç"@tr ; - rdfs:label "ciśnienie"@pl ; - rdfs:label "naprężenie"@pl ; - rdfs:label "nyomás"@hu ; - rdfs:label "presiune"@ro ; - rdfs:label "presión"@es ; - rdfs:label "pressio"@la ; - rdfs:label "pression"@fr ; - rdfs:label "pressione"@it ; - rdfs:label "pressure"@en ; - rdfs:label "pressão"@pt ; - rdfs:label "pritisk"@sl ; - rdfs:label "tegasan"@ms ; - rdfs:label "tensione meccanica"@it ; - rdfs:label "tensiune mecanică"@ro ; - rdfs:label "tensão"@pt ; - rdfs:label "tlak"@sl ; - rdfs:label "Πίεση - τάση"@el ; - rdfs:label "Давление"@ru ; - rdfs:label "Налягане"@bg ; - rdfs:label "механично напрежение"@bg ; - rdfs:label "לחץ"@he ; - rdfs:label "الضغط أو الإجهاد"@ar ; - rdfs:label "فشار، تنش"@fa ; - rdfs:label "दबाव"@hi ; - rdfs:label "दाब"@hi ; - rdfs:label "压强、压力"@zh ; - rdfs:label "圧力"@ja ; - skos:broader quantitykind:ForcePerArea ; -. -quantitykind:PressureBurningRateConstant - a qudt:QuantityKind ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Burning Rate Constant"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:PressureBurningRateIndex - a qudt:QuantityKind ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Burning Rate Index"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:PressureCoefficient - a qudt:QuantityKind ; - qudt:applicableUnit unit:BAR-PER-K ; - qudt:applicableUnit unit:HectoPA-PER-K ; - qudt:applicableUnit unit:KiloPA-PER-K ; - qudt:applicableUnit unit:MegaPA-PER-K ; - qudt:applicableUnit unit:PA-PER-K ; - qudt:expression "\\(pres-coef\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\beta = \\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Coefficient"@en ; -. -quantitykind:PressureLossPerLength - a qudt:QuantityKind ; - dcterms:description "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M2-SEC2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Friction_loss"^^xsd:anyURI ; - qudt:plainTextDescription "\"Pressure Loss per Length\" refers to the power lost in overcoming the friction between two moving surfaces. Also referred to as \"Friction Loss\"." ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Loss per Length"@en ; -. -quantitykind:PressurePercentage - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:PressureRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Percentage"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:PressureRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:BAR-PER-BAR ; - qudt:applicableUnit unit:HectoPA-PER-BAR ; - qudt:applicableUnit unit:KiloPA-PER-BAR ; - qudt:applicableUnit unit:MegaPA-PER-BAR ; - qudt:applicableUnit unit:MilliBAR-PER-BAR ; - qudt:applicableUnit unit:PA-PER-BAR ; - qudt:applicableUnit unit:PSI-PER-PSI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Pressure Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:Prevalence - a qudt:QuantityKind ; - dcterms:description "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)"^^rdf:HTML ; - qudt:applicableUnit unit:PERCENT ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Prevalence"^^xsd:anyURI ; - qudt:plainTextDescription "In epidemiology, prevalence is the proportion of a particular population found to be affected by a medical condition (typically a disease or a risk factor such as smoking or seatbelt use) at a specific time. (Wikipedia)" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Prevalence" ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:PrincipalQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Principal Quantum Number\" describes the electron shell, or energy level, of an atom. The value of \\(n\\) ranges from 1 to the shell containing the outermost electron of that atom."^^qudt:LatexString ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Principal Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; - skos:closeMatch quantitykind:MagneticQuantumNumber ; - skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; - skos:closeMatch quantitykind:SpinQuantumNumber ; -. -quantitykind:PropagationCoefficient - a qudt:QuantityKind ; - dcterms:description "The propagation constant, symbol \\(\\gamma\\), for a given system is defined by the ratio of the amplitude at the source of the wave to the amplitude at some distance x."^^qudt:LatexString ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Propagation_constant"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\gamma = \\alpha + j\\beta\\), where \\(\\alpha\\) is the attenuation coefficient and \\(\\beta\\) is the phase coefficient."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Propagation coefficient"@en ; -. -quantitykind:PropellantBurnRate - a qudt:QuantityKind ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Propellant Burn Rate"@en ; - skos:broader quantitykind:BurnRate ; -. -quantitykind:PropellantMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_f" ; - rdfs:isDefinedBy ; - rdfs:label "Propellant Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:PropellantMeanBulkTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Propellant Mean Bulk Temperature"@en ; - skos:altLabel "PMBT" ; - skos:broader quantitykind:PropellantTemperature ; -. -quantitykind:PropellantTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Propellant Temperature"@en ; - skos:broader quantitykind:Temperature ; -. -quantitykind:QualityFactor - a qudt:QuantityKind ; - dcterms:description "\"Quality Factor\", of a resonant circuit, is a measure of the \"goodness\" or quality of a resonant circuit. A higher value for this figure of merit correspondes to a more narrow bandwith, which is desirable in many applications. More formally, \\(Q\\) is the ratio of power stored to power dissipated in the circuit reactance and resistance, respectively"^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.sourcetronic.com/electrical-measurement-glossary/quality-factor.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.allaboutcircuits.com/vol_2/chpt_6/6.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "If \\(\\underline{Z} = R + jX\\), then \\(Q = \\left | X \\right |/R\\), where \\(\\underline{Z}\\) is impedance, \\(R\\) is resistance, and \\(X\\) is reactance."^^qudt:LatexString ; - qudt:symbol "Q" ; - vaem:todo "Resolve Quality Facor - electronics and also doses" ; - rdfs:isDefinedBy ; - rdfs:label "Quality Factor"@en ; - rdfs:seeAlso quantitykind:Impedance ; - rdfs:seeAlso quantitykind:Resistance ; -. -quantitykind:QuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Quantum Number\" describes values of conserved quantities in the dynamics of the quantum system. Perhaps the most peculiar aspect of quantum mechanics is the quantization of observable quantities, since quantum numbers are discrete sets of integers or half-integers." ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Quantum Number"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:QuarticElectricDipoleMomentPerCubicEnergy - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Electric Dipole Moment per Cubic Energy"@en ; -. -quantitykind:RESERVE-MASS - a qudt:QuantityKind ; - dcterms:description "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://eaton.math.rpi.edu/CSUMS/Papers/EcoEnergy/koojimanconserve.pdf"^^xsd:anyURI ; - qudt:plainTextDescription "A quantity of mass held by Program/project management to mitigate the risk of over-predicted performance estimates, under predicted mass estimates, and future operational and mission specific requirements (program mass reserve, manager's mass reserve, launch window reserve, performance reserve, etc.)." ; - qudt:symbol "M_{E}" ; - rdfs:isDefinedBy ; - rdfs:label "Reserve Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:RF-Power - a qudt:QuantityKind ; - dcterms:description "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)."^^rdf:HTML ; - qudt:applicableUnit unit:KiloV-PER-M ; - qudt:applicableUnit unit:MegaV-PER-M ; - qudt:applicableUnit unit:MicroV-PER-M ; - qudt:applicableUnit unit:MilliV-PER-M ; - qudt:applicableUnit unit:V-PER-CentiM ; - qudt:applicableUnit unit:V-PER-IN ; - qudt:applicableUnit unit:V-PER-M ; - qudt:applicableUnit unit:V-PER-MilliM ; - qudt:applicableUnit unit:V_Ab-PER-CentiM ; - qudt:applicableUnit unit:V_Stat-PER-CentiM ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:informativeReference "https://www.analog.com/en/technical-articles/measurement-control-rf-power-parti.html"^^xsd:anyURI ; - qudt:plainTextDescription "Radio-Frequency Power. Power level of electromagnetic waves alternating at the frequency of radio waves (up to 10^10 Hz)." ; - rdfs:isDefinedBy ; - rdfs:label "RF-Power Level"@en ; - skos:broader quantitykind:SignalStrength ; -. -quantitykind:RadialDistance - a qudt:QuantityKind ; - dcterms:description "In classical geometry, the \"Radial Distance\" is a coordinate in polar coordinate systems (r, \\(\\theta\\)). Basically the radial distance is the scalar Euclidean distance between a point and the origin of the system of coordinates."^^qudt:LatexString ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radial_distance_(geometry)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(d = \\sqrt{r_1^2 + r_2^2 -2r_1r_2\\cos{(\\theta_1 - \\theta_2)}}\\), where \\(P_1\\) and \\(P_2\\) are two points with polar coordinates \\((r_1, \\theta_1)\\) and \\((r_2, \\theta_2)\\), respectively, and \\(d\\) is the distance."^^qudt:LatexString ; - qudt:latexSymbol "\\(r_Q, \\rho\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Radial Distance"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Radiance - a qudt:QuantityKind ; - dcterms:description "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction."^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-M2-SR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = \\frac{dI}{dA}\\frac{1}{cos\\alpha}\\), where \\(dI\\) is the radiant intensity emitted from an element of the surface area \\(dA\\), and angle \\(\\alpha\\) is the angle between the normal to the surface and the given direction."^^qudt:LatexString ; - qudt:plainTextDescription "\"Radiance\" is a radiometric measure that describes the amount of light that passes through or is emitted from a particular area, and falls within a given solid angle in a specified direction." ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Radiance"@en ; - skos:broader quantitykind:PowerPerAreaAngle ; -. -quantitykind:RadianceFactor - a qudt:QuantityKind ; - dcterms:description "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.encyclo.co.uk/define/radiance%20factor"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\beta = \\frac{L_n}{L_d}\\), where \\(L_n\\) is the radiance of a surface element in a given direction and \\(L_d\\) is the radiance of the perfect reflecting or transmitting diffuser identically irradiated and viewed. Reflectance factor is equivalent to radiance factor or luminance factor (when the cone angle is infinitely small, and is equivalent to reflectance when the cone angle is \\(2π sr\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\beta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Radiance Factor is the ratio of the radiance of the surface element in the given direction to that of a perfect reflecting or transmitting diffuser identically irradiated unit." ; - rdfs:isDefinedBy ; - rdfs:label "Radiance Factor"@en ; -. -quantitykind:RadiantEmmitance - a qudt:QuantityKind ; - dcterms:description "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Irradiance"^^xsd:anyURI ; - qudt:latexDefinition "\\(M = \\frac{d\\Phi}{dA}\\), where \\(d\\Phi\\) is the radiant flux leaving the element of the surface area \\(dA\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Irradiance and Radiant Emittance are radiometry terms for the power per unit area of electromagnetic radiation at a surface. \"Irradiance\" is used when the electromagnetic radiation is incident on the surface. \"Radiant emmitance\" (or \"radiant exitance\") is used when the radiation is emerging from the surface." ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Emmitance"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:RadiantEnergy - a qudt:QuantityKind ; - dcterms:description "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received."^^rdf:HTML ; - qudt:abbreviation "M-L2-PER-T2" ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; - qudt:latexDefinition "\\(Q_e\\)"^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "In radiometry,\"Radiant Energy} is the energy of electromagnetic waves. The quantity of radiant energy may be calculated by integrating radiant flux (or power) with respect to time. In nuclear physics, \\textit{Radiant Energy\" is energy, excluding rest energy, of the particles that are emitted, transferred, or received." ; - qudt:symbol "Q_e" ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Işınım erkesi"@tr ; - rdfs:label "Strahlungsenergie"@de ; - rdfs:label "Tenaga sinaran"@ms ; - rdfs:label "energia promienista"@pl ; - rdfs:label "energia radiante"@it ; - rdfs:label "energia radiante"@pt ; - rdfs:label "energie záření"@cs ; - rdfs:label "energía radiante"@es ; - rdfs:label "radiant energy"@en ; - rdfs:label "énergie rayonnante"@fr ; - rdfs:label "энергия излучения"@ru ; - rdfs:label "انرژی تابشی"@fa ; - rdfs:label "طاقة إشعاعية"@ar ; - rdfs:label "विकिरण ऊर्जा"@hi ; - rdfs:label "放射エネルギー"@ja ; - rdfs:label "辐射能"@zh ; - skos:broader quantitykind:Energy ; - skos:closeMatch quantitykind:LuminousEnergy ; -. -quantitykind:RadiantEnergyDensity - a qudt:QuantityKind ; - dcterms:description "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy_density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; - qudt:latexDefinition "\\(w\\), \\(\\rho = \\frac{dQ}{dV}\\), where \\(dQ\\) is the radiant energy in an elementary three-dimensional domain, and \\(dV\\) is the volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(w, \\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Radiant Energy Density\", or radiant power, is the radiant energy per unit volume." ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Energy Density"@en ; -. -quantitykind:RadiantExposure - a qudt:QuantityKind ; - dcterms:description "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure."^^rdf:HTML ; - qudt:abbreviation "J-PER-CM2" ; - qudt:applicableUnit unit:BTU_IT-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-M2 ; - qudt:applicableUnit unit:GigaJ-PER-M2 ; - qudt:applicableUnit unit:J-PER-CentiM2 ; - qudt:applicableUnit unit:J-PER-M2 ; - qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM-PER-SEC2 ; - qudt:applicableUnit unit:KiloW-HR-PER-M2 ; - qudt:applicableUnit unit:MegaJ-PER-M2 ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:applicableUnit unit:W-HR-PER-M2 ; - qudt:applicableUnit unit:W-SEC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "http://omlc.ogi.edu/education/ece532/class1/irradiance.html"^^xsd:anyURI ; - qudt:latexDefinition "\\(H = \\int_{0}^{\\Delta t}{E}{dt}\\), where \\(E\\) is the irradiance acting during the time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Radiant exposure is a measure of the total radiant energy incident on a surface per unit area; equal to the integral over time of the radiant flux density. Also known as exposure." ; - qudt:symbol "H_e" ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Exposure"@en ; - skos:broader quantitykind:EnergyPerArea ; -. -quantitykind:RadiantFluence - a qudt:QuantityKind ; - dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; - qudt:applicableUnit unit:GigaJ-PER-M2 ; - qudt:applicableUnit unit:J-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:latexDefinition "\\(H_0 = \\int_{0}^{\\Delta t}{E_0}{dt}\\), where \\(E_0\\) is the spherical radiance acting during time interval with duration \\(\\Delta t\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; - qudt:symbol "H_e,0" ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Fluence"@en ; -. -quantitykind:RadiantFluenceRate - a qudt:QuantityKind ; - dcterms:description "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere."^^rdf:HTML ; - qudt:abbreviation "M-PER-T3" ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://goldbook.iupac.org/FT07376.html"^^xsd:anyURI ; - qudt:latexDefinition "\\(E_0 = \\int{L}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L\\) its radiance at that point in the direction of the beam."^^qudt:LatexString ; - qudt:plainTextDescription "Radiant fluence rate, or spherical irradiance, is equal to the total radiant flux incident on a small sphere divided by the area of the diametrical cross-section of the sphere." ; - qudt:symbol "E_e,0" ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Fluence Rate"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:RadiantFlux - a qudt:QuantityKind ; - dcterms:description "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface."^^rdf:HTML ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_flux"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Phi = \\frac{dQ}{dt}\\), where \\(dQ\\) is the radiant energy emitted, transferred, or received during a time interval of the duration \\(dt\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\phi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Radiant Flux, or radiant power, is the measure of the total power of electromagnetic radiation (including infrared, ultraviolet, and visible light). The power may be the total emitted from a source, or the total landing on a particular surface." ; - rdfs:isDefinedBy ; - rdfs:label "Strahlungsfluss"@de ; - rdfs:label "Strahlungsleistung"@de ; - rdfs:label "flujo radiante"@es ; - rdfs:label "flusso radiante"@it ; - rdfs:label "flux énergétique"@fr ; - rdfs:label "fluxo energético"@pt ; - rdfs:label "moc promieniowania"@pl ; - rdfs:label "moc promienista"@pl ; - rdfs:label "potencia radiante"@es ; - rdfs:label "potenza radiante"@it ; - rdfs:label "potência radiante"@pt ; - rdfs:label "puissance rayonnante"@fr ; - rdfs:label "radiant flux"@en ; - rdfs:label "radiant power"@en ; - rdfs:label "قدرة إشعاعية"@ar ; - rdfs:label "放射パワー"@ja ; - skos:broader quantitykind:Power ; -. -quantitykind:RadiantIntensity - a qudt:QuantityKind ; - dcterms:description "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle."^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-SR ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_intensity"^^xsd:anyURI ; - qudt:latexDefinition "\\(I = \\frac{d\\Phi}{d\\Omega}\\), where \\(d\\Phi\\) is the radiant flux leaving the source in an elementary cone containing the given direction with the solid angle \\(d\\Omega\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Radiant Intensity is a measure of the intensity of electromagnetic radiation. It is defined as power per unit solid angle." ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Radiant Intensity"@en ; -. -quantitykind:RadiativeHeatTransfer - a qudt:QuantityKind ; - dcterms:description "\"Radiative Heat Transfer\" is proportional to \\((T_1^4 - T_2^4)\\) and area of the surface, where \\(T_1\\) and \\(T_2\\) are thermodynamic temperatures of two black surfaces, for non totally black surfaces an additional factor less than 1 is needed."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-MIN ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:BTU_TH-PER-HR ; - qudt:applicableUnit unit:BTU_TH-PER-MIN ; - qudt:applicableUnit unit:BTU_TH-PER-SEC ; - qudt:applicableUnit unit:CAL_TH-PER-MIN ; - qudt:applicableUnit unit:CAL_TH-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloBTU_TH-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloCAL_TH-PER-HR ; - qudt:applicableUnit unit:KiloCAL_TH-PER-MIN ; - qudt:applicableUnit unit:KiloCAL_TH-PER-SEC ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Heat_transfer#Radiation"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi_r\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Radiative Heat Transfer"@en ; - skos:broader quantitykind:HeatFlowRate ; -. -quantitykind:Radiosity - a qudt:QuantityKind ; - dcterms:description "Radiosity is the total emitted and reflected radiation leaving a surface."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:plainTextDescription "Radiosity is the total emitted and reflected radiation leaving a surface." ; - rdfs:isDefinedBy ; - rdfs:label "Radiosity"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:Radius - a qudt:QuantityKind ; - dcterms:description "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Radius"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radius"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexDefinition "\\(r = \\frac{d}{2}\\), where \\(d\\) is the circle diameter."^^qudt:LatexString ; - qudt:plainTextDescription "In classical geometry, the \"Radius\" of a circle or sphere is any line segment from its center to its perimeter the radius of a circle or sphere is the length of any such segment." ; - qudt:symbol "r" ; - rdfs:isDefinedBy ; - rdfs:label "Radius"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:RadiusOfCurvature - a qudt:QuantityKind ; - dcterms:description "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radius_of_curvature_(mathematics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In geometry, the \"Radius of Curvature\", R, of a curve at a point is a measure of the radius of the circular arc which best approximates the curve at that point." ; - rdfs:isDefinedBy ; - rdfs:label "Radius of Curvature"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:RatioOfSpecificHeatCapacities - a qudt:QuantityKind ; - dcterms:description "The specific heat ratio of a gas is the ratio of the specific heat at constant pressure, \\(c_p\\), to the specific heat at constant volume, \\(c_V\\). It is sometimes referred to as the \"adiabatic index} or the \\textit{heat capacity ratio} or the \\textit{isentropic expansion factor} or the \\textit{adiabatic exponent} or the \\textit{isentropic exponent\"."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Specific_heat_ratio"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\gamma = c_p / c_V\\), where \\(c\\) is the specific heat of a gas, \\(c_p\\) is specific heat capacity at constant pressure, \\(c_V\\) is specific heat capacity at constant volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varkappa\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Ratio of Specific Heat Capacities"@en ; - rdfs:seeAlso quantitykind:IsentropicExponent ; -. -quantitykind:Reactance - a qudt:QuantityKind ; - dcterms:description "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance."^^rdf:HTML ; - qudt:applicableUnit unit:OHM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electrical_reactance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electrical_reactance?oldid=494180019"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-46"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(X = im \\underline{Z}\\), where \\(\\underline{Z}\\) is impedance and \\(im\\) denotes the imaginary part."^^qudt:LatexString ; - qudt:plainTextDescription "\"Reactance\" is the opposition of a circuit element to a change of electric current or voltage, due to that element's inductance or capacitance. A built-up electric field resists the change of voltage on the element, while a magnetic field resists the change of current. The notion of reactance is similar to electrical resistance, but they differ in several respects. Capacitance and inductance are inherent properties of an element, just like resistance." ; - qudt:symbol "X" ; - rdfs:isDefinedBy ; - rdfs:label "Reactance"@en ; - rdfs:seeAlso quantitykind:Impedance ; -. -quantitykind:ReactionEnergy - a qudt:QuantityKind ; - dcterms:description "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Reaction Energy\" in a nuclear reaction, is the sum of the kinetic energies and photon energies of the reaction products minus the sum of the kinetic and photon energies of the reactants." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Reaction Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:ReactivePower - a qudt:QuantityKind ; - dcterms:description "\"Reactive Power}, for a linear two-terminal element or two-terminal circuit, under sinusoidal conditions, is the quantity equal to the product of the apparent power \\(S\\) and the sine of the displacement angle \\(\\psi\\). The absolute value of the reactive power is equal to the non-active power. The ISO (and SI) unit for reactive power is the voltampere. The special name \\(\\textit{var}\\) and symbol \\(\\textit{var}\\) are given in IEC 60027 1."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV-A_Reactive ; - qudt:applicableUnit unit:MegaV-A_Reactive ; - qudt:applicableUnit unit:V-A_Reactive ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-44"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(Q = lm \\underline{S}\\), where \\(\\underline{S}\\) is complex power. Alternatively expressed as: \\(Q = S \\cdot \\sin \\psi\\), where \\(\\psi\\) is the displacement angle."^^qudt:LatexString ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Blindleistung"@de ; - rdfs:label "Jalový výkon"@cs ; - rdfs:label "Kuasa reaktif"@ms ; - rdfs:label "moc bierna"@pl ; - rdfs:label "potencia reactiva"@es ; - rdfs:label "potenza reattiva"@it ; - rdfs:label "potência reativa"@pt ; - rdfs:label "puissance réactive"@fr ; - rdfs:label "reactive power"@en ; - rdfs:label "reaktif güç"@tr ; - rdfs:label "القدرة الكهربائية الردفعلية;الردية"@ar ; - rdfs:label "توان راکتیو"@fa ; - rdfs:label "无功功率"@zh ; - rdfs:label "無効電力"@ja ; - rdfs:seeAlso quantitykind:ComplexPower ; - skos:broader quantitykind:ComplexPower ; -. -quantitykind:Reactivity - a qudt:QuantityKind ; - dcterms:description "\"Reactivity\" characterizes the deflection of reactor from the critical state."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_chain_reaction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = \\frac{k_{eff} - 1}{k_{eff}}\\), where \\(k_{eff}\\) is the effective multiplication factor."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Reactivity\" characterizes the deflection of reactor from the critical state." ; - rdfs:isDefinedBy ; - rdfs:label "Reactivity"@en ; -. -quantitykind:ReactorTimeConstant - a qudt:QuantityKind ; - dcterms:description "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://www.euronuclear.org/info/encyclopedia/r/reactor-time-constant.htm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Reactor Time Constant\", also called the reactor period, is the time during which the neutron flux density in a reactor changes by the factor e = 2.718 (e: basis of natural logarithms), when the neutron flux density increases or decreases exponentially." ; - qudt:symbol "T" ; - rdfs:isDefinedBy ; - rdfs:label "Reactor Time Constant"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:RecombinationCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume."^^rdf:HTML ; - qudt:applicableUnit unit:M3-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/recombination+coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(-\\frac{dn^+}{dt} = -\\frac{dn^-}{dt} = an^+n^-\\), where \\(n^+\\) and \\(n^-\\) are the ion number densities of positive and negative ions, respectively, recombined during an infinitesimal time interval with duration \\(dt\\)."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Recombination Coefficient\" is the rate of recombination of positive ions with electrons or negative ions in a gas, per unit volume, divided by the product of the number of positive ions per unit volume and the number of electrons or negative ions per unit volume." ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "Recombination Coefficient"@en ; -. -quantitykind:Reflectance - a qudt:QuantityKind ; - dcterms:description "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the reflected radiant flux, the reflected luminous flux, or the reflected sound power and \\(\\Phi_m\\) is the incident radiant flux, incident luminous flux, or incident sound power, respectively."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Reflectance generally refers to the fraction of incident power that is reflected at an interface, while the term \"reflection coefficient\" is used for the fraction of electric field reflected. Reflectance is always a real number between zero and 1.0." ; - rdfs:isDefinedBy ; - rdfs:label "Reflectance"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:ReflectanceFactor - a qudt:QuantityKind ; - dcterms:description "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.thefreedictionary.com/reflectance+factor"^^xsd:anyURI ; - qudt:latexDefinition "\\(R = \\frac{\\Phi_n}{\\Phi_d}\\), where \\(\\Phi_n\\) is the radiant flux or luminous flux reflected in the directions delimited by a given cone and \\(\\Phi_d\\) is the flux reflected in the same directions by an identically radiated diffuser of reflectance equal to 1."^^qudt:LatexString ; - qudt:plainTextDescription "Reflectance Factor is the measure of the ability of a surface to reflect light or other electromagnetic radiation, equal to the ratio of the reflected flux to the incident flux." ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Reflectance Factor"@en ; -. -quantitykind:Reflectivity - a qudt:QuantityKind ; - dcterms:description """

For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number.

- -

For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.

"""^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reflectivity"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription """For homogeneous and semi-infinite materials, reflectivity is the same as reflectance. Reflectivity is the square of the magnitude of the Fresnel reflection coefficient, which is the ratio of the reflected to incident electric field; as such the reflection coefficient can be expressed as a complex number as determined by the Fresnel equations for a single layer, whereas the reflectance is always a positive real number. - -For layered and finite media, according to the CIE, reflectivity is distinguished from reflectance by the fact that reflectivity is a value that applies to thick reflecting objects. When reflection occurs from thin layers of material, internal reflection effects can cause the reflectance to vary with surface thickness. Reflectivity is the limit value of reflectance as the sample becomes thick; it is the intrinsic reflectance of the surface, hence irrespective of other parameters such as the reflectance of the rear surface. Another way to interpret this is that the reflectance is the fraction of electromagnetic power reflected from a specific sample, while reflectivity is a property of the material itself, which would be measured on a perfect machine if the material filled half of all space.""" ; - rdfs:isDefinedBy ; - rdfs:label "Reflectivity"@en ; - skos:broader quantitykind:Reflectance ; -. -quantitykind:RefractiveIndex - a qudt:QuantityKind ; - dcterms:description "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Refractive_index"^^xsd:anyURI ; - qudt:latexDefinition "\\(n = \\frac{c_0}{c}\\), where \\(c_0\\) is the speed of light in vacuum, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; - qudt:plainTextDescription "\"refractive index\" or index of refraction n of a substance (optical medium) is a dimensionless number that describes how light, or any other radiation, propagates through that medium." ; - qudt:symbol "n" ; - rdfs:isDefinedBy ; - rdfs:label "Brechungsindex"@de ; - rdfs:label "Brechzahl"@de ; - rdfs:label "Indeks biasan"@ms ; - rdfs:label "Index lomu"@cs ; - rdfs:label "Indice de refracție"@ro ; - rdfs:label "Współczynnik załamania"@pl ; - rdfs:label "indice de réfraction"@fr ; - rdfs:label "indice di rifrazione"@it ; - rdfs:label "kırılma indeksi"@tr ; - rdfs:label "refractive index"@en ; - rdfs:label "índice de refracción"@es ; - rdfs:label "índice refrativo"@pt ; - rdfs:label "Показатель преломления"@ru ; - rdfs:label "ضریب شکست"@fa ; - rdfs:label "معامل الانكسار"@ar ; - rdfs:label "अपवर्तनांक"@hi ; - rdfs:label "屈折率"@ja ; - rdfs:label "折射率"@zh ; -. -quantitykind:RelativeAtomicMass - a qudt:QuantityKind ; - dcterms:description "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)"^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_atomic_mass"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "\"Relative Atomic Mass \" is a dimensionless physical quantity, the ratio of the average mass of atoms of an element (from a given source) to 1/12 of the mass of an atom of carbon-12 (known as the unified atomic mass unit)" ; - qudt:symbol "A_r" ; - rdfs:isDefinedBy ; - rdfs:label "Relative Atomic Mass"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:RelativeHumidity - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Relative Humidity}\\) is the ratio of the partial pressure of water vapor in an air-water mixture to the saturated vapor pressure of water at a prescribed temperature. The relative humidity of air depends not only on temperature but also on the pressure of the system of interest. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent."^^qudt:LatexString ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERCENT_RH ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_humidity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Humidity}\\) is also referred to as \\(\\textit{Relative Partial Pressure}\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Relative Humidity"@en ; - rdfs:seeAlso quantitykind:AbsoluteHumidity ; - skos:altLabel "RH" ; - skos:broader quantitykind:RelativePartialPressure ; -. -quantitykind:RelativeLuminousFlux - a qudt:QuantityKind ; - dcterms:description "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power."^^rdf:HTML ; - dcterms:isReplacedBy quantitykind:LuminousFluxRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_flux"^^xsd:anyURI ; - qudt:plainTextDescription "Relative Luminous Flux or Relative Luminous Power is the measure of the perceived power of light. It differs from radiant flux, the measure of the total power of light emitted, in that luminous flux is adjusted to reflect the varying sensitivity of the human eye to different wavelengths of light. It is expressed as a percentage or fraction of full power." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Relative Luminous Flux"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:RelativeMassConcentrationOfVapour - a qudt:QuantityKind ; - dcterms:description "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = v / v_{sat}\\), where \\(v\\) is mass concentration of water vapour, \\(v_{sat}\\) is its mass concentration of water vapour at saturation (at the same temperature). For normal cases, the relative partial pressure may be assumed to be equal to relative mass concentration of vapour."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Relative Mass Concentration of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; - rdfs:isDefinedBy ; - rdfs:label "Relative Mass Concentration of Vapour"@en ; - rdfs:seeAlso quantitykind:RelativePartialPressure ; -. -quantitykind:RelativeMassDefect - a qudt:QuantityKind ; - dcterms:description "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Binding_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(B_r = \\frac{B}{m_u}\\), where \\(B\\) is the mass defect and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Relative Mass Defect\" is the mass defect between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "B_r" ; - rdfs:isDefinedBy ; - rdfs:label "Relative Mass Defect"@en ; - rdfs:seeAlso quantitykind:MassDefect ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:RelativeMassDensity - a qudt:QuantityKind ; - dcterms:description "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(d = \\frac{\\rho}{\\rho_0}\\), where \\(\\rho\\) is mass density of a substance and \\(\\rho_0\\) is the mass density of a reference substance under conditions that should be specified for both substances."^^qudt:LatexString ; - qudt:plainTextDescription "Relative density, or specific gravity, is the ratio of the density (mass of a unit volume) of a substance to the density of a given reference material." ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Relative Mass Density"@en ; -. -quantitykind:RelativeMassExcess - a qudt:QuantityKind ; - dcterms:description "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mass_excess"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\Delta_r = \\frac{\\Delta}{m_u}\\), where \\(\\Delta\\) is the mass excess and \\(m_u\\) is the unified atomic mass constant."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\Delta_r\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Relative Mass Excess\" is the mass excess between the monoisotopic mass of an element and the mass of its A + 1 or its A + 2 isotopic cluster (extrapolated from relative mass defect)." ; - rdfs:isDefinedBy ; - rdfs:label "Relative Mass Excess"@en ; -. -quantitykind:RelativeMassRatioOfVapour - a qudt:QuantityKind ; - dcterms:description "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\psi = x / x_{sat}\\), where \\(x\\) is mass ratio of water vapour to dry gas, \\(x_{sat}\\) is its mass raio of water vapour to dry gas at saturation (at the same temperature)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Relative Mass Ratio of Vapour\" is one of a number of \"Relative Concentration\" quantities defined by ISO 8000." ; - rdfs:isDefinedBy ; - rdfs:label "Relative Mass Ratio of Vapour"@en ; -. -quantitykind:RelativeMolecularMass - a qudt:QuantityKind ; - dcterms:description "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Molecular_mass#Relative_molecular_mass"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "\"Relative Molecular Mass \" is equivalent to the numerical value of the molecular mass expressed in unified atomic mass units. The molecular mass (m) is the mass of a molecule." ; - qudt:symbol "M_r" ; - rdfs:isDefinedBy ; - rdfs:label "Relative Molecular Mass"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:RelativePartialPressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:PERCENT ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi = p / p_{sat}\\), where \\(p\\) is partial pressure of vapour, \\(p_{sat}\\) is thermodynamic temperature and \\(V\\) is its partial pressure at saturation (at the same temperature). Relative partial pressure is often referred to as \\(RH\\) and expressed in percent. \\(\\textit{Relative Partial Pressure}\\) is also referred to as \\(\\textit{Relative Humidity}\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Relative Partial Pressure"@en ; - skos:altLabel "RH" ; - skos:broader quantitykind:PressureRatio ; -. -quantitykind:RelativePressureCoefficient - a qudt:QuantityKind ; - qudt:applicableUnit unit:PER-K ; - qudt:expression "\\(rel-pres-coef\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_p = \\frac{1}{p}\\left (\\frac{\\partial p}{\\partial T} \\right )_V\\), where \\(p\\) is \\(pressure\\), \\(T\\) is thermodynamic temperature and \\(V\\) is volume."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_p\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Relative Pressure Coefficient"@en ; -. -quantitykind:RelaxationTIme - a qudt:QuantityKind ; - dcterms:description "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relaxation_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Relaxation TIme\" is a time constant for exponential decay towards equilibrium." ; - rdfs:isDefinedBy ; - rdfs:label "Relaxation TIme"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:Reluctance - a qudt:QuantityKind ; - dcterms:description "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Magnetic_reluctance"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(R_m = \\frac{U_m}{\\Phi}\\), where \\(U_m\\) is magnetic tension, and \\(\\Phi\\) is magnetic flux."^^qudt:LatexString ; - qudt:plainTextDescription "\"Reluctance\" or magnetic resistance, is a concept used in the analysis of magnetic circuits. It is analogous to resistance in an electrical circuit, but rather than dissipating electric energy it stores magnetic energy. In likeness to the way an electric field causes an electric current to follow the path of least resistance, a magnetic field causes magnetic flux to follow the path of least magnetic reluctance. It is a scalar, extensive quantity, akin to electrical resistance." ; - qudt:symbol "R_m" ; - rdfs:isDefinedBy ; - rdfs:label "Reluctance"@en ; - rdfs:seeAlso quantitykind:MagneticFlux ; - rdfs:seeAlso quantitykind:MagneticTension ; -. -quantitykind:ResidualResistivity - a qudt:QuantityKind ; - dcterms:description "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature."^^rdf:HTML ; - qudt:applicableUnit unit:OHM-M ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Residual-resistance_ratio"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\rho_R\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Residual Resistivity\" for metals, is the resistivity extrapolated to zero thermodynamic temperature." ; - rdfs:isDefinedBy ; - rdfs:label "Residual Resistivity"@en ; -. -quantitykind:Resistance - a qudt:QuantityKind ; - dcterms:description "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current."^^rdf:HTML ; - qudt:applicableUnit unit:GigaOHM ; - qudt:applicableUnit unit:KiloOHM ; - qudt:applicableUnit unit:MegaOHM ; - qudt:applicableUnit unit:MicroOHM ; - qudt:applicableUnit unit:MilliOHM ; - qudt:applicableUnit unit:OHM ; - qudt:applicableUnit unit:OHM_Ab ; - qudt:applicableUnit unit:OHM_Stat ; - qudt:applicableUnit unit:PlanckImpedance ; - qudt:applicableUnit unit:TeraOHM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Resistance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-45"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(R = \\frac{u}{i}\\), where \\(u\\) is instantaneous voltage and \\(i\\) is instantaneous electric current."^^qudt:LatexString ; - qudt:plainTextDescription "The electrical resistance of an object is a measure of its opposition to the passage of a steady electric current." ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Resistance"@en ; - rdfs:seeAlso quantitykind:ElectricCurrent ; - rdfs:seeAlso quantitykind:Impedance ; - rdfs:seeAlso quantitykind:InstantaneousPower ; -. -quantitykind:ResistancePercentage - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:ResistanceRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Resistance Percentage"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:ResistanceRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E-2L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Resistance Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:Resistivity - a qudt:QuantityKind ; - dcterms:description "\"Resistivity\" is the inverse of the conductivity when this inverse exists."^^rdf:HTML ; - qudt:applicableUnit unit:OHM-M ; - qudt:applicableUnit unit:OHM-M2-PER-M ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-12-04"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho = \\frac{1}{\\sigma}\\), if it exists, where \\(\\sigma\\) is conductivity."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Resistivity\" is the inverse of the conductivity when this inverse exists." ; - rdfs:isDefinedBy ; - rdfs:label "Resistivity"@en ; - rdfs:seeAlso quantitykind:Conductivity ; -. -quantitykind:ResonanceEnergy - a qudt:QuantityKind ; - dcterms:description "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nuclear_reaction_analysis"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Resonance Energy\" in a nuclear reaction, is the kinetic energy of an incident particle, in the reference frame of the target, corresponding to a resonance in a nuclear reaction." ; - qudt:symbol "E_r, E_{res}" ; - rdfs:isDefinedBy ; - rdfs:label "Resonance Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:ResonanceEscapeProbability - a qudt:QuantityKind ; - dcterms:description "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Resonance Escape Probability\" is the fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed. In an infinite medium, the probability that a neutron slowing down will traverse all or some specified portion of the range of resonance energies without being absorbed." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Resonance Escape Probability"@en ; -. -quantitykind:ResonanceEscapeProbabilityForFission - a qudt:QuantityKind ; - dcterms:description "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "Fraction of fission neutrons that manage to slow down from fission to thermal energies without being absorbed." ; - qudt:symbol "p" ; - rdfs:isDefinedBy ; - rdfs:label "Resonance Escape Probability For Fission"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:RespiratoryRate - a qudt:QuantityKind ; - dcterms:description "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea."^^rdf:HTML ; - qudt:applicableUnit unit:BREATH-PER-MIN ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Respiratory_rate"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Respiratory_rate"^^xsd:anyURI ; - qudt:plainTextDescription "Respiratory rate (Vf, Rf or RR) is also known by respiration rate, pulmonary ventilation rate, ventilation rate, or breathing frequency is the number of breaths taken within a set amount of time, typically 60 seconds. A normal respiratory rate is termed eupnea, an increased respiratory rate is termed tachypnea and a lower than normal respiratory rate is termed bradypnea." ; - qudt:symbol "Vf, Rf or RR" ; - rdfs:isDefinedBy ; - rdfs:label "Respiratory Rate"@en ; -. -quantitykind:RestEnergy - a qudt:QuantityKind ; - dcterms:description "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass#Rest_energy"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "For a particle, \\(E_0 = m_0 c_0^2\\), where \\(m_0\\) is the rest mass of that particle, and \\(c_0\\) is the speed of light in vacuum."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Rest Energy\" is the energy equivalent of the rest mass of a body, equal to the rest mass multiplied by the speed of light squared." ; - qudt:symbol "E_0" ; - rdfs:isDefinedBy ; - rdfs:label "Rest Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:RestMass - a qudt:QuantityKind ; - dcterms:description "The \\(\\textit{Rest Mass}\\), the invariant mass, intrinsic mass, proper mass, or (in the case of bound systems or objects observed in their center of momentum frame) simply mass, is a characteristic of the total energy and momentum of an object or a system of objects that is the same in all frames of reference related by Lorentz transformations. The mass of a particle type X (electron, proton or neutron) when that particle is at rest. For an electron: \\(m_e = 9,109 382 15(45) 10^{-31} kg\\), for a proton: \\(m_p = 1,672 621 637(83) 10^{-27} kg\\), for a neutron: \\(m_n = 1,674 927 211(84) 10^{-27} kg\\). Rest mass is often denoted \\(m_0\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Invariant_mass"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31895"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m_X" ; - rdfs:isDefinedBy ; - rdfs:label "Jisim rehat"@ms ; - rdfs:label "Klidová hmotnost"@cs ; - rdfs:label "Mirovna masa"@sl ; - rdfs:label "Ruhemasse"@de ; - rdfs:label "dinlenme kütlesi"@tr ; - rdfs:label "invariantna masa"@sl ; - rdfs:label "lastna masa"@sl ; - rdfs:label "masa invariante"@es ; - rdfs:label "masa invariantă"@ro ; - rdfs:label "masa niezmiennicza"@pl ; - rdfs:label "masa spoczynkowa"@pl ; - rdfs:label "massa a riposo"@it ; - rdfs:label "massa de repouso"@pt ; - rdfs:label "masse au repos"@fr ; - rdfs:label "masse invariante"@fr ; - rdfs:label "masse propre"@fr ; - rdfs:label "rest mass"@en ; - rdfs:label "träge Masse"@de ; - rdfs:label "инвариантная масса"@ru ; - rdfs:label "масса покоя"@ru ; - rdfs:label "جرم سکون"@fa ; - rdfs:label "كتلة ساكنة"@ar ; - rdfs:label "निश्चर द्रव्यमान"@hi ; - rdfs:label "不変質量"@ja ; - rdfs:label "静止质量"@zh ; - skos:altLabel "Proper Mass" ; - skos:broader quantitykind:Mass ; -. -quantitykind:ReverberationTime - a qudt:QuantityKind ; - dcterms:description "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reverberation"^^xsd:anyURI ; - qudt:plainTextDescription "Reverberation Time is the time required for reflections of a direct sound to decay by 60 dB below the level of the direct sound." ; - qudt:symbol "T" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Reverberation Time"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:ReynoldsNumber - a qudt:QuantityKind ; - dcterms:description "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Reynolds_number"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Reynolds_number"^^xsd:anyURI ; - qudt:latexDefinition "\\(Re = \\frac{\\rho uL}{\\mu} = \\frac{uL}{\\nu}\\), where \\(\\rho\\) is mass density, \\(u\\) is speed, \\(L\\) is length, \\(\\mu\\) is dynamic viscosity, and \\(\\nu\\) is kinematic viscosity."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31896"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Reynolds Number\" (Re) is a dimensionless number that gives a measure of the ratio of inertial forces to viscous forces and consequently quantifies the relative importance of these two types of forces for given flow conditions." ; - qudt:symbol "Re" ; - rdfs:isDefinedBy ; - rdfs:label "Reynolds Number"@en ; - skos:broader quantitykind:DimensionlessRatio ; - skos:closeMatch ; -. -quantitykind:RichardsonConstant - a qudt:QuantityKind ; - dcterms:description "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-M2-K2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermionic_emission"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "The thermionic emission current, \\(J\\), for a metal is \\(J = AT^2\\exp{(-\\frac{\\Phi}{kT})}\\), where \\(T\\) is thermodynamic temperature, \\(k\\) is the Boltzmann constant, and \\(\\Phi\\) is a work function."^^qudt:LatexString ; - qudt:plainTextDescription "\"Richardson Constant\" is a constant used in developing thermionic emission current density for a metal." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Richardson Constant"@en ; -. -quantitykind:RocketAtmosphericTransverseForce - a qudt:QuantityKind ; - dcterms:description "Transverse force on rocket due to an atmosphere"^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:plainTextDescription "Transverse force on rocket due to an atmosphere" ; - qudt:symbol "T" ; - rdfs:isDefinedBy ; - rdfs:label "Rocket Atmospheric Transverse Force"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:RotationalMass - a qudt:QuantityKind ; - dcterms:description "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:exactMatch quantitykind:MomentOfInertia ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcrotationalmassmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "\"Rotational Mass\" denotes the inertia of a body with respect to angular acceleration. It is usually measured in kg*m^2." ; - rdfs:isDefinedBy ; - rdfs:label "Rotational Mass"@en ; -. -quantitykind:RotationalStiffness - a qudt:QuantityKind ; - dcterms:description "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque."^^rdf:HTML ; - qudt:applicableUnit unit:N-M-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:plainTextDescription "Rotational Stiffness is the extent to which an object resists deformation in response to an applied torque." ; - rdfs:isDefinedBy ; - rdfs:label "Rotational Stiffness"@en ; - skos:broader quantitykind:TorquePerAngle ; -. -quantitykind:ScalarMagneticPotential - a qudt:QuantityKind ; - dcterms:description "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient."^^rdf:HTML ; - qudt:applicableUnit unit:V-SEC-PER-M ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-58"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mathbf{H} = -grad V_m\\), where \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Scalar Magnetic Potential\" is the scalar potential of an irrotational magnetic field strength. The negative of the gradient of the scalar magnetic potential is the irrotational magnetic field strength. The magnetic scalar potential is not unique since any constant scalar field can be added to it without changing its gradient." ; - qudt:symbol "V_m" ; - rdfs:isDefinedBy ; - rdfs:label "Scalar Magnetic Potential"@en ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; -. -quantitykind:SecondAxialMomentOfArea - a qudt:QuantityKind ; - dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; - qudt:applicableUnit unit:IN4 ; - qudt:applicableUnit unit:M4 ; - qudt:applicableUnit unit:MilliM4 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(I_a = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; - qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Second Axial Moment of Area"@en ; -. -quantitykind:SecondMomentOfArea - a qudt:QuantityKind ; - dcterms:description "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-CentiM2 ; - qudt:applicableUnit unit:KiloGM-M2 ; - qudt:applicableUnit unit:KiloGM-MilliM2 ; - qudt:applicableUnit unit:LB-FT2 ; - qudt:applicableUnit unit:LB-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; - qudt:plainTextDescription "The second moment of area is a property of a physical object that can be used to predict its resistance to bending and deflection. The deflection of an object under load depends not only on the load, but also on the geometry of the object's cross-section." ; - qudt:symbol "J" ; - rdfs:isDefinedBy ; - rdfs:label "Flächenträgheitsmoment"@de ; - rdfs:label "Geometryczny moment bezwładności"@pl ; - rdfs:label "Segundo momento de área"@pt ; - rdfs:label "moment quadratique"@fr ; - rdfs:label "momento de inércia de área"@pt ; - rdfs:label "second moment of area"@en ; - rdfs:label "secondo momento di area"@it ; - rdfs:label "segundo momento de érea"@es ; - rdfs:label "گشتاور دوم سطح"@fa ; - rdfs:label "क्षेत्रफल का द्वितीय आघूर्ण"@hi ; - rdfs:label "截面二次轴矩"@zh ; - rdfs:label "断面二次モーメント"@ja ; - skos:broader quantitykind:MomentOfInertia ; -. -quantitykind:SecondOrderReactionRateConstant - a qudt:QuantityKind ; - dcterms:description "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM3-PER-MOL-SEC ; - qudt:applicableUnit unit:M3-PER-MOL-SEC ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; - qudt:plainTextDescription "A quantity kind that is a proportionality constant that quantifies the relationship between the molar concentrations of the reactants and the rate of a second order chemical reaction." ; - rdfs:isDefinedBy ; - rdfs:label "Reaction Rate Constant"@en ; -. -quantitykind:SecondPolarMomentOfArea - a qudt:QuantityKind ; - dcterms:description "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis."^^rdf:HTML ; - qudt:applicableUnit unit:M4 ; - qudt:applicableUnit unit:MilliM4 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Second_moment_of_area"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(I_p = \\int r^2_Q dA\\), where \\(r_Q\\) is the radial distance from a \\(Q-axis\\) and \\(A\\) is area."^^qudt:LatexString ; - qudt:plainTextDescription "The moment of inertia, also called mass moment of inertia, rotational inertia, polar moment of inertia of mass, or the angular mass is a property of a distribution of mass in space that measures its resistance to rotational acceleration about an axis." ; - qudt:symbol "I" ; - rdfs:isDefinedBy ; - rdfs:label "Second Polar Moment of Area"@en ; -. -quantitykind:SecondStageMassRatio - a qudt:QuantityKind ; - dcterms:description "Mass ratio for the second stage of a multistage launcher."^^rdf:HTML ; - qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; - qudt:applicableUnit unit:GM-PER-GM ; - qudt:applicableUnit unit:GM-PER-KiloGM ; - qudt:applicableUnit unit:KiloGM-PER-KiloGM ; - qudt:applicableUnit unit:MicroGM-PER-GM ; - qudt:applicableUnit unit:MicroGM-PER-KiloGM ; - qudt:applicableUnit unit:MilliGM-PER-GM ; - qudt:applicableUnit unit:MilliGM-PER-KiloGM ; - qudt:applicableUnit unit:NanoGM-PER-KiloGM ; - qudt:applicableUnit unit:PicoGM-PER-GM ; - qudt:applicableUnit unit:PicoGM-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "Mass ratio for the second stage of a multistage launcher." ; - qudt:symbol "R_2" ; - rdfs:isDefinedBy ; - rdfs:label "Second Stage Mass Ratio"@en ; - skos:broader quantitykind:MassRatio ; -. -quantitykind:SectionAreaIntegral - a qudt:QuantityKind ; - dcterms:description "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵."^^rdf:HTML ; - qudt:applicableUnit unit:M5 ; - qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcsectionalareaintegralmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The sectional area integral measure is typically used in torsional analysis. It is usually measured in M⁵." ; - rdfs:isDefinedBy ; - rdfs:label "Section Area Integral"@en ; -. -quantitykind:SectionModulus - a qudt:QuantityKind ; - dcterms:description "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members."^^rdf:HTML ; - qudt:applicableUnit unit:M3 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Section_modulus"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z = \\frac{I_a}{(r_Q)_{max}}\\), where \\(I_a\\) is the second axial moment of area and \\((r_Q)_{max}\\) is the maximum radial distance of any point in the surface considered from the \\(Q-axis\\) with respect to which \\(I_a\\) is defined."^^qudt:LatexString ; - qudt:plainTextDescription "The Section Modulus is a geometric property for a given cross-section used in the design of beams or flexural members." ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "Section Modulus"@en ; -. -quantitykind:SeebeckCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material."^^rdf:HTML ; - qudt:applicableUnit unit:V-PER-K ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermopower"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(S_{ab} = \\frac{dE_{ab}}{dT}\\), where \\(E_{ab}\\) is the thermosource voltage between substances a and b, \\(T\\) is the thermodynamic temperature of the hot junction."^^qudt:LatexString ; - qudt:plainTextDescription "\"Seebeck Coefficient\", or thermopower, or thermoelectric power of a material is a measure of the magnitude of an induced thermoelectric voltage in response to a temperature difference across that material." ; - qudt:symbol "S_{ab}" ; - rdfs:isDefinedBy ; - rdfs:label "Seebeck Coefficient"@en ; -. -quantitykind:SerumOrPlasmaLevel - a qudt:QuantityKind ; - qudt:applicableUnit unit:IU-PER-L ; - qudt:applicableUnit unit:IU-PER-MilliL ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Serum or Plasma Level"@en ; - skos:broader quantitykind:AmountOfSubstancePerUnitVolume ; -. -quantitykind:ShannonDiversityIndex - a qudt:QuantityKind ; - dcterms:description "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity."^^rdf:HTML ; - qudt:applicableUnit unit:BAN ; - qudt:applicableUnit unit:BIT ; - qudt:applicableUnit unit:BYTE ; - qudt:applicableUnit unit:ERLANG ; - qudt:applicableUnit unit:ExaBYTE ; - qudt:applicableUnit unit:ExbiBYTE ; - qudt:applicableUnit unit:GibiBYTE ; - qudt:applicableUnit unit:GigaBYTE ; - qudt:applicableUnit unit:HART ; - qudt:applicableUnit unit:KibiBYTE ; - qudt:applicableUnit unit:KiloBYTE ; - qudt:applicableUnit unit:MebiBYTE ; - qudt:applicableUnit unit:MegaBYTE ; - qudt:applicableUnit unit:NAT ; - qudt:applicableUnit unit:PebiBYTE ; - qudt:applicableUnit unit:PetaBYTE ; - qudt:applicableUnit unit:SHANNON ; - qudt:applicableUnit unit:TebiBYTE ; - qudt:applicableUnit unit:TeraBYTE ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "Information entropy applied to a collection of indiviual organisms [of selected species] in a sample area. A measure of biodiversity." ; - rdfs:isDefinedBy ; - rdfs:label "Shannon Diversity Index" ; - skos:broader quantitykind:InformationEntropy ; -. -quantitykind:ShearModulus - a qudt:QuantityKind ; - dcterms:description "The Shear Modulus or modulus of rigidity, denoted by \\(G\\), or sometimes \\(S\\) or \\(\\mu\\), is defined as the ratio of shear stress to the shear strain."^^qudt:LatexString ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Shear_modulus"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(G = \\frac{\\tau}{\\gamma}\\), where \\(\\tau\\) is the shear stress and \\(\\gamma\\) is the shear strain."^^qudt:LatexString ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Shear Modulus"@en ; -. -quantitykind:ShearStrain - a qudt:QuantityKind ; - dcterms:description "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. "^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\gamma = \\frac{\\Delta x}{d}\\), where \\(\\Delta x\\) is the parallel displacement between two surfaces of a layer of thickness \\(d\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Shear Strain is the amount of deformation perpendicular to a given line rather than parallel to it. " ; - rdfs:isDefinedBy ; - rdfs:label "Shear Strain"@en ; - skos:broader quantitykind:Strain ; -. -quantitykind:ShearStress - a qudt:QuantityKind ; - dcterms:description "Shear stress occurs when the force occurs in shear, or perpendicular to the normal."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stress_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\tau = \\frac{dF_t}{dA}\\), where \\(dF_t\\) is the tangential component of force and \\(dA\\) is the area of the surface element."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Shear stress occurs when the force occurs in shear, or perpendicular to the normal." ; - rdfs:isDefinedBy ; - rdfs:label "Shear Stress" ; - skos:broader quantitykind:Stress ; -. -quantitykind:Short-RangeOrderParameter - a qudt:QuantityKind ; - dcterms:description "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(r, \\sigma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Short-Range Order Parameter\" is the fraction of the nearest-neighbor atom pairs in an Ising ferromagnet having magnetic moments in one direction, minus the fraction having magnetic moments in the opposite direction." ; - rdfs:isDefinedBy ; - rdfs:label "Short-Range Order Parameter"@en ; -. -quantitykind:SignalDetectionThreshold - a qudt:QuantityKind ; - qudt:applicableUnit unit:DeciB_C ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - rdfs:isDefinedBy ; - rdfs:label "Signal Detection Threshold"@en ; -. -quantitykind:SignalStrength - a qudt:QuantityKind ; - dcterms:description "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)."^^rdf:HTML ; - qudt:applicableUnit unit:KiloV-PER-M ; - qudt:applicableUnit unit:MegaV-PER-M ; - qudt:applicableUnit unit:MicroV-PER-M ; - qudt:applicableUnit unit:MilliV-PER-M ; - qudt:applicableUnit unit:V-PER-CentiM ; - qudt:applicableUnit unit:V-PER-IN ; - qudt:applicableUnit unit:V-PER-M ; - qudt:applicableUnit unit:V-PER-MilliM ; - qudt:applicableUnit unit:V_Ab-PER-CentiM ; - qudt:applicableUnit unit:V_Stat-PER-CentiM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Signal_strength"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:plainTextDescription "In telecommunications, particularly in radio, signal strength refers to the magnitude of the electric field at a reference point that is a significant distance from the transmitting antenna. It may also be referred to as received signal level or field strength. Typically, it is expressed in voltage per length or signal power received by a reference antenna. High-powered transmissions, such as those used in broadcasting, are expressed in dB-millivolts per metre (dBmV/m)." ; - rdfs:isDefinedBy ; - rdfs:label "Signal Strength"@en ; - skos:broader quantitykind:ElectricField ; - skos:broader quantitykind:ElectricFieldStrength ; -. -quantitykind:SingleStageLauncherMassRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FemtoGM-PER-KiloGM ; - qudt:applicableUnit unit:GM-PER-GM ; - qudt:applicableUnit unit:GM-PER-KiloGM ; - qudt:applicableUnit unit:KiloGM-PER-KiloGM ; - qudt:applicableUnit unit:MicroGM-PER-GM ; - qudt:applicableUnit unit:MicroGM-PER-KiloGM ; - qudt:applicableUnit unit:MilliGM-PER-GM ; - qudt:applicableUnit unit:MilliGM-PER-KiloGM ; - qudt:applicableUnit unit:NanoGM-PER-KiloGM ; - qudt:applicableUnit unit:PicoGM-PER-GM ; - qudt:applicableUnit unit:PicoGM-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:symbol "R_o" ; - rdfs:isDefinedBy ; - rdfs:label "Single Stage Launcher Mass Ratio"@en ; - skos:broader quantitykind:MassRatio ; -. -quantitykind:Slowing-DownArea - a qudt:QuantityKind ; - dcterms:description "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Slowing-Down Area\" in an infinite homogenous medium, is one-sixth of the mean square distance between the neutron source and the point where a neutron reaches a given energy." ; - qudt:symbol "L_s^2" ; - rdfs:isDefinedBy ; - rdfs:label "Slowing-Down Area"@en ; - skos:broader quantitykind:Area ; -. -quantitykind:Slowing-DownDensity - a qudt:QuantityKind ; - dcterms:description "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time."^^rdf:HTML ; - qudt:applicableUnit unit:PER-M3-SEC ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/slowing-down+density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(q = -\\frac{dn}{dt}\\), where \\(n\\) is the number density and \\(dt\\) is the duration."^^qudt:LatexString ; - qudt:plainTextDescription "\"Slowing-Down Density\" is a measure of the rate at which neutrons lose energy in a nuclear reactor through collisions; equal to the number of neutrons that fall below a given energy per unit volume per unit time." ; - qudt:symbol "q" ; - rdfs:isDefinedBy ; - rdfs:label "Slowing-Down Density"@en ; -. -quantitykind:Slowing-DownLength - a qudt:QuantityKind ; - dcterms:description "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://nuclearpowertraining.tpub.com/h1013v2/css/h1013v2_32.htm"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Slowing-Down Length\" is the average straight-line distance that a fast neutron will travel between its introduction into the slowing-downmedium (moderator) and thermalization." ; - qudt:symbol "L_s" ; - rdfs:isDefinedBy ; - rdfs:label "Slowing-Down Length"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:SoilAdsorptionCoefficient - a qudt:QuantityKind ; - dcterms:description "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium."^^rdf:HTML ; - qudt:applicableUnit unit:L-PER-KiloGM ; - qudt:applicableUnit unit:M3-PER-KiloGM ; - qudt:applicableUnit unit:MilliL-PER-GM ; - qudt:applicableUnit unit:MilliM3-PER-GM ; - qudt:applicableUnit unit:MilliM3-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:plainTextDescription "A specific volume that is the ratio of the amount of substance adsorbed per unit weight of organic carbon in the soil or sediment to the concentration of the chemical in aqueous solution at equilibrium." ; - rdfs:isDefinedBy ; - rdfs:label "Soil Adsorption Coefficient"@en ; - skos:broader quantitykind:SpecificVolume ; -. -quantitykind:SolidAngle - a qudt:QuantityKind ; - dcterms:description "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi."^^rdf:HTML ; - qudt:applicableUnit unit:DEG2 ; - qudt:applicableUnit unit:FA ; - qudt:applicableUnit unit:SR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Solid_angle"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "The solid angle subtended by a surface S is defined as the surface area of a unit sphere covered by the surface S's projection onto the sphere. A solid angle is related to the surface of a sphere in the same way an ordinary angle is related to the circumference of a circle. Since the total surface area of the unit sphere is 4*pi, the measure of solid angle will always be between 0 and 4*pi." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Prostorový úhel"@cs ; - rdfs:label "Raumwinkel"@de ; - rdfs:label "Sudut padu"@ms ; - rdfs:label "angle solide"@fr ; - rdfs:label "angolo solido"@it ; - rdfs:label "angulus solidus"@la ; - rdfs:label "katı cisimdeki açı"@tr ; - rdfs:label "kąt bryłowy"@pl ; - rdfs:label "prostorski kot"@sl ; - rdfs:label "solid angle"@en ; - rdfs:label "térszög"@hu ; - rdfs:label "unghi solid"@ro ; - rdfs:label "ángulo sólido"@es ; - rdfs:label "ângulo sólido"@pt ; - rdfs:label "Στερεά γωνία"@el ; - rdfs:label "Пространствен ъгъл"@bg ; - rdfs:label "Телесный угол"@ru ; - rdfs:label "זווית מרחבית"@he ; - rdfs:label "الزاوية الصلبة"@ar ; - rdfs:label "زاویه فضایی"@fa ; - rdfs:label "आयतन"@hi ; - rdfs:label "立体角"@ja ; - rdfs:label "立体角度"@zh ; - skos:broader quantitykind:AreaRatio ; -. -quantitykind:SolidStateDiffusionLength - a qudt:QuantityKind ; - dcterms:description "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor "^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://pveducation.org/pvcdrom/pn-junction/diffusion-length"^^xsd:anyURI ; - qudt:latexDefinition "\\(L = \\sqrt{D\\tau}\\), where \\(D\\) is the diffusion coefficient and \\(\\tau\\) is lifetime."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Solid State Diffusion Length\" is the average distance traveled by a particle, such as a minority carrier in a semiconductor " ; - qudt:symbol "L, L_n, L_p" ; - rdfs:isDefinedBy ; - rdfs:label "Diffusion Length (Solid State Physics)"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Solubility_Water - a qudt:QuantityKind ; - dcterms:description "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in."^^rdf:HTML ; - qudt:applicableUnit unit:FemtoMOL-PER-L ; - qudt:applicableUnit unit:KiloMOL-PER-M3 ; - qudt:applicableUnit unit:MOL-PER-DeciM3 ; - qudt:applicableUnit unit:MOL-PER-L ; - qudt:applicableUnit unit:MOL-PER-M3 ; - qudt:applicableUnit unit:MicroMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-L ; - qudt:applicableUnit unit:MilliMOL-PER-M3 ; - qudt:applicableUnit unit:PicoMOL-PER-L ; - qudt:applicableUnit unit:PicoMOL-PER-M3 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:plainTextDescription "An amount of substance per unit volume that is the concentration of a saturated solution expressed as the ratio of the solute concentration over the volume of water. A substance's solubility fundamentally depends on several physical and chemical properties of the solution as well as the environment it is in." ; - rdfs:isDefinedBy ; - rdfs:label "Water Solubility"@en ; - skos:broader quantitykind:AmountOfSubstancePerUnitVolume ; -. -quantitykind:SoundEnergyDensity - a qudt:QuantityKind ; - dcterms:description "Sound energy density is the time-averaged sound energy in a given volume divided by that volume. The sound energy density or sound density (symbol \\(E\\) or \\(w\\)) is an adequate measure to describe the sound field at a given point as a sound energy value."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-FT3 ; - qudt:applicableUnit unit:BTU_TH-PER-FT3 ; - qudt:applicableUnit unit:ERG-PER-CentiM3 ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:applicableUnit unit:MegaJ-PER-M3 ; - qudt:applicableUnit unit:W-HR-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_energy_density"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = \\frac{I}{c}\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(c\\) is the sound speed in \\(\\frac{m}{s}\\)."^^qudt:LatexString ; - qudt:symbol "E" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound energy density"@en ; - skos:broader quantitykind:EnergyDensity ; -. -quantitykind:SoundExposure - a qudt:QuantityKind ; - dcterms:description "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E."^^rdf:HTML ; - qudt:applicableUnit unit:PA2-SEC ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; - qudt:informativeReference "http://www.acoustic-glossary.co.uk/definitions-s.htm"^^xsd:anyURI ; - qudt:latexDefinition "\\(E = \\int_{t1}^{t2}p^2dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(p\\) is the sound pressure."^^qudt:LatexString ; - qudt:plainTextDescription "Sound Exposure is the energy of the A-weighted sound calculated over the measurement time(s). For a given period of time, an increase of 10 dB(A) in sound pressure level corresponds to a tenfold increase in E." ; - qudt:symbol "E" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound exposure"@en ; -. -quantitykind:SoundExposureLevel - a qudt:QuantityKind ; - dcterms:description "Sound Exposure Level abbreviated as \\(SEL\\) and \\(LAE\\), is the total noise energy produced from a single noise event, expressed as a logarithmic ratio from a reference level."^^qudt:LatexString ; - qudt:applicableUnit unit:B ; - qudt:applicableUnit unit:DeciB ; - qudt:applicableUnit unit:DeciB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.diracdelta.co.uk/science/source/s/o/sound%20exposure%20level/source.html"^^xsd:anyURI ; - qudt:latexDefinition "\\(L_E = 10 \\log_{10} \\frac{E}{E_0} dB\\), where \\(E\\) is sound power and the reference value is \\(E_0 = 400 \\mu Pa^2 s\\)."^^qudt:LatexString ; - qudt:symbol "L" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound exposure level"@en ; -. -quantitykind:SoundIntensity - a qudt:QuantityKind ; - dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; - qudt:abbreviation "w/m2" ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; - qudt:latexDefinition "\\(I = pv\\), where \\(p\\) is the sound pressure and \\(v\\) is sound particle velocity."^^qudt:LatexString ; - qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; - qudt:symbol "I" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound intensity"@en ; - skos:broader quantitykind:PowerPerArea ; -. -quantitykind:SoundParticleAcceleration - a qudt:QuantityKind ; - dcterms:description "In a compressible sound transmission medium - mainly air - air particles get an accelerated motion: the particle acceleration or sound acceleration with the symbol a in \\(m/s2\\). In acoustics or physics, acceleration (symbol: \\(a\\)) is defined as the rate of change (or time derivative) of velocity."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiM-PER-SEC2 ; - qudt:applicableUnit unit:FT-PER-SEC2 ; - qudt:applicableUnit unit:G ; - qudt:applicableUnit unit:GALILEO ; - qudt:applicableUnit unit:IN-PER-SEC2 ; - qudt:applicableUnit unit:KN-PER-SEC ; - qudt:applicableUnit unit:KiloPA-M2-PER-GM ; - qudt:applicableUnit unit:M-PER-SEC2 ; - qudt:applicableUnit unit:MicroG ; - qudt:applicableUnit unit:MilliG ; - qudt:applicableUnit unit:MilliGAL ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_acceleration"^^xsd:anyURI ; - qudt:latexDefinition "\\(a = \\frac{\\partial v}{\\partial t}\\), where \\(v\\) is sound particle velocity and \\(t\\) is time."^^qudt:LatexString ; - qudt:symbol "a" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound particle acceleration"@en ; - skos:broader quantitykind:Acceleration ; -. -quantitykind:SoundParticleDisplacement - a qudt:QuantityKind ; - dcterms:description "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves."^^rdf:HTML ; - qudt:abbreviation "l" ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_displacement"^^xsd:anyURI ; - qudt:plainTextDescription "Sound Particle Displacement is the nstantaneous displacement of a particle in a medium from what would be its position in the absence of sound waves." ; - qudt:symbol "ξ" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound Particle Displacement"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:SoundParticleVelocity - a qudt:QuantityKind ; - dcterms:description "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:KiloHZ-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Particle_velocity"^^xsd:anyURI ; - qudt:latexDefinition "\\(v = \\frac{\\partial\\delta }{\\partial t}\\), where \\(\\delta\\) is sound particle displacement and \\(t\\) is time."^^qudt:LatexString ; - qudt:plainTextDescription "Sound Particle velocity is the velocity v of a particle (real or imagined) in a medium as it transmits a wave. In many cases this is a longitudinal wave of pressure as with sound, but it can also be a transverse wave as with the vibration of a taut string. When applied to a sound wave through a medium of a fluid like air, particle velocity would be the physical speed of a parcel of fluid as it moves back and forth in the direction the sound wave is travelling as it passes." ; - qudt:symbol "v" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Schallschnelle"@de ; - rdfs:label "prędkość akustyczna"@pl ; - rdfs:label "prędkość cząstki"@pl ; - rdfs:label "sound particle velocity"@en ; - rdfs:label "velocidad acústica de una partícula"@es ; - rdfs:label "velocidade acústica de uma partícula"@pt ; - rdfs:label "velocità di spostamento"@it ; - rdfs:label "vitesse acoustique d‘une particule"@fr ; - rdfs:label "سرعة جسيم"@ar ; - rdfs:label "粒子速度"@ja ; - skos:broader quantitykind:Velocity ; -. -quantitykind:SoundPower - a qudt:QuantityKind ; - dcterms:description "Sound power or acoustic power \\(P_a\\) is a measure of sonic energy \\(E\\) per time \\(t\\) unit. It is measured in watts and can be computed as sound intensity (\\(I\\)) times area (\\(A\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power"^^xsd:anyURI ; - qudt:latexDefinition "\\(P_a = IA\\), where \\(I\\) is the sound intensity in \\(\\frac{W}{m^2}\\) and \\(A\\) is the area in \\(m^2\\)."^^qudt:LatexString ; - qudt:symbol "P" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Schallleistung"@de ; - rdfs:label "moc akustyczna"@pl ; - rdfs:label "potencie acústica"@es ; - rdfs:label "potenza sonora"@it ; - rdfs:label "potência acústica"@pt ; - rdfs:label "potência sonora"@pt ; - rdfs:label "puissance acoustique"@fr ; - rdfs:label "sound power"@en ; - rdfs:label "звуковая мощность"@ru ; - rdfs:label "القدرة الصوتية"@ar ; - rdfs:label "音源の音響出力"@ja ; - skos:broader quantitykind:Power ; -. -quantitykind:SoundPowerLevel - a qudt:QuantityKind ; - dcterms:description "Sound Power Level abbreviated as \\(SWL\\) expresses sound power more practically as a relation to the threshold of hearing - 1 picoW - in a logarithmic scale."^^qudt:LatexString ; - qudt:applicableUnit unit:B ; - qudt:applicableUnit unit:DeciB ; - qudt:applicableUnit unit:DeciB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_power#Sound_power_level"^^xsd:anyURI ; - qudt:latexDefinition "\\(L_W = 10 \\log_{10} \\frac{P}{P_0} dB\\), where \\(P\\) is sound power and the reference value is \\(P_0 =1pW\\)."^^qudt:LatexString ; - qudt:symbol "L" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound power level"@en ; -. -quantitykind:SoundPressure - a qudt:QuantityKind ; - dcterms:description "Sound Pressure is the difference between instantaneous total pressure and static pressure."^^rdf:HTML ; - qudt:abbreviation "p" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; - qudt:plainTextDescription "Sound Pressure is the difference between instantaneous total pressure and static pressure." ; - qudt:symbol "p" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:SoundPressureLevel - a qudt:QuantityKind ; - dcterms:description "Sound pressure level (\\(SPL\\)) or sound level is a logarithmic measure of the effective sound pressure of a sound relative to a reference value. It is measured in decibels (dB) above a standard reference level."^^qudt:LatexString ; - qudt:applicableUnit unit:B ; - qudt:applicableUnit unit:DeciB ; - qudt:applicableUnit unit:DeciB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_pressure#Sound_pressure_level"^^xsd:anyURI ; - qudt:latexDefinition "\\(L_P = 10 \\log_{10} \\frac{p^2}{p_0^2} dB\\), where \\(p\\) is sound pressure and the reference value in airborne acoustics is \\(p_0 = 20 \\mu Pa\\)."^^qudt:LatexString ; - qudt:symbol "L" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Hladina akustického tlaku"@cs ; - rdfs:label "Schalldruckpegel"@de ; - rdfs:label "Tahap medan"@ms ; - rdfs:label "Tahap tekanan bunyi"@ms ; - rdfs:label "gerilim veya akım oranı"@tr ; - rdfs:label "livello di pressione sonora"@it ; - rdfs:label "miary wielkości ilorazowych"@pl ; - rdfs:label "niveau de pression acoustique"@fr ; - rdfs:label "nivel de presión sonora"@es ; - rdfs:label "nível de pressão acústica"@pt ; - rdfs:label "sound pressure level"@en ; - rdfs:label "уровень звукового давления"@ru ; - rdfs:label "سطح یک کمیت توان-ریشه"@fa ; - rdfs:label "كمية جذر الطاقة"@ar ; - rdfs:label "利得"@ja ; - rdfs:label "声压级"@zh ; -. -quantitykind:SoundReductionIndex - a qudt:QuantityKind ; - dcterms:description "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator."^^rdf:HTML ; - qudt:applicableUnit unit:B ; - qudt:applicableUnit unit:DeciB ; - qudt:applicableUnit unit:DeciB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_reduction_index"^^xsd:anyURI ; - qudt:latexDefinition "\\(R = 10 \\log (\\frac{1}{\\tau}) dB\\), where \\(\\tau\\) is the transmission factor."^^qudt:LatexString ; - qudt:plainTextDescription "The Sound Reduction Index is used to measure the level of sound insulation provided by a structure such as a wall, window, door, or ventilator." ; - qudt:symbol "R" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound reduction index"@en ; -. -quantitykind:SoundVolumeVelocity - a qudt:QuantityKind ; - dcterms:description "Sound Volume Velocity is the product of particle velocity \\(v\\) and the surface area \\(S\\) through which an acoustic wave of frequency \\(f\\) propagates. Also, the surface integral of the normal component of the sound particle velocity over the cross-section (through which the sound propagates). It is used to calculate acoustic impedance."^^qudt:LatexString ; - qudt:applicableUnit unit:M3-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acoustic_impedance"^^xsd:anyURI ; - qudt:latexDefinition "\\(q= vS\\), where \\(v\\) is sound particle velocity and \\(S\\) is the surface area through which an acoustic wave of frequence \\(f\\) propagates."^^qudt:LatexString ; - qudt:symbol "q" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Sound volume velocity"@en ; -. -quantitykind:SourceVoltage - a qudt:QuantityKind ; - dcterms:description """\"Source Voltage}, also referred to as \\textit{Source Tension\" is the voltage between the two terminals of a voltage source when there is no - -electric current through the source. The name \"electromotive force} with the abbreviation \\textit{EMF\" and the symbol \\(E\\) is deprecated."""^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:symbol "U_s" ; - rdfs:isDefinedBy ; - rdfs:label "Source Voltage"@en ; - skos:broader quantitykind:Voltage ; -. -quantitykind:SourceVoltageBetweenSubstances - a qudt:QuantityKind ; - dcterms:description "\"Source Voltage Between Substances\" is the source voltage between substance a and b."^^rdf:HTML ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Source Voltage Between Substances\" is the source voltage between substance a and b." ; - qudt:symbol "E_{ab}" ; - rdfs:isDefinedBy ; - rdfs:label "Source Voltage Between Substances"@en ; - skos:broader quantitykind:Voltage ; -. -quantitykind:SpatialSummationFunction - a qudt:QuantityKind ; - dcterms:description "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Spatial_summation"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Spatial Summation Function\" is he ability to produce a composite signal from the signals coming into the eyes from different directions." ; - rdfs:isDefinedBy ; - rdfs:label "Spatial Summation Function"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:SpecificAcousticImpedance - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-SEC-PER-M3 ; - qudt:applicableUnit unit:RAYL ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Specific Acoustic Impedance"@en ; -. -quantitykind:SpecificActivity - a qudt:QuantityKind ; - dcterms:description "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel."^^rdf:HTML ; - qudt:applicableUnit unit:BQ-PER-KiloGM ; - qudt:applicableUnit unit:MicroBQ-PER-KiloGM ; - qudt:applicableUnit unit:MilliBQ-PER-GM ; - qudt:applicableUnit unit:MilliBQ-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_activity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(a = \\frac{A}{m}\\), where \\(A\\) is the activity of a sample and \\(m\\) is its mass."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Specific Activity\" is the number of decays per unit time of a radioactive sample. The SI unit of radioactive activity is the becquerel (Bq), in honor of the scientist Henri Becquerel." ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Activity"@en ; -. -quantitykind:SpecificElectricCharge - a qudt:QuantityKind ; - dcterms:description "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity "^^rdf:HTML ; - qudt:applicableUnit unit:MilliA-HR-PER-GM ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:plainTextDescription "Electric charge (often capacity in the context of electrochemical cells) relativ to the mass (often only active components). capacity " ; - rdfs:isDefinedBy ; - rdfs:label "Specific Electric Charge" ; -. -quantitykind:SpecificElectricCurrent - a qudt:QuantityKind ; - dcterms:description "\"Specific Electric Current\" is a measure to specify the applied current relative to a corresponding mass. This measure is often used for standardization within electrochemistry."^^qudt:LatexString ; - qudt:applicableUnit unit:A-PER-GM ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Specific Electrical Current" ; -. -quantitykind:SpecificEnergy - a qudt:QuantityKind ; - dcterms:description "\\(\\textbf{Specific Energy}\\) is defined as the energy per unit mass. Common metric units are \\(J/kg\\). It is an intensive property. Contrast this with energy, which is an extensive property. There are two main types of specific energy: potential energy and specific kinetic energy. Others are the \\(\\textbf{gray}\\) and \\(\\textbf{sievert}\\), which are measures for the absorption of radiation. The concept of specific energy applies to a particular or theoretical way of extracting useful energy from the material considered that is usually implied by context. These intensive properties are each symbolized by using the lower case letter of the symbol for the corresponding extensive property, which is symbolized by a capital letter. For example, the extensive thermodynamic property enthalpy is symbolized by \\(H\\); specific enthalpy is symbolized by \\(h\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-PER-LB ; - qudt:applicableUnit unit:BTU_TH-PER-LB ; - qudt:applicableUnit unit:CAL_IT-PER-GM ; - qudt:applicableUnit unit:CAL_TH-PER-GM ; - qudt:applicableUnit unit:ERG-PER-G ; - qudt:applicableUnit unit:ERG-PER-GM ; - qudt:applicableUnit unit:J-PER-GM ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:applicableUnit unit:KiloCAL-PER-GM ; - qudt:applicableUnit unit:KiloJ-PER-KiloGM ; - qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; - qudt:applicableUnit unit:MegaJ-PER-KiloGM ; - qudt:applicableUnit unit:MilliJ-PER-GM ; - qudt:applicableUnit unit:N-M-PER-KiloGM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_energy"^^xsd:anyURI ; - qudt:latexDefinition "\\(e = E/m\\), where \\(E\\) is energy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:symbol "e" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Energy"@en ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; - rdfs:seeAlso unit:GRAY ; - rdfs:seeAlso unit:SV ; -. -quantitykind:SpecificEnergyImparted - a qudt:QuantityKind ; - dcterms:description "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-LB ; - qudt:applicableUnit unit:BTU_TH-PER-LB ; - qudt:applicableUnit unit:CAL_IT-PER-GM ; - qudt:applicableUnit unit:CAL_TH-PER-GM ; - qudt:applicableUnit unit:ERG-PER-G ; - qudt:applicableUnit unit:ERG-PER-GM ; - qudt:applicableUnit unit:J-PER-GM ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:applicableUnit unit:KiloCAL-PER-GM ; - qudt:applicableUnit unit:KiloJ-PER-KiloGM ; - qudt:applicableUnit unit:KiloLB_F-FT-PER-LB ; - qudt:applicableUnit unit:MegaJ-PER-KiloGM ; - qudt:applicableUnit unit:MilliJ-PER-GM ; - qudt:applicableUnit unit:N-M-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://www.answers.com/topic/energy-imparted"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "For ionizing radiation, \\(z = \\frac{\\varepsilon}{m}\\), where \\(\\varepsilon\\) is the energy imparted to irradiated matter and \\(m\\) is the mass of that matter."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Specific Energy Imparted\", is the energy imparted to an element of irradiated matter divided by the mass, dm, of that element." ; - qudt:symbol "z" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Energy Imparted"@en ; - skos:broader quantitykind:SpecificEnergy ; -. -quantitykind:SpecificEnthalpy - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Specific Enthalpy}\\) is enthalpy per mass of substance involved. Specific enthalpy is denoted by a lower case h, with dimension of energy per mass (SI unit: joule/kg). In thermodynamics, \\(\\textit{enthalpy}\\) is the sum of the internal energy U and the product of pressure p and volume V of a system: \\(H = U + pV\\). The internal energy U and the work term pV have dimension of energy, in SI units this is joule; the extensive (linear in size) quantity H has the same dimension."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(h = H/m\\), where \\(H\\) is enthalpy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:symbol "h" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Enthalpy"@en ; - rdfs:seeAlso quantitykind:Enthalpy ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; -. -quantitykind:SpecificEntropy - a qudt:QuantityKind ; - dcterms:description "\"Specific Entropy\" is entropy per unit of mass."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:applicableUnit unit:KiloJ-PER-KiloGM-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Entropy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(s = S/m\\), where \\(S\\) is entropy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:plainTextDescription "\"Specific Entropy\" is entropy per unit of mass." ; - qudt:symbol "s" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Entropy"@en ; - rdfs:seeAlso quantitykind:Entropy ; -. -quantitykind:SpecificGibbsEnergy - a qudt:QuantityKind ; - dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(g = G/m\\), where \\(G\\) is Gibbs energy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \"Specific Gibbs Energy}, which is \\textit{Gibbs Energy} per mass of substance involved. \\textit{Specific Gibbs Energy\" is denoted by a lower case g, with dimension of energy per mass (SI unit: joule/kg)." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Gibbs Energy"@en ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; -. -quantitykind:SpecificHeatCapacity - a qudt:QuantityKind ; - dcterms:description "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-LB-DEG_R ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F-DEG_R ; - qudt:applicableUnit unit:BTU_TH-PER-LB-DEG_F ; - qudt:applicableUnit unit:CAL_IT-PER-GM-DEG_C ; - qudt:applicableUnit unit:CAL_IT-PER-GM-K ; - qudt:applicableUnit unit:CAL_TH-PER-GM-DEG_C ; - qudt:applicableUnit unit:CAL_TH-PER-GM-K ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:applicableUnit unit:KiloCAL-PER-GM-DEG_C ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_heat_capacity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:informativeReference "http://www.taftan.com/thermodynamics/CP.HTM"^^xsd:anyURI ; - qudt:plainTextDescription "\"Specific Heat Capacity} of a solid or liquid is defined as the heat required to raise unit mass of substance by one degree of temperature. This is \\textit{Heat Capacity} divied by \\textit{Mass\". Note that there are corresponding molar quantities." ; - qudt:symbol "c" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Heat Capacity"@en ; - rdfs:seeAlso quantitykind:HeatCapacity ; - rdfs:seeAlso quantitykind:Mass ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; -. -quantitykind:SpecificHeatCapacityAtConstantPressure - a qudt:QuantityKind ; - dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K-PA ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:plainTextDescription "Specific heat at a constant pressure." ; - qudt:symbol "c_p" ; - rdfs:isDefinedBy ; - rdfs:label "Specific heat capacity at constant pressure"@en ; - rdfs:seeAlso quantitykind:SpecificHeatCapacity ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; -. -quantitykind:SpecificHeatCapacityAtConstantVolume - a qudt:QuantityKind ; - dcterms:description "Specific heat per constant volume."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K-M3 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:plainTextDescription "Specific heat per constant volume." ; - qudt:symbol "c_v" ; - rdfs:isDefinedBy ; - rdfs:label "Specific heat capacity at constant volume"@en ; - rdfs:seeAlso quantitykind:SpecificHeatCapacity ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtSaturation ; -. -quantitykind:SpecificHeatCapacityAtSaturation - a qudt:QuantityKind ; - dcterms:description "Specific heat per constant volume."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-GM-K ; - qudt:applicableUnit unit:J-PER-KiloGM-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "Specific heat per constant volume." ; - qudt:symbol "c_{sat}" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Heat Capacity at Saturation"@en ; - rdfs:seeAlso quantitykind:SpecificHeatCapacity ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantPressure ; - rdfs:seeAlso quantitykind:SpecificHeatCapacityAtConstantVolume ; -. -quantitykind:SpecificHeatPressure - a qudt:QuantityKind ; - dcterms:description "Specific heat at a constant pressure."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-KiloGM-K-PA ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:plainTextDescription "Specific heat at a constant pressure." ; - rdfs:isDefinedBy ; - rdfs:label "Specific Heat Pressure"@en ; -. -quantitykind:SpecificHeatVolume - a qudt:QuantityKind ; - dcterms:description "Specific heat per constant volume."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-KiloGM-K-M3 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:plainTextDescription "Specific heat per constant volume." ; - rdfs:isDefinedBy ; - rdfs:label "Specific Heat Volume"@en ; -. -quantitykind:SpecificHeatsRatio - a qudt:QuantityKind ; - dcterms:description "The ratio of specific heats, for the exhaust gases adiabatic gas constant, is the relative amount of compression/expansion energy that goes into temperature \\(T\\) versus pressure \\(P\\) can be characterized by the heat capacity ratio: \\(\\gamma\\frac{C_P}{C_V}\\), where \\(C_P\\) is the specific heat (also called heat capacity) at constant pressure, while \\(C_V\\) is the specific heat at constant volume. "^^qudt:LatexString ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Specific Heats Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:SpecificHelmholtzEnergy - a qudt:QuantityKind ; - dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is \\(\\textit{Specific Helmholtz Energy}\\), which is \\(\\textit{Helmholz Energy}\\) per mass of substance involved.\\( \\textit{Specific Helmholz Energy}\\) is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(a = A/m\\), where \\(A\\) is Helmholtz energy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Helmholtz Energy"@en ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificInternalEnergy ; -. -quantitykind:SpecificImpulse - a qudt:QuantityKind ; - dcterms:description "The impulse produced by a rocket divided by the mass \\(mp\\) of propellant consumed. Specific impulse \\({I_{sp}}\\) is a widely used measure of performance for chemical, nuclear, and electric rockets. It is usually given in seconds for both U.S. Customary and International System (SI) units. The impulse produced by a rocket is the thrust force \\(F\\) times its duration \\(t\\) in seconds. \\(I_{sp}\\) is the thrust per unit mass flowrate, but with \\(g_o\\), is the thrust per weight flowrate. The specific impulse is given by the equation: \\(I_{sp} = \\frac{F}{\\dot{m}g_o}\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:informativeReference "http://www.grc.nasa.gov/WWW/K-12/airplane/specimp.html"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Specific Impulse"@en ; - rdfs:seeAlso quantitykind:MassFlowRate ; -. -quantitykind:SpecificImpulseByMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Specific Impulse by Mass"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:SpecificImpulseByWeight - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Specific Impulse by Weight"@en ; - skos:broader quantitykind:SpecificImpulse ; - skos:broader quantitykind:Time ; -. -quantitykind:SpecificInternalEnergy - a qudt:QuantityKind ; - dcterms:description "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:informativeReference "http://en.citizendium.org/wiki/Enthalpy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(u = U/m\\), where \\(U\\) is thermodynamic energy and \\(m\\) is mass."^^qudt:LatexString ; - qudt:plainTextDescription "Energy has corresponding intensive (size-independent) properties for pure materials. A corresponding intensive property is specific internal energy, which is energy per mass of substance involved. Specific internal energy is denoted by a lower case u, with dimension of energy per mass (SI unit: joule/kg)." ; - qudt:symbol "u" ; - rdfs:isDefinedBy ; - rdfs:label "Specific Internal Energy"@en ; - rdfs:seeAlso quantitykind:InternalEnergy ; - rdfs:seeAlso quantitykind:MassieuFunction ; - rdfs:seeAlso quantitykind:PlanckFunction ; - rdfs:seeAlso quantitykind:SpecificEnergy ; - rdfs:seeAlso quantitykind:SpecificEnthalpy ; - rdfs:seeAlso quantitykind:SpecificGibbsEnergy ; - rdfs:seeAlso quantitykind:SpecificHelmholtzEnergy ; -. -quantitykind:SpecificOpticalRotatoryPower - a qudt:QuantityKind ; - dcterms:description "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power."^^rdf:HTML ; - qudt:applicableUnit unit:RAD-M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:informativeReference "http://goldbook.iupac.org/O04313.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_m = \\alpha \\frac{A}{m}\\), where \\(\\alpha\\) is the angle of optical rotation, and \\(m\\) is the mass of the optically active component in the path of a linearly polarized light beam of cross sectional area \\(A\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_m\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The \"Specific Optical Rotatory Power\" Angle of optical rotation divided by the optical path length through the medium and by the mass concentration of the substance giving the specific optical rotatory power." ; - rdfs:isDefinedBy ; - rdfs:label "Specific Optical Rotatory Power"@en ; -. -quantitykind:SpecificPower - a qudt:QuantityKind ; - dcterms:description "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)."^^rdf:HTML ; - qudt:applicableUnit unit:ERG-PER-GM-SEC ; - qudt:applicableUnit unit:GRAY-PER-SEC ; - qudt:applicableUnit unit:MilliW-PER-MilliGM ; - qudt:applicableUnit unit:W-PER-GM ; - qudt:applicableUnit unit:W-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Power-to-weight_ratio"^^xsd:anyURI ; - qudt:plainTextDescription "Specific power, also known as power-to-weight ratio, is the amount of power output per unit mass of the power source. It is generally used to measure the performance of that power source. The higher the ratio, the more power a system produces relative to its weight. It's commonly used in the automotive and aerospace industries to compare the performance of different engines. It's generally measured in watts per kilogram (W/kg) or horsepower per pound (hp/lb)." ; - rdfs:isDefinedBy ; - rdfs:label "Specific Power"@en ; - skos:altLabel "Power-to-Weight Ratio"@en ; -. -quantitykind:SpecificSurfaceArea - a qudt:QuantityKind ; - dcterms:description "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m2/kg or m2/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-GM ; - qudt:applicableUnit unit:M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Specific_surface_area"^^xsd:anyURI ; - qudt:latexDefinition "\\(SSA = \\frac{SA}{\\m}\\), where \\(SA\\) is the surface area of an object and \\(\\m\\) is the mass density of the object."^^qudt:LatexString ; - qudt:latexSymbol "\\(SSA\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Specific surface area (SSA) is a property of solids defined as the total surface area (SA) of a material per unit mass, (with units of m²/kg or m²/g). It is a physical value that can be used to determine the type and properties of a material (e.g. soil or snow). It has a particular importance for adsorption, heterogeneous catalysis, and reactions on surfaces." ; - rdfs:isDefinedBy ; - rdfs:label "Specific Surface Area"@en ; -. -quantitykind:SpecificThrust - a qudt:QuantityKind ; - dcterms:description "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation."^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Specific_thrust"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:id "Q-160-100" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_thrust"^^xsd:anyURI ; - qudt:plainTextDescription "Specific impulse (usually abbreviated Isp) is a way to describe the efficiency of rocket and jet engines. It represents the force with respect to the amount of propellant used per unit time.[1] If the \"amount\" of propellant is given in terms of mass (such as kilograms), then specific impulse has units of velocity. If it is given in terms of Earth-weight (such as kiloponds), then specific impulse has units of time. The conversion constant between the two versions of specific impulse is g. The higher the specific impulse, the lower the propellant flow rate required for a given thrust, and in the case of a rocket the less propellant is needed for a given delta-v per the Tsiolkovsky rocket equation." ; - rdfs:isDefinedBy ; - rdfs:label "Specific thrust"@en ; - rdfs:seeAlso quantitykind:SpecificImpulse ; -. -quantitykind:SpecificVolume - a qudt:QuantityKind ; - dcterms:description "\"Specific Volume\" (\\(\\nu\\)) is the volume occupied by a unit of mass of a material. It is equal to the inverse of density."^^qudt:LatexString ; - qudt:applicableUnit unit:DeciL-PER-GM ; - qudt:applicableUnit unit:L-PER-KiloGM ; - qudt:applicableUnit unit:M3-PER-KiloGM ; - qudt:applicableUnit unit:MilliL-PER-GM ; - qudt:applicableUnit unit:MilliL-PER-KiloGM ; - qudt:applicableUnit unit:MilliM3-PER-GM ; - qudt:applicableUnit unit:MilliM3-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Specific_volume"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(sv = \\frac{1}{\\rho}\\), where \\(\\rho\\) is mass density."^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Specific Volume"@en ; - rdfs:seeAlso quantitykind:Density ; -. -quantitykind:SpectralAngularCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Spectral Angular Cross-section\" is the cross-section for ejecting or scattering a particle into an elementary cone with energy \\(E\\) in an energy interval, divided by the solid angle \\(d\\Omega\\) of that cone and the range \\(dE\\) of that interval."^^qudt:LatexString ; - qudt:applicableUnit unit:M2-PER-SR-J ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sigma = \\int \\int \\sigma_{\\Omega,E} d\\Omega dE\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma_{\\Omega, E}\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Spectral Angular Cross-section"@en ; - skos:closeMatch quantitykind:AngularCrossSection ; - skos:closeMatch quantitykind:SpectralCrossSection ; -. -quantitykind:SpectralCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Spectral Cross-section\" is the cross-section for a process in which the energy of the ejected or scattered particle is in an interval of energy, divided by the range \\(dE\\) of this interval."^^qudt:LatexString ; - qudt:applicableUnit unit:M2-PER-J ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\sigma = \\int \\sigma_E dE\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma_E\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Spectral Cross-section"@en ; - skos:closeMatch quantitykind:AngularCrossSection ; -. -quantitykind:SpectralLuminousEfficiency - a qudt:QuantityKind ; - dcterms:description "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Luminous_efficacy"^^xsd:anyURI ; - qudt:latexDefinition "\\(V(\\lambda) = \\frac{\\Phi_\\lambda(\\lambda_m)}{\\Phi_\\lambda(\\lambda)}\\), where \\(\\Phi_\\lambda(\\lambda_m)\\) is the spectral radiant flux at wavelength \\(\\lambda_m\\) and \\(\\Phi_\\lambda(\\lambda)\\) is the spectral radiant flux at wavelength \\(\\lambda\\), such that both radiations produce equal luminous sensations under specified photometric conditions and \\(\\lambda_m\\) is chosen so that the maximum value of this ratio is equal to 1."^^qudt:LatexString ; - qudt:plainTextDescription "The Spectral Luminous Efficiency is a measure of how well a light source produces visible light. It is the ratio of luminous flux to power. A common choice is to choose units such that the maximum possible efficacy, 683 lm/W, corresponds to an efficiency of 100%." ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Spectral Luminous Efficiency"@en ; -. -quantitykind:SpectralRadiantEnergyDensity - a qudt:QuantityKind ; - dcterms:description "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)."^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-M4 ; - qudt:applicableUnit unit:KiloPA-PER-MilliM ; - qudt:applicableUnit unit:PA-PER-M ; - qudt:expression "\\(M-PER-L2-T2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:plainTextDescription "\"Spectral Radiant Energy Density\" is the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length)." ; - rdfs:isDefinedBy ; - rdfs:label "Spectral Radiant Energy Density"@en ; -. -quantitykind:Speed - a qudt:QuantityKind ; - dcterms:description "Speed is the magnitude of velocity."^^rdf:HTML ; - qudt:applicableUnit unit:BFT ; - qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; - qudt:applicableUnit unit:GigaC-PER-M3 ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:HZ-M ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:MegaHZ-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Speed"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "Speed is the magnitude of velocity." ; - rdfs:isDefinedBy ; - rdfs:label "Speed"@en ; -. -quantitykind:SpeedOfLight - a qudt:QuantityKind ; - dcterms:description "The quantity kind \\(\\textbf{Speed of Light}\\) is the speed of electomagnetic waves in a given medium."^^qudt:LatexString ; - qudt:applicableUnit unit:BFT ; - qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; - qudt:applicableUnit unit:GigaC-PER-M3 ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:HZ-M ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:MegaHZ-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_light"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=113-01-34"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Hitrost svetlobe"@sl ; - rdfs:label "Işık hızı"@tr ; - rdfs:label "Kelajuan cahaya"@ms ; - rdfs:label "Lichtgeschwindigkeit"@de ; - rdfs:label "Prędkość światła"@pl ; - rdfs:label "Rychlost světla"@cs ; - rdfs:label "Velocidade da luz"@pt ; - rdfs:label "Viteza luminii"@ro ; - rdfs:label "speed of light"@en ; - rdfs:label "velocidad de la luz"@es ; - rdfs:label "velocità della luce"@it ; - rdfs:label "vitesse de la lumière"@fr ; - rdfs:label "Скорость света"@ru ; - rdfs:label "سرعة الضوء"@ar ; - rdfs:label "سرعت نور"@fa ; - rdfs:label "प्रकाश का वेग"@hi ; - rdfs:label "光速"@ja ; - rdfs:label "光速"@zh ; - rdfs:seeAlso constant:MagneticConstant ; - rdfs:seeAlso constant:PermittivityOfVacuum ; - rdfs:seeAlso constant:SpeedOfLight_Vacuum ; - skos:broader quantitykind:Speed ; -. -quantitykind:SpeedOfSound - a qudt:QuantityKind ; - dcterms:description "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium."^^rdf:HTML ; - qudt:applicableUnit unit:BFT ; - qudt:applicableUnit unit:FT3-PER-MIN-FT2 ; - qudt:applicableUnit unit:GigaC-PER-M3 ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:HZ-M ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:MegaHZ-M ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Speed_of_sound"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Speed_of_sound"^^xsd:anyURI ; - qudt:latexDefinition "\\(c = \\sqrt{\\frac{K}{\\rho}}\\), where \\(K\\) is the coefficient of stiffness, the bulk modulus (or the modulus of bulk elasticity for gases), and \\(\\rho\\) is the density. Also, \\(c^2 = \\frac{\\partial p}{\\partial \\rho}\\), where \\(p\\) is the pressure and \\(\\rho\\) is the density."^^qudt:LatexString ; - qudt:plainTextDescription "The speed of sound is the distance travelled during a unit of time by a sound wave propagating through an elastic medium." ; - qudt:symbol "c" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Hitrost zvoka"@sl ; - rdfs:label "Kelajuan bunyi"@ms ; - rdfs:label "Schallausbreitungsgeschwindigkeit"@de ; - rdfs:label "Schallgeschwindigkeit"@de ; - rdfs:label "Ses hızı"@tr ; - rdfs:label "célérité du son"@fr ; - rdfs:label "prędkość dźwięku"@pl ; - rdfs:label "rychlost zvuku"@cs ; - rdfs:label "speed of sound"@en ; - rdfs:label "velocidad del sonido"@es ; - rdfs:label "velocidade do som"@pt ; - rdfs:label "velocità del suono"@it ; - rdfs:label "vitesse du son"@fr ; - rdfs:label "viteza sunetului"@ro ; - rdfs:label "скорость звука"@ru ; - rdfs:label "سرعة الصوت"@ar ; - rdfs:label "سرعت صوت"@fa ; - rdfs:label "ध्वनि का वेग"@hi ; - rdfs:label "音速"@ja ; - rdfs:label "音速"@zh ; - skos:broader quantitykind:Speed ; -. -quantitykind:SphericalIlluminance - a qudt:QuantityKind ; - dcterms:description "Spherical illuminance is equal to quotient of the total luminous flux \\(\\Phi_v\\) incident on a small sphere by the cross section area of that sphere."^^qudt:LatexString ; - qudt:applicableUnit unit:FC ; - qudt:applicableUnit unit:LUX ; - qudt:applicableUnit unit:PHOT ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:informativeReference "http://eilv.cie.co.at/term/1245"^^xsd:anyURI ; - qudt:latexDefinition "\\(E_v,0 = \\int_{4\\pi sr}{L_v}{d\\Omega}\\), where \\(d\\Omega\\) is the solid angle of each elementary beam passing through the given point and \\(L_v\\) is its luminance at that point in the direction of the beam."^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Illuminance"@en ; - skos:broader quantitykind:Illuminance ; -. -quantitykind:Spin - a qudt:QuantityKind ; - dcterms:description "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei."^^rdf:HTML ; - qudt:applicableUnit unit:ERG-SEC ; - qudt:applicableUnit unit:EV-SEC ; - qudt:applicableUnit unit:FT-LB_F-SEC ; - qudt:applicableUnit unit:J-SEC ; - qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; - qudt:applicableUnit unit:N-M-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Spin_(physics)"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "In quantum mechanics and particle physics \"Spin\" is an intrinsic form of angular momentum carried by elementary particles, composite particles (hadrons), and atomic nuclei." ; - qudt:symbol "s" ; - rdfs:isDefinedBy ; - rdfs:label "Spin"@de ; - rdfs:label "Spin"@ms ; - rdfs:label "Spin"@ro ; - rdfs:label "Spin"@tr ; - rdfs:label "espín"@es ; - rdfs:label "spin"@cs ; - rdfs:label "spin"@en ; - rdfs:label "spin"@fr ; - rdfs:label "spin"@it ; - rdfs:label "spin"@pl ; - rdfs:label "spin"@pt ; - rdfs:label "spin"@sl ; - rdfs:label "Спин"@ru ; - rdfs:label "اسپین/چرخش"@fa ; - rdfs:label "لف مغزلي"@ar ; - rdfs:label "スピン角運動量"@ja ; - rdfs:label "自旋"@zh ; - skos:broader quantitykind:AngularMomentum ; -. -quantitykind:SpinQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis"^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(s^2 = \\hbar^2 s(s + 1)\\), where \\(s\\) is the spin quantum number and \\(\\hbar\\) is the Planck constant."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Spin Quantum Number\" describes the spin (intrinsic angular momentum) of the electron within that orbital, and gives the projection of the spin angular momentum S along the specified axis" ; - qudt:symbol "s" ; - rdfs:isDefinedBy ; - rdfs:label "Spin Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; - skos:closeMatch quantitykind:MagneticQuantumNumber ; - skos:closeMatch quantitykind:OrbitalAngularMomentumQuantumNumber ; - skos:closeMatch quantitykind:PrincipalQuantumNumber ; -. -quantitykind:SquareEnergy - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:Energy_Squared ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L4I0M2H0T-4D0 ; - rdfs:isDefinedBy ; - rdfs:label "Square Energy"@en ; -. -quantitykind:StagePropellantMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_F" ; - rdfs:isDefinedBy ; - rdfs:label "Stage Propellant Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:StageStructuralMass - a qudt:QuantityKind ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "M_S" ; - rdfs:isDefinedBy ; - rdfs:label "Stage Structure Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:StandardAbsoluteActivity - a qudt:QuantityKind ; - dcterms:description "The \"Standard Absolute Activity\" is proportional to the absoulte activity of the pure substance \\(B\\) at the same temperature and pressure multiplied by the standard pressure."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Activity_coefficient"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda_B^\\Theta = \\lambda_B^*(p^\\Theta)\\), where \\(\\lambda_B^\\Theta\\) the absolute activity of the pure substance \\(B\\) at the same temperature and pressure, and \\(p^\\Theta\\) is standard pressure."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda_B^\\Theta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Standard Absolute Activity"@en ; -. -quantitykind:StandardChemicalPotential - a qudt:QuantityKind ; - dcterms:description "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions"^^rdf:HTML ; - qudt:applicableUnit unit:J-PER-MOL ; - qudt:applicableUnit unit:KiloCAL-PER-MOL ; - qudt:applicableUnit unit:KiloJ-PER-MOL ; - qudt:expression "\\(j-mol^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Chemical_potential"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu_B^\\Theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Standard Chemical Potential\" is the value of the chemical potential at standard conditions" ; - rdfs:isDefinedBy ; - rdfs:label "Standard Chemical Potential"@en ; - skos:broader quantitykind:ChemicalPotential ; -. -quantitykind:StandardGravitationalParameter - a qudt:QuantityKind ; - dcterms:description "In celestial mechanics the standard gravitational parameter of a celestial body is the product of the gravitational constant G and the mass M of the body. Expressed as \\(\\mu = G \\cdot M\\). The SI units of the standard gravitational parameter are \\(m^{3}s^{-2}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:KiloM3-PER-SEC2 ; - qudt:applicableUnit unit:M3-PER-SEC2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Standard_gravitational_parameter"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Standard_gravitational_parameter"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Standard Gravitational Parameter"@en ; -. -quantitykind:StaticFriction - a qudt:QuantityKind ; - dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; - rdfs:isDefinedBy ; - rdfs:label "Static Friction"@en ; - skos:broader quantitykind:Friction ; -. -quantitykind:StaticFrictionCoefficient - a qudt:QuantityKind ; - dcterms:description "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. "^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Friction"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Friction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\mu = \\frac{F_max}{N}\\), where \\(F_max\\) is the maximum tangential component of the contact force and \\(N\\) is the normal component of the contact force between two bodies at relative rest."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Static friction is friction between two or more solid objects that are not moving relative to each other. For example, static friction can prevent an object from sliding down a sloped surface. " ; - qudt:qkdvDenominator qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Static Friction Coefficient"@en ; - skos:broader quantitykind:FrictionCoefficient ; -. -quantitykind:StaticPressure - a qudt:QuantityKind ; - dcterms:description "\"Static Pressure\" is the pressure at a nominated point in a fluid. Every point in a steadily flowing fluid, regardless of the fluid speed at that point, has its own static pressure \\(P\\), dynamic pressure \\(q\\), and total pressure \\(P_0\\). The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; - qudt:abbreviation "p" ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Static_pressure"^^xsd:anyURI ; - qudt:symbol "p" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Static pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:StatisticalWeight - a qudt:QuantityKind ; - dcterms:description "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Statistical_weight"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:plainTextDescription "A \"Statistical Weight\" is the relative probability (possibly unnormalized) of a particular feature of a state." ; - qudt:symbol "g" ; - rdfs:isDefinedBy ; - rdfs:label "Statistical Weight"@en ; -. -quantitykind:StochasticProcess - a qudt:QuantityKind ; - dcterms:description "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)."^^rdf:HTML ; - qudt:applicableUnit unit:GigaHZ ; - qudt:applicableUnit unit:HZ ; - qudt:applicableUnit unit:KiloHZ ; - qudt:applicableUnit unit:MegaHZ ; - qudt:applicableUnit unit:NUM-PER-HR ; - qudt:applicableUnit unit:NUM-PER-SEC ; - qudt:applicableUnit unit:NUM-PER-YR ; - qudt:applicableUnit unit:PER-DAY ; - qudt:applicableUnit unit:PER-HR ; - qudt:applicableUnit unit:PER-MIN ; - qudt:applicableUnit unit:PER-MO ; - qudt:applicableUnit unit:PER-MilliSEC ; - qudt:applicableUnit unit:PER-SEC ; - qudt:applicableUnit unit:PER-WK ; - qudt:applicableUnit unit:PER-YR ; - qudt:applicableUnit unit:PERCENT-PER-DAY ; - qudt:applicableUnit unit:PERCENT-PER-HR ; - qudt:applicableUnit unit:PERCENT-PER-WK ; - qudt:applicableUnit unit:PlanckFrequency ; - qudt:applicableUnit unit:SAMPLE-PER-SEC ; - qudt:applicableUnit unit:TeraHZ ; - qudt:applicableUnit unit:failures-in-time ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Stochastic_process"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stochastic_process"^^xsd:anyURI ; - qudt:plainTextDescription "In probability theory, a stochastic process, or sometimes random process is a collection of random variables; this is often used to represent the evolution of some random value, or system, over time. This is the probabilistic counterpart to a deterministic process (or deterministic system)." ; - qudt:symbol "X" ; - rdfs:isDefinedBy ; - rdfs:label "Stochastic Process"@en ; - skos:broader quantitykind:Frequency ; -. -quantitykind:StoichiometricNumber - a qudt:QuantityKind ; - dcterms:description "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)."^^rdf:HTML ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stoichiometry"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\nu_B\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Chemical reactions, as macroscopic unit operations, consist of simply a very large number of elementary reactions, where a single molecule reacts with another molecule. As the reacting molecules (or moieties) consist of a definite set of atoms in an integer ratio, the ratio between reactants in a complete reaction is also in integer ratio. A reaction may consume more than one molecule, and the \"Stoichiometric Number\" counts this number, defined as positive for products (added) and negative for reactants (removed)." ; - rdfs:isDefinedBy ; - rdfs:label "Stoichiometric Number"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:Strain - a qudt:QuantityKind ; - dcterms:description "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]"^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Strain"^^xsd:anyURI ; - qudt:exactMatch quantitykind:LinearStrain ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\epsilon\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In any branch of science dealing with materials and their behaviour, strain is the geometrical expression of deformation caused by the action of stress on a physical body. Strain is calculated by first assuming a change between two body states: the beginning state and the final state. Then the difference in placement of two points in this body in those two states expresses the numerical value of strain. Strain therefore expresses itself as a change in size and/or shape. [Wikipedia]" ; - rdfs:isDefinedBy ; - rdfs:label "Strain"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:StrainEnergyDensity - a qudt:QuantityKind ; - dcterms:description "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology"^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT3 ; - qudt:applicableUnit unit:BTU_TH-PER-FT3 ; - qudt:applicableUnit unit:ERG-PER-CentiM3 ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:applicableUnit unit:MegaJ-PER-M3 ; - qudt:applicableUnit unit:W-HR-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:plainTextDescription "Defined as the 'work done' for a given strain, that is the area under the stress-strain curve after a specified eation. Source(s): http://www.prepol.com/product-range/product-subpages/terminology" ; - qudt:symbol "u" ; - rdfs:isDefinedBy ; - rdfs:label "Strain Energy Density"@en ; - skos:broader quantitykind:EnergyDensity ; -. -quantitykind:Stress - a qudt:QuantityKind ; - dcterms:description "Stress is a measure of the average amount of force exerted per unit area of a surface within a deformable body on which internal forces act. In other words, it is a measure of the intensity or internal distribution of the total internal forces acting within a deformable body across imaginary surfaces. These internal forces are produced between the particles in the body as a reaction to external forces applied on the body. Stress is defined as \\({\\rm{Stress}} = \\frac{F}{A}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.freestudy.co.uk/mech%20prin%20h2/stress.pdf"^^xsd:anyURI ; - qudt:latexDefinition "\\({\\rm{Stress}} = \\frac{F}{A}\\)"^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Stress"@en ; - skos:broader quantitykind:ForcePerArea ; -. -quantitykind:StressIntensityFactor - a qudt:QuantityKind ; - dcterms:description "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip."^^rdf:HTML ; - qudt:applicableUnit unit:MegaPA-M0pt5 ; - qudt:applicableUnit unit:PA-M0pt5 ; - qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Stress_intensity_factor"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\K\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In fracture mechanics, the stress intensity factor (K) is used to predict the stress state (\"stress intensity\") near the tip of a crack or notch caused by a remote load or residual stresses. It is a theoretical construct usually applied to a homogeneous, linear elastic material and is useful for providing a failure criterion for brittle materials, and is a critical technique in the discipline of damage tolerance. The concept can also be applied to materials that exhibit small-scale yielding at a crack tip." ; - qudt:symbol "K" ; - rdfs:isDefinedBy ; - rdfs:label "Stress Intensity Factor"@en ; -. -quantitykind:StressOpticCoefficient - a qudt:QuantityKind ; - dcterms:description "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively."^^rdf:HTML ; - qudt:applicableUnit unit:NanoM-PER-CentiM-MegaPA ; - qudt:applicableUnit unit:NanoM-PER-CentiM-PSI ; - qudt:applicableUnit unit:NanoM-PER-MilliM-MegaPA ; - qudt:applicableUnit unit:PER-PA ; - qudt:applicableUnit unit:PER-PSI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:informativeReference "https://en.wikipedia.org/w/index.php?title=Photoelasticity&oldid=1109858854#Experimental_principles"^^xsd:anyURI ; - qudt:latexDefinition "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law \\(\\Delta ={\\frac {2\\pi t}{\\lambda }}C(\\sigma _{1}-\\sigma _{2})\\), where \\(\\Delta\\) is the induced retardation, \\(C\\) is the stress-optic coefficient, \\(t\\) is the specimen thickness, \\(\\lambda\\) is the vacuum wavelength, and \\(\\sigma_1\\) and \\(\\sigma_2\\) are the first and second principal stresses, respectively."^^qudt:LatexString ; - qudt:plainTextDescription "When a ray of light passes through a photoelastic material, its electromagnetic wave components are resolved along the two principal stress directions and each component experiences a different refractive index due to the birefringence. The difference in the refractive indices leads to a relative phase retardation between the two components. Assuming a thin specimen made of isotropic materials, where two-dimensional photoelasticity is applicable, the magnitude of the relative retardation is given by the stress-optic law Δ=((2πt)/λ)C(σ₁-σ₂), where Δ is the induced retardation, C is the stress-optic coefficient, t is the specimen thickness, λ is the vacuum wavelength, and σ₁ and σ₂ are the first and second principal stresses, respectively." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Stress-Optic Coefficient"@en ; -. -quantitykind:StructuralEfficiency - a qudt:QuantityKind ; - dcterms:description "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\gamma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Structural efficiency is a function of the weight of structure to the afforded vehicle's strength." ; - rdfs:isDefinedBy ; - rdfs:label "Structural Efficiency"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:StructureFactor - a qudt:QuantityKind ; - dcterms:description "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Structure_factor"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(F(h, k, l) = \\sum_{n=1}^N f_n\\exp{[2\\pi i(hx_n + ky_n +lz_n)]}\\), where \\(f_n\\) is the atomic scattering factor for atom \\(n\\), and \\(x_n\\), \\(y_n\\), and \\(z_n\\) are fractional coordinates in the unit cell; for \\(h\\), \\(k\\), and \\(l\\)."^^qudt:LatexString ; - qudt:plainTextDescription "\"Structure Factor\" is a mathematical description of how a material scatters incident radiation." ; - qudt:symbol "F(h, k, l)" ; - rdfs:isDefinedBy ; - rdfs:label "Structure Factor"@en ; -. -quantitykind:SuperconductionTransitionTemperature - a qudt:QuantityKind ; - dcterms:description "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Superconductivity"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Superconduction Transition Temperature\" is the critical thermodynamic temperature of a superconductor." ; - qudt:symbol "T_c" ; - rdfs:isDefinedBy ; - rdfs:label "Superconduction Transition Temperature"@en ; - skos:broader quantitykind:Temperature ; - skos:closeMatch quantitykind:CurieTemperature ; - skos:closeMatch quantitykind:NeelTemperature ; -. -quantitykind:SuperconductorEnergyGap - a qudt:QuantityKind ; - dcterms:description "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/BCS_theory"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Superconductor Energy Gap\" is the width of the forbidden energy band in a superconductor." ; - qudt:symbol "Δ" ; - rdfs:isDefinedBy ; - rdfs:label "Superconductor Energy Gap"@en ; - skos:broader quantitykind:GapEnergy ; -. -quantitykind:SurfaceActivityDensity - a qudt:QuantityKind ; - dcterms:description "The \"Surface Activity Density\" is undefined."^^rdf:HTML ; - qudt:applicableUnit unit:BQ-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(a_s = \\frac{A}{S}\\), where \\(S\\) is the total area of the surface of a sample and \\(A\\) is its activity."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Surface Activity Density\" is undefined." ; - qudt:symbol "a_s" ; - rdfs:isDefinedBy ; - rdfs:label "Surface Activity Density"@en ; -. -quantitykind:SurfaceCoefficientOfHeatTransfer - a qudt:QuantityKind ; - qudt:applicableUnit unit:W-PER-M2-K ; - qudt:expression "\\(surface-heat-xfer-coeff\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(q = h (T_s - T_r)\\), where \\(T_s\\) is areic heat flow rate is the thermodynamic temperature of the surface, and is a reference thermodynamic temperature characteristic of the adjacent surroundings."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Surface Coefficient of Heat Transfer"@en ; -. -quantitykind:SurfaceDensity - a qudt:QuantityKind ; - dcterms:description "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-KiloM2 ; - qudt:applicableUnit unit:KiloGM-PER-M2 ; - qudt:applicableUnit unit:LB-PER-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Area_density"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\rho_A = \\frac{dm}{dA}\\), where \\(m\\) is mass and \\(A\\) is area."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\rho_A\\)"^^qudt:LatexString ; - qudt:plainTextDescription "The area density (also known as areal density, surface density, or superficial density) of a two-dimensional object is calculated as the mass per unit area." ; - rdfs:isDefinedBy ; - rdfs:label "Surface Density"@en ; -. -quantitykind:SurfaceTension - a qudt:QuantityKind ; - dcterms:description "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2 ; - qudt:applicableUnit unit:FT-LB_F-PER-M2 ; - qudt:applicableUnit unit:GigaJ-PER-M2 ; - qudt:applicableUnit unit:J-PER-CentiM2 ; - qudt:applicableUnit unit:J-PER-M2 ; - qudt:applicableUnit unit:KiloBTU_IT-PER-FT2 ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM-PER-SEC2 ; - qudt:applicableUnit unit:KiloW-HR-PER-M2 ; - qudt:applicableUnit unit:MegaJ-PER-M2 ; - qudt:applicableUnit unit:N-M-PER-M2 ; - qudt:applicableUnit unit:PicoPA-PER-KiloM ; - qudt:applicableUnit unit:W-HR-PER-M2 ; - qudt:applicableUnit unit:W-SEC-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Surface_tension"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\gamma = \\frac{dF}{dl}\\), where \\(F\\) is the force component perpendicular to a line element in a surface and \\(l\\) is the length of the line element."^^qudt:LatexString ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:plainTextDescription "\"Surface Tension\" is a contractive tendency of the surface of a liquid that allows it to resist an external force." ; - qudt:symbol "γ" ; - rdfs:isDefinedBy ; - rdfs:label "Oberflächenspannung"@de ; - rdfs:label "Tegangan permukaan"@ms ; - rdfs:label "Tensiune superficială"@ro ; - rdfs:label "Yüzey gerilimi"@tr ; - rdfs:label "napięcie powierzchniowe"@pl ; - rdfs:label "povrchové napětí"@cs ; - rdfs:label "površinska napetost"@sl ; - rdfs:label "surface tension"@en ; - rdfs:label "tension de surface"@fr ; - rdfs:label "tension superficielle"@fr ; - rdfs:label "tensione superficiale"@it ; - rdfs:label "tensión superficial"@es ; - rdfs:label "tensão superficial"@pt ; - rdfs:label "поверхностное натяжение"@ru ; - rdfs:label "توتر سطحي"@ar ; - rdfs:label "کشش سطحی"@fa ; - rdfs:label "पृष्ठ तनाव"@hi ; - rdfs:label "表面张力"@zh ; - rdfs:label "表面張力"@ja ; - skos:broader quantitykind:EnergyPerArea ; -. -quantitykind:Susceptance - a qudt:QuantityKind ; - dcterms:description "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. "^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Susceptance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Susceptance?oldid=430151986"^^xsd:anyURI ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-12-54"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(B = \\lim{\\underline{Y}}\\), where \\(\\underline{Y}\\) is admittance."^^qudt:LatexString ; - qudt:plainTextDescription "\"Susceptance\" is the imaginary part of admittance. The inverse of admittance is impedance and the real part of admittance is conductance. " ; - qudt:symbol "B" ; - rdfs:isDefinedBy ; - rdfs:label "Susceptance"@en ; - rdfs:seeAlso quantitykind:Conductance ; - rdfs:seeAlso quantitykind:Impedance ; -. -quantitykind:SystolicBloodPressure - a qudt:QuantityKind ; - dcterms:description "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199549351.001.0001/acref-9780199549351-e-1162"^^xsd:anyURI ; - qudt:plainTextDescription "The pressure of blood in the arteries which rises to a maximum as blood is pumped out by the left ventricle (systole) and drops to a minimum in diastole. The systolic/diastolic pressure is normally ~120/80 mmHg in a young adult." ; - rdfs:isDefinedBy ; - rdfs:label "Systolic Blood Pressure"@en ; - rdfs:seeAlso quantitykind:DiastolicBloodPressure ; - skos:broader quantitykind:Pressure ; -. -quantitykind:TARGET-BOGIE-MASS - a qudt:QuantityKind ; - dcterms:description "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass."^^rdf:HTML ; - qudt:applicableUnit unit:AMU ; - qudt:applicableUnit unit:CARAT ; - qudt:applicableUnit unit:CWT_LONG ; - qudt:applicableUnit unit:CWT_SHORT ; - qudt:applicableUnit unit:CentiGM ; - qudt:applicableUnit unit:DRAM_UK ; - qudt:applicableUnit unit:DRAM_US ; - qudt:applicableUnit unit:DWT ; - qudt:applicableUnit unit:DecaGM ; - qudt:applicableUnit unit:DeciGM ; - qudt:applicableUnit unit:DeciTONNE ; - qudt:applicableUnit unit:DeciTON_Metric ; - qudt:applicableUnit unit:EarthMass ; - qudt:applicableUnit unit:FemtoGM ; - qudt:applicableUnit unit:GM ; - qudt:applicableUnit unit:GRAIN ; - qudt:applicableUnit unit:HectoGM ; - qudt:applicableUnit unit:Hundredweight_UK ; - qudt:applicableUnit unit:Hundredweight_US ; - qudt:applicableUnit unit:KiloGM ; - qudt:applicableUnit unit:KiloTONNE ; - qudt:applicableUnit unit:KiloTON_Metric ; - qudt:applicableUnit unit:LB ; - qudt:applicableUnit unit:LB_M ; - qudt:applicableUnit unit:LB_T ; - qudt:applicableUnit unit:LunarMass ; - qudt:applicableUnit unit:MegaGM ; - qudt:applicableUnit unit:MicroGM ; - qudt:applicableUnit unit:MilliGM ; - qudt:applicableUnit unit:NanoGM ; - qudt:applicableUnit unit:OZ ; - qudt:applicableUnit unit:OZ_M ; - qudt:applicableUnit unit:OZ_TROY ; - qudt:applicableUnit unit:Pennyweight ; - qudt:applicableUnit unit:PicoGM ; - qudt:applicableUnit unit:PlanckMass ; - qudt:applicableUnit unit:Quarter_UK ; - qudt:applicableUnit unit:SLUG ; - qudt:applicableUnit unit:SolarMass ; - qudt:applicableUnit unit:Stone_UK ; - qudt:applicableUnit unit:TONNE ; - qudt:applicableUnit unit:TON_Assay ; - qudt:applicableUnit unit:TON_LONG ; - qudt:applicableUnit unit:TON_Metric ; - qudt:applicableUnit unit:TON_SHORT ; - qudt:applicableUnit unit:TON_UK ; - qudt:applicableUnit unit:TON_US ; - qudt:applicableUnit unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:plainTextDescription "An informal mass limit established by a Project Office (at the Element Integrated Product Team (IPT) level or below) to control mass." ; - rdfs:isDefinedBy ; - rdfs:label "Target Bogie Mass"@en ; - skos:broader quantitykind:Mass ; -. -quantitykind:Temperature - a qudt:QuantityKind ; - dcterms:description "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C ; - qudt:applicableUnit unit:DEG_F ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:MilliDEG_C ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Temperature"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:plainTextDescription "Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. Objects of low temperature are cold, while various degrees of higher temperatures are referred to as warm or hot. Heat spontaneously flows from bodies of a higher temperature to bodies of lower temperature, at a rate that increases with the temperature difference and the thermal conductivity." ; - rdfs:isDefinedBy ; - rdfs:label "Temperature"@en ; - rdfs:seeAlso quantitykind:ThermodynamicTemperature ; -. -quantitykind:TemperatureAmountOfSubstance - a qudt:QuantityKind ; - qudt:applicableUnit unit:MOL-DEG_C ; - qudt:applicableUnit unit:MOL-K ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Temperature Amount of Substance"@en ; -. -quantitykind:TemperatureGradient - a qudt:QuantityKind ; - dcterms:description "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C-PER-M ; - qudt:applicableUnit unit:K-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifctemperaturegradientmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The temperature gradient measures the difference of a temperature per length, as for instance used in an external wall or its layers. It is usually measured in K/m." ; - rdfs:isDefinedBy ; - rdfs:label "Temperature Gradient"@en ; -. -quantitykind:TemperaturePerMagneticFluxDensity - a qudt:QuantityKind ; - qudt:applicableUnit unit:K-PER-T ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Temperature per Magnetic Flux Density"@en ; -. -quantitykind:TemperaturePerTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C-PER-HR ; - qudt:applicableUnit unit:DEG_C-PER-MIN ; - qudt:applicableUnit unit:DEG_C-PER-SEC ; - qudt:applicableUnit unit:DEG_C-PER-YR ; - qudt:applicableUnit unit:DEG_F-PER-HR ; - qudt:applicableUnit unit:DEG_F-PER-MIN ; - qudt:applicableUnit unit:DEG_F-PER-SEC ; - qudt:applicableUnit unit:DEG_R-PER-HR ; - qudt:applicableUnit unit:DEG_R-PER-MIN ; - qudt:applicableUnit unit:DEG_R-PER-SEC ; - qudt:applicableUnit unit:K-PER-HR ; - qudt:applicableUnit unit:K-PER-MIN ; - qudt:applicableUnit unit:K-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Temperature per Time"@en ; -. -quantitykind:TemperaturePerTime_Squared - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_F-PER-SEC2 ; - qudt:applicableUnit unit:K-PER-SEC2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Temperature per Time Squared"@en ; -. -quantitykind:TemperatureRateOfChange - a qudt:QuantityKind ; - dcterms:description "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s."^^rdf:HTML ; - qudt:applicableUnit unit:DEG_C-PER-HR ; - qudt:applicableUnit unit:DEG_C-PER-MIN ; - qudt:applicableUnit unit:DEG_C-PER-SEC ; - qudt:applicableUnit unit:DEG_C-PER-YR ; - qudt:applicableUnit unit:DEG_F-PER-HR ; - qudt:applicableUnit unit:DEG_F-PER-MIN ; - qudt:applicableUnit unit:DEG_F-PER-SEC ; - qudt:applicableUnit unit:DEG_R-PER-HR ; - qudt:applicableUnit unit:DEG_R-PER-MIN ; - qudt:applicableUnit unit:DEG_R-PER-SEC ; - qudt:applicableUnit unit:K-PER-HR ; - qudt:applicableUnit unit:K-PER-MIN ; - qudt:applicableUnit unit:K-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifctemperaturerateofchangemeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Temperature Rate of Change\" measures the difference of a temperature per time (positive: rise, negative: fall), as for instance used with heat sensors. It is for example measured in K/s." ; - rdfs:isDefinedBy ; - rdfs:label "Temperature Rate of Change"@en ; - skos:broader quantitykind:TemperaturePerTime ; -. -quantitykind:TemperatureRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C-PER-K ; - qudt:applicableUnit unit:DEG_F-PER-K ; - qudt:applicableUnit unit:K-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H1T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H1T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Temperature Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:TemporalSummationFunction - a qudt:QuantityKind ; - dcterms:description "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval."^^rdf:HTML ; - qudt:applicableUnit unit:PER-SEC-SR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Summation_(neurophysiology)#Temporal_summation"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Temporal Summation Function\" is the ability of the human eye to produce a composite signal from the signals coming into an eye during a short time interval." ; - rdfs:isDefinedBy ; - rdfs:label "Temporal Summation Function"@en ; -. -quantitykind:Tension - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tension"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Tension"@en ; - skos:broader quantitykind:ForceMagnitude ; -. -quantitykind:ThermalAdmittance - a qudt:QuantityKind ; - dcterms:description "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; - qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:W-PER-M2-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:plainTextDescription "The heat transfer coefficient is also known as thermal admittance in the sense that the material may be seen as admitting heat to flow." ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Admittance"@en ; - skos:broader quantitykind:CoefficientOfHeatTransfer ; -. -quantitykind:ThermalConductance - a qudt:QuantityKind ; - dcterms:description "This quantity is also called \"Heat Transfer Coefficient\"."^^rdf:HTML ; - qudt:applicableUnit unit:W-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "\\(G = 1/R\\), where \\(R\\) is \"Thermal Resistance\""^^qudt:LatexString ; - qudt:plainTextDescription "This quantity is also called \"Heat Transfer Coefficient\"." ; - qudt:symbol "G" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Conductance"@en ; - rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer ; -. -quantitykind:ThermalConductivity - a qudt:QuantityKind ; - dcterms:description "In physics, thermal conductivity, \\(k\\) (also denoted as \\(\\lambda\\)), is the property of a material's ability to conduct heat. It appears primarily in Fourier's Law for heat conduction and is the areic heat flow rate divided by temperature gradient."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT-FT-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_IT-IN-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_IT-IN-PER-FT2-SEC-DEG_F ; - qudt:applicableUnit unit:BTU_IT-IN-PER-HR-FT2-DEG_F ; - qudt:applicableUnit unit:BTU_IT-IN-PER-SEC-FT2-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT-DEG_R ; - qudt:applicableUnit unit:BTU_TH-FT-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_TH-FT-PER-HR-FT2-DEG_F ; - qudt:applicableUnit unit:BTU_TH-IN-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_TH-IN-PER-FT2-SEC-DEG_F ; - qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM-K ; - qudt:applicableUnit unit:CAL_TH-PER-CentiM-SEC-DEG_C ; - qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM-K ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM-SEC-DEG_C ; - qudt:applicableUnit unit:KiloCAL_IT-PER-HR-M-DEG_C ; - qudt:applicableUnit unit:W-PER-M-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_conductivity"^^xsd:anyURI ; - qudt:expression "\\(thermal-k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda = \\frac{\\varphi}{T}\\), where \\(\\varphi\\) is areic heat flow rate and \\(T\\) is temperature gradient."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\lambda\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Conductivity"@en ; -. -quantitykind:ThermalDiffusionFactor - a qudt:QuantityKind ; - dcterms:description "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\alpha_T = \\frac{k_T}{(x_A x_B)}\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(x_A\\) and \\(x_B\\) are the local amount-of-substance fractions of the two substances \\(A\\) and \\(B\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha_T\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Thermal diffusion is a phenomenon in which a temperature gradient in a mixture of fluids gives rise to a flow of one constituent relative to the mixture as a whole. in the context of the equation that describes thermal diffusion, the \"Thermal Diffusion Factor\" is ." ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Diffusion Factor"@en ; -. -quantitykind:ThermalDiffusionRatio - a qudt:QuantityKind ; - dcterms:description "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "In a steady state of a binary mixture in which thermal diffusion occurs, \\(grad x_B = -(\\frac{k_T}{T}) grad T\\), where \\(x_B\\) is the amount-of-substance fraction of the heavier substance \\(B\\), and \\(T\\) is the local thermodynamic temperature."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Thermal Diffusion Ratio\" is proportional to the product of the component concentrations." ; - qudt:symbol "k_T" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Diffusion Ratio"@en ; -. -quantitykind:ThermalDiffusionRatioCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Thermal Diffusion Coefficient\" is ."^^rdf:HTML ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:informativeReference "http://www.thermopedia.com/content/1189/"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(D_T = kT \\cdot D\\), where \\(k_T\\) is the thermal diffusion ratio, and \\(D\\) is the diffusion coefficient."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Thermal Diffusion Coefficient\" is ." ; - qudt:symbol "D_T" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Diffusion Coefficient"@en ; -. -quantitykind:ThermalDiffusivity - a qudt:QuantityKind ; - dcterms:description "In heat transfer analysis, thermal diffusivity (usually denoted \\(\\alpha\\) but \\(a\\), \\(\\kappa\\),\\(k\\), and \\(D\\) are also used) is the thermal conductivity divided by density and specific heat capacity at constant pressure. The formula is: \\(\\alpha = {k \\over {\\rho c_p}}\\), where k is thermal conductivity (\\(W/(\\mu \\cdot K)\\)), \\(\\rho\\) is density (\\(kg/m^{3}\\)), and \\(c_p\\) is specific heat capacity (\\(\\frac{J}{(kg \\cdot K)}\\)) .The denominator \\(\\rho c_p\\), can be considered the volumetric heat capacity (\\(\\frac{J}{(m^{3} \\cdot K)}\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:CentiM2-PER-SEC ; - qudt:applicableUnit unit:FT2-PER-HR ; - qudt:applicableUnit unit:FT2-PER-SEC ; - qudt:applicableUnit unit:IN2-PER-SEC ; - qudt:applicableUnit unit:M2-HZ ; - qudt:applicableUnit unit:M2-PER-SEC ; - qudt:applicableUnit unit:MilliM2-PER-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_diffusivity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_diffusivity"^^xsd:anyURI ; - qudt:latexDefinition "\\(a = \\frac{\\lambda}{\\rho c_\\rho}\\), where \\(\\lambda\\) is thermal conductivity, \\(\\rho\\) is mass density and \\(c_\\rho\\) is specific heat capacity at constant pressure."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\alpha\\)"^^qudt:LatexString ; - qudt:symbol "a" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Diffusivity"@en ; - skos:broader quantitykind:AreaPerTime ; -. -quantitykind:ThermalEfficiency - a qudt:QuantityKind ; - dcterms:description "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_efficiency"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:plainTextDescription "Thermal efficiency is a dimensionless performance measure of a thermal device such as an internal combustion engine, a boiler, or a furnace. The input to the device is heat, or the heat-content of a fuel that is consumed. The desired output is mechanical work, or heat, or possibly both." ; - qudt:qkdvDenominator qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Efficiency"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:ThermalEnergy - a qudt:QuantityKind ; - dcterms:description "\"Thermal Energy} is the portion of the thermodynamic or internal energy of a system that is responsible for the temperature of the system. From a macroscopic thermodynamic description, the thermal energy of a system is given by its constant volume specific heat capacity C(T), a temperature coefficient also called thermal capacity, at any given absolute temperature (T): \\(U_{thermal} = C(T) \\cdot T\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_MEAN ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_15_DEG_C ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_MEAN ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloCAL_IT ; - qudt:applicableUnit unit:KiloCAL_Mean ; - qudt:applicableUnit unit:KiloCAL_TH ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TON_FG-HR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_energy"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_energy"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:ThermalEnergyLength - a qudt:QuantityKind ; - qudt:applicableUnit unit:BTU_IT-FT ; - qudt:applicableUnit unit:BTU_IT-IN ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Energy Length"@en ; -. -quantitykind:ThermalExpansionCoefficient - a qudt:QuantityKind ; - dcterms:description "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value."^^rdf:HTML ; - qudt:applicableUnit unit:PER-K ; - qudt:applicableUnit unit:PPM-PER-K ; - qudt:applicableUnit unit:PPTM-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/DEV/IFC4_3/RC2/HTML/link/ifcthermalexpansioncoefficientmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Thermal Expansion Coefficient\" is a measure of the thermal expansion coefficient of a material, which expresses its elongation (as a ratio) per temperature difference. It is usually measured in 1/K. A positive elongation per (positive) rise of temperature is expressed by a positive value." ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Expansion Coefficient"@en ; - skos:broader quantitykind:ExpansionRatio ; -. -quantitykind:ThermalInsulance - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Thermal Insulance}\\) is the reduction of heat transfer (the transfer of thermal energy between objects of differing temperature) between objects in thermal contact or in range of radiative influence. In building technology, this quantity is often called \\(\\textit{Thermal Resistance}\\), with the symbol \\(R\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:CLO ; - qudt:applicableUnit unit:DEG_F-HR-FT2-PER-BTU_IT ; - qudt:applicableUnit unit:DEG_F-HR-FT2-PER-BTU_TH ; - qudt:applicableUnit unit:FT2-HR-DEG_F-PER-BTU_IT ; - qudt:applicableUnit unit:M2-HR-DEG_C-PER-KiloCAL_IT ; - qudt:applicableUnit unit:M2-K-PER-W ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_insulation"^^xsd:anyURI ; - qudt:latexDefinition "\\(M = 1/K\\), where \\(K\\) is \"Coefficient of Heat Transfer\""^^qudt:LatexString ; - qudt:symbol "M" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Insulance"@en ; - rdfs:seeAlso quantitykind:CoefficientOfHeatTransfer ; -. -quantitykind:ThermalResistance - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Thermal Resistance}\\) is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. the thermodynamic temperature difference divided by heat flow rate. Thermal resistance \\(R\\) has the units \\(\\frac{m^2 \\cdot K}{W}\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:DEG_F-HR-PER-BTU_IT ; - qudt:applicableUnit unit:K-PER-W ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thermal_resistance"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_resistance"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "Wärmewiderstand"@de ; - rdfs:label "opór cieplny"@cs ; - rdfs:label "resistencia térmica"@es ; - rdfs:label "resistenza termica"@it ; - rdfs:label "resistência térmica"@pt ; - rdfs:label "résistance thermique"@fr ; - rdfs:label "thermal resistance"@en ; - rdfs:label "thermischer Widerstand"@de ; - rdfs:label "مقاومة حرارية"@ar ; - rdfs:label "热阻"@zh ; - rdfs:label "熱抵抗"@ja ; - rdfs:seeAlso quantitykind:HeatFlowRate ; - rdfs:seeAlso quantitykind:ThermalInsulance ; - rdfs:seeAlso quantitykind:ThermodynamicTemperature ; -. -quantitykind:ThermalResistivity - a qudt:QuantityKind ; - dcterms:description "The reciprocal of thermal conductivity is thermal resistivity, measured in \\(kelvin-metres\\) per watt (\\(K \\cdot m/W\\))."^^qudt:LatexString ; - qudt:applicableUnit unit:DEG_F-HR ; - qudt:applicableUnit unit:FT2-PER-BTU_IT-IN ; - qudt:applicableUnit unit:K-M-PER-W ; - qudt:applicableUnit unit:M-K-PER-W ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Resistivity"@en ; -. -quantitykind:ThermalTransmittance - a qudt:QuantityKind ; - dcterms:description "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance."^^rdf:HTML ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-HR-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-FT2-SEC-DEG_F ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2-DEG_R ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2-DEG_R ; - qudt:applicableUnit unit:CAL_IT-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:CAL_TH-PER-SEC-CentiM2-K ; - qudt:applicableUnit unit:W-PER-M2-K ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Thermal_transmittance"^^xsd:anyURI ; - qudt:plainTextDescription "Thermal transmittance is the rate of transfer of heat through matter. The thermal transmittance of a material (such as insulation or concrete) or an assembly (such as a wall or window) is expressed as a U-value. The concept of thermal transmittance is closely related to that of thermal resistance. The thermal resistance of a structure is the reciprocal of its thermal transmittance." ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Transmittance"@en ; - skos:broader quantitykind:CoefficientOfHeatTransfer ; -. -quantitykind:ThermalUtilizationFactor - a qudt:QuantityKind ; - dcterms:description "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Four_factor_formula"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Thermal Utilization Factor\" in an infinite medium, is the ratio of the number of thermal absorbed in a fissionable nuclide or in a nuclear fuel, as specified, to the total number of thermal neutrons absorbed." ; - qudt:symbol "f" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Utilization Factor"@en ; -. -quantitykind:ThermalUtilizationFactorForFission - a qudt:QuantityKind ; - dcterms:description "Probability that a neutron that gets absorbed does so in the fuel material."^^rdf:HTML ; - qudt:applicableUnit unit:DECADE ; - qudt:applicableUnit unit:Flight ; - qudt:applicableUnit unit:GigaBasePair ; - qudt:applicableUnit unit:HeartBeat ; - qudt:applicableUnit unit:NP ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:OCT ; - qudt:applicableUnit unit:RPK ; - qudt:applicableUnit unit:SUSCEPTIBILITY_ELEC ; - qudt:applicableUnit unit:SUSCEPTIBILITY_MAG ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "Probability that a neutron that gets absorbed does so in the fuel material." ; - qudt:symbol "f" ; - rdfs:isDefinedBy ; - rdfs:label "Thermal Utilization Factor For Fission"@en ; - skos:broader quantitykind:Dimensionless ; -. -quantitykind:ThermodynamicCriticalMagneticFluxDensity - a qudt:QuantityKind ; - dcterms:description "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting."^^rdf:HTML ; - qudt:applicableUnit unit:GAUSS ; - qudt:applicableUnit unit:Gamma ; - qudt:applicableUnit unit:Gs ; - qudt:applicableUnit unit:KiloGAUSS ; - qudt:applicableUnit unit:MicroT ; - qudt:applicableUnit unit:MilliT ; - qudt:applicableUnit unit:NanoT ; - qudt:applicableUnit unit:T ; - qudt:applicableUnit unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexDefinition "\\(G_n - G_s = \\frac{1}{2}\\frac{B_c^2 \\cdot V}{\\mu_0}\\), where \\(G_n\\) and \\(G_s\\) are the Gibbs energies at zero magnetic flux density in a normal conductor and superconductor, respectively, \\(\\mu_0\\) is the magnetic constant, and \\(V\\) is volume."^^qudt:LatexString ; - qudt:plainTextDescription "\"Thermodynamic Critical Magnetic Flux Density\" is the maximum magnetic field strength below which a material remains superconducting." ; - qudt:symbol "B_c" ; - rdfs:isDefinedBy ; - rdfs:label "Thermodynamic Critical Magnetic Flux Density"@en ; - skos:broader quantitykind:MagneticFluxDensity ; -. -quantitykind:ThermodynamicEnergy - a qudt:QuantityKind ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:exactMatch quantitykind:EnergyInternal ; - qudt:exactMatch quantitykind:InternalEnergy ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - qudt:latexDefinition "For a closed thermodynamic system, \\(\\Delta U = Q + W\\), where \\(Q\\) is amount of heat transferred to the system and \\(W\\) is work done on the system provided that no chemical reactions occur."^^qudt:LatexString ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Thermodynamic Energy"@en ; - skos:broader quantitykind:Energy ; -. -quantitykind:ThermodynamicEntropy - a qudt:QuantityKind ; - dcterms:description "Thermodynamic Entropy is a measure of the unavailability of a system’s energy to do work. It is a measure of the randomness of molecules in a system and is central to the second law of thermodynamics and the fundamental thermodynamic relation, which deal with physical processes and whether they occur spontaneously. The dimensions of entropy are energy divided by temperature, which is the same as the dimensions of Boltzmann's constant (\\(kB\\)) and heat capacity. The SI unit of entropy is \\(joule\\ per\\ kelvin\\). [Wikipedia]"^^qudt:LatexString ; - qudt:applicableUnit unit:KiloJ-PER-K ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Thermodynamic Entropy"@en ; - skos:broader quantitykind:EnergyPerTemperature ; -. -quantitykind:ThermodynamicTemperature - a qudt:QuantityKind ; - dcterms:description """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. -Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. -In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; - qudt:applicableUnit unit:DEG_R ; - qudt:applicableUnit unit:K ; - qudt:applicableUnit unit:PlanckTemperature ; - qudt:dbpediaMatch "http://dbpedia.org/page/Thermodynamic_temperature"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:latexSymbol "\\(\\Theta\\)"^^qudt:LatexString ; - qudt:plainTextDescription """Thermodynamic temperature is the absolute measure of temperature and is one of the principal parameters of thermodynamics. -Temperature is a physical property of matter that quantitatively expresses the common notions of hot and cold. -In thermodynamics, in a system of which the entropy is considered as an independent externally controlled variable, absolute, or thermodynamic temperature is defined as the derivative of the internal energy with respect to the entropy. This is a base quantity in the International System of Quantities, ISQ, on which the International System of Units, SI, is based.""" ; - qudt:symbol "T" ; - rdfs:isDefinedBy ; - rdfs:label "Suhu termodinamik"@ms ; - rdfs:label "Termodynamická teplota"@cs ; - rdfs:label "abszolút hőmérséklet"@hu ; - rdfs:label "temperatura assoluta"@it ; - rdfs:label "temperatura termodinamica"@it ; - rdfs:label "temperatura thermodynamica absoluta"@la ; - rdfs:label "temperatura"@es ; - rdfs:label "temperatura"@pl ; - rdfs:label "temperatura"@pt ; - rdfs:label "temperatura"@sl ; - rdfs:label "temperatură termodinamică"@ro ; - rdfs:label "température thermodynamique"@fr ; - rdfs:label "termodinamik sıcaklık"@tr ; - rdfs:label "thermodynamic temperature"@en ; - rdfs:label "thermodynamische Temperatur"@de ; - rdfs:label "Απόλυτη"@el ; - rdfs:label "Θερμοδυναμική Θερμοκρασία"@el ; - rdfs:label "Термодинамическая температура"@ru ; - rdfs:label "Термодинамична температура"@bg ; - rdfs:label "טמפרטורה מוחלטת"@he ; - rdfs:label "درجة الحرارة المطلقة"@ar ; - rdfs:label "دمای ترمودینامیکی"@fa ; - rdfs:label "ऊष्मगतिकीय तापमान"@hi ; - rdfs:label "热力学温度"@zh ; - rdfs:label "熱力学温度"@ja ; - rdfs:seeAlso quantitykind:Temperature ; - skos:broader quantitykind:Temperature ; -. -quantitykind:Thickness - a qudt:QuantityKind ; - dcterms:description "\"Thickness\" is the the smallest of three dimensions: length, width, thickness."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thickness"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://www.merriam-webster.com/dictionary/thickness"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:plainTextDescription "\"Thickness\" is the the smallest of three dimensions: length, width, thickness." ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Thickness"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:ThomsonCoefficient - a qudt:QuantityKind ; - dcterms:description "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference."^^rdf:HTML ; - qudt:applicableUnit unit:V-PER-K ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; - qudt:informativeReference "http://www.daviddarling.info/encyclopedia/T/Thomson_effect.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Thomson Coefficient\" represents Thomson heat power developed, divided by the electric current and the temperature difference." ; - rdfs:isDefinedBy ; - rdfs:label "Thomson Coefficient"@en ; -. -quantitykind:Thrust - a qudt:QuantityKind ; - dcterms:description """Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system. -The pushing or pulling force developed by an aircraft engine or a rocket engine. -The force exerted in any direction by a fluid jet or by a powered screw, as, the thrust of an antitorque rotor. -Specifically, in rocketry, \\( F\\,= m\\cdot v\\) where m is propellant mass flow and v is exhaust velocity relative to the vehicle. Also called momentum thrust."""^^qudt:LatexString ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thrust"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:plainTextDescription "Thrust is a reaction force described quantitatively by Newton's Second and Third Laws. When a system expels or accelerates mass in one direction the accelerated mass will cause a proportional but opposite force on that system." ; - rdfs:isDefinedBy ; - rdfs:label "Thrust"@en ; - skos:broader quantitykind:Force ; -. -quantitykind:ThrustCoefficient - a qudt:QuantityKind ; - dcterms:description "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure "^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:plainTextDescription "The thrust force of a jet-propulsion engine per unit of frontal area per unit of incompressible dynamic pressure " ; - qudt:symbol "C_{F}" ; - rdfs:isDefinedBy ; - rdfs:label "Thrust Coefficient"@en ; -. -quantitykind:ThrustToMassRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:LB_F-PER-LB ; - qudt:applicableUnit unit:N-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Thrust To Mass Ratio"@en ; - skos:broader quantitykind:Acceleration ; -. -quantitykind:ThrustToWeightRatio - a qudt:QuantityKind ; - dcterms:description "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexSymbol "\\(\\psi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Thrust-to-weight ratio is a ratio of thrust to weight of a rocket, jet engine, propeller engine, or a vehicle propelled by such an engine. It is a dimensionless quantity and is an indicator of the performance of the engine or vehicle." ; - rdfs:isDefinedBy ; - rdfs:label "Thrust To Weight Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:ThrusterPowerToThrustEfficiency - a qudt:QuantityKind ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T1D0 ; - qudt:latexSymbol "\\(\\eta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Thruster Power To Thrust Efficiency"@en ; -. -quantitykind:Time - a qudt:QuantityKind ; - dcterms:description "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Time"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:plainTextDescription "Time is a basic component of the measuring system used to sequence events, to compare the durations of events and the intervals between them, and to quantify the motions of objects." ; - qudt:symbol "t" ; - rdfs:isDefinedBy ; - rdfs:label "Masa"@ms ; - rdfs:label "Zeit"@de ; - rdfs:label "czas"@pl ; - rdfs:label "idő"@hu ; - rdfs:label "tempo"@it ; - rdfs:label "tempo"@pt ; - rdfs:label "temps"@fr ; - rdfs:label "tempus"@la ; - rdfs:label "tiempo"@es ; - rdfs:label "time"@en ; - rdfs:label "timp"@ro ; - rdfs:label "zaman"@tr ; - rdfs:label "Čas"@cs ; - rdfs:label "čas"@sl ; - rdfs:label "Χρόνος"@el ; - rdfs:label "Време"@bg ; - rdfs:label "Время"@ru ; - rdfs:label "זמן"@he ; - rdfs:label "زمان"@fa ; - rdfs:label "زمن"@ar ; - rdfs:label "समय"@hi ; - rdfs:label "时间"@zh ; - rdfs:label "時間"@ja ; -. -quantitykind:TimeAveragedSoundIntensity - a qudt:QuantityKind ; - dcterms:description "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity."^^rdf:HTML ; - qudt:abbreviation "w/m2" ; - qudt:applicableUnit unit:BTU_IT-PER-HR-FT2 ; - qudt:applicableUnit unit:BTU_IT-PER-SEC-FT2 ; - qudt:applicableUnit unit:ERG-PER-CentiM2-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-FT2-SEC ; - qudt:applicableUnit unit:J-PER-CentiM2-DAY ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-CentiM2-SEC ; - qudt:applicableUnit unit:MicroW-PER-M2 ; - qudt:applicableUnit unit:MilliW-PER-M2 ; - qudt:applicableUnit unit:PSI-L-PER-SEC ; - qudt:applicableUnit unit:PicoW-PER-M2 ; - qudt:applicableUnit unit:W-PER-CentiM2 ; - qudt:applicableUnit unit:W-PER-FT2 ; - qudt:applicableUnit unit:W-PER-IN2 ; - qudt:applicableUnit unit:W-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_intensity"^^xsd:anyURI ; - qudt:latexDefinition "\\(I = \\frac{1}{t2 - t1} \\int_{t1}^{t2}i(t)dt\\), where \\(t1\\) and \\(t2\\) are the starting and ending times for the integral and \\(i\\) is sound intensity."^^qudt:LatexString ; - qudt:plainTextDescription "Sound intensity or acoustic intensity (\\(I\\)) is defined as the sound power \\(P_a\\) per unit area \\(A\\). The usual context is the noise measurement of sound intensity in the air at a listener's location as a sound energy quantity." ; - qudt:symbol "I" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Time averaged sound intensity"@en ; - skos:broader quantitykind:SoundIntensity ; -. -quantitykind:TimePercentage - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:TimeRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Time Percentage"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:TimeRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T1D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Time Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:TimeSquared - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:Time_Squared ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Time Squared"@en ; -. -quantitykind:TimeTemperature - a qudt:QuantityKind ; - qudt:applicableUnit unit:DEG_C-WK ; - qudt:applicableUnit unit:K-DAY ; - qudt:applicableUnit unit:K-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31890"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Time Temperature"@en ; -. -quantitykind:Time_Squared - a qudt:QuantityKind ; - qudt:applicableUnit unit:SEC2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Time_Squared"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Time Squared"@en ; -. -quantitykind:Torque - a qudt:QuantityKind ; - dcterms:description """In physics, a torque (\\(\\tau\\)) is a vector that measures the tendency of a force to rotate an object about some axis. The magnitude of a torque is defined as force times its lever arm. Just as a force is a push or a pull, a torque can be thought of as a twist. The SI unit for torque is newton meters (\\(N m\\)). In U.S. customary units, it is measured in foot pounds (ft lbf) (also known as \"pounds feet\"). -Mathematically, the torque on a particle (which has the position r in some reference frame) can be defined as the cross product: \\(τ = r x F\\) -where, -r is the particle's position vector relative to the fulcrum -F is the force acting on the particles, -or, more generally, torque can be defined as the rate of change of angular momentum: \\(τ = dL/dt\\) -where, -L is the angular momentum vector -t stands for time."""^^qudt:LatexString ; - qudt:applicableUnit unit:CentiN-M ; - qudt:applicableUnit unit:DYN-CentiM ; - qudt:applicableUnit unit:DeciN-M ; - qudt:applicableUnit unit:KiloGM_F-M ; - qudt:applicableUnit unit:KiloN-M ; - qudt:applicableUnit unit:LB_F-FT ; - qudt:applicableUnit unit:LB_F-IN ; - qudt:applicableUnit unit:MegaN-M ; - qudt:applicableUnit unit:MicroN-M ; - qudt:applicableUnit unit:MilliN-M ; - qudt:applicableUnit unit:N-CentiM ; - qudt:applicableUnit unit:N-M ; - qudt:applicableUnit unit:OZ_F-IN ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Torque"^^xsd:anyURI ; - qudt:exactMatch quantitykind:MomentOfForce ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Torque"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\tau = M \\cdot e_Q\\), where \\(M\\) is the momentof force and \\(e_Q\\) is a unit vector directed along a \\(Q-axis\\) with respect to which the torque is considered."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\tau\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Drillmoment"@de ; - rdfs:label "Torsionmoment"@de ; - rdfs:label "binârio"@pt ; - rdfs:label "coppia"@it ; - rdfs:label "couple"@fr ; - rdfs:label "moment de torsion"@fr ; - rdfs:label "moment obrotowy"@pl ; - rdfs:label "momento de torsión"@es ; - rdfs:label "momento de torção"@pt ; - rdfs:label "momento torcente"@it ; - rdfs:label "par"@es ; - rdfs:label "torque"@en ; - rdfs:label "عزم محورى"@ar ; - rdfs:label "トルク"@ja ; - rdfs:label "转矩"@zh ; -. -quantitykind:TorquePerAngle - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-M-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Torque per Angle"@en ; -. -quantitykind:TorquePerLength - a qudt:QuantityKind ; - qudt:applicableUnit unit:N-M-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Torque per Length"@en ; -. -quantitykind:TotalAngularMomentum - a qudt:QuantityKind ; - dcterms:description "\"Total Angular Momentum\" combines both the spin and orbital angular momentum of all particles and fields. In atomic and nuclear physics, orbital angular momentum is usually denoted by \\(l\\) or \\(L\\) instead of \\(\\Lambda\\). The magnitude of \\(J\\) is quantized so that \\(J^2 = \\hbar^2 j(j + 1)\\), where \\(j\\) is the total angular momentum quantum number."^^qudt:LatexString ; - qudt:applicableUnit unit:ERG-SEC ; - qudt:applicableUnit unit:EV-SEC ; - qudt:applicableUnit unit:FT-LB_F-SEC ; - qudt:applicableUnit unit:J-SEC ; - qudt:applicableUnit unit:KiloGM-M2-PER-SEC ; - qudt:applicableUnit unit:N-M-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Angular_momentum#Spin.2C_orbital.2C_and_total_angular_momentum"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "J" ; - rdfs:isDefinedBy ; - rdfs:label "Total Angular Momentum"@en ; - skos:broader quantitykind:AngularMomentum ; -. -quantitykind:TotalAngularMomentumQuantumNumber - a qudt:QuantityKind ; - dcterms:description "The \"Total Angular Quantum Number\" describes the magnitude of total angular momentum \\(J\\), where \\(j\\) refers to a specific particle and \\(J\\) is used for the whole system."^^qudt:LatexString ; - qudt:applicableUnit unit:NUM ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quantum_number"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:symbol "j" ; - rdfs:isDefinedBy ; - rdfs:label "Total Angular Momentum Quantum Number"@en ; - skos:broader quantitykind:QuantumNumber ; - skos:closeMatch quantitykind:MagneticQuantumNumber ; - skos:closeMatch quantitykind:PrincipalQuantumNumber ; - skos:closeMatch quantitykind:SpinQuantumNumber ; -. -quantitykind:TotalAtomicStoppingPower - a qudt:QuantityKind ; - dcterms:description "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume."^^rdf:HTML ; - qudt:applicableUnit unit:J-M2 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; - qudt:informativeReference "http://www.answers.com/topic/atomic-stopping-power"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(S_a = \\frac{S}{n}\\), where \\(S\\) is the total linear stopping power and \\(n\\) is the number density of the atoms in the substance."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Total Atomic Stopping Power\" for an ionizing particle passing through an element, is the particle's energy loss per atom within a unit area normal to the particle's path; equal to the linear energy transfer (energy loss per unit path length) divided by the number of atoms per unit volume." ; - qudt:symbol "S_a" ; - rdfs:isDefinedBy ; - rdfs:label "Total Atomic Stopping Power"@en ; -. -quantitykind:TotalCrossSection - a qudt:QuantityKind ; - dcterms:description "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle."^^rdf:HTML ; - qudt:applicableUnit unit:AC ; - qudt:applicableUnit unit:ARE ; - qudt:applicableUnit unit:BARN ; - qudt:applicableUnit unit:CentiM2 ; - qudt:applicableUnit unit:DecaARE ; - qudt:applicableUnit unit:DeciM2 ; - qudt:applicableUnit unit:FT2 ; - qudt:applicableUnit unit:HA ; - qudt:applicableUnit unit:IN2 ; - qudt:applicableUnit unit:M2 ; - qudt:applicableUnit unit:MI2 ; - qudt:applicableUnit unit:MIL_Circ ; - qudt:applicableUnit unit:MicroM2 ; - qudt:applicableUnit unit:MilliM2 ; - qudt:applicableUnit unit:NanoM2 ; - qudt:applicableUnit unit:PlanckArea ; - qudt:applicableUnit unit:YD2 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cross_section_(physics)"^^xsd:anyURI ; - qudt:normativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Total Cross-section\" is related to the absorbance of the light intensity through Beer-Lambert's law. It is the sum of all cross-sections corresponding to the various reactions or processes between an incident particle of specified type and energy and a target particle." ; - qudt:symbol "σₜ" ; - rdfs:isDefinedBy ; - rdfs:label "Total Cross-section"@en ; - skos:broader quantitykind:CrossSection ; -. -quantitykind:TotalCurrent - a qudt:QuantityKind ; - dcterms:description "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current."^^rdf:HTML ; - qudt:applicableUnit unit:A ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(I_{tot}= I + I_D\\), where \\(I\\) is electric current and \\(I_D\\) is displacement current."^^qudt:LatexString ; - qudt:plainTextDescription "\"Total Current\" is the sum of the electric current that is flowing through a surface and the displacement current." ; - qudt:symbol "I_t" ; - qudt:symbol "I_{tot}" ; - rdfs:isDefinedBy ; - rdfs:label "Total Current"@en ; - rdfs:seeAlso quantitykind:DisplacementCurrent ; - rdfs:seeAlso quantitykind:ElectricCurrent ; -. -quantitykind:TotalCurrentDensity - a qudt:QuantityKind ; - dcterms:description "\"Total Current Density\" is the sum of the electric current density and the displacement current density."^^rdf:HTML ; - qudt:applicableUnit unit:A-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(J_{tot}= J + J_D\\), where \\(J\\) is electric current density and \\(J_D\\) is displacement current density."^^qudt:LatexString ; - qudt:latexSymbol "\\(J_{tot}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Total Current Density\" is the sum of the electric current density and the displacement current density." ; - rdfs:isDefinedBy ; - rdfs:label "Total Current Density"@en ; - rdfs:seeAlso quantitykind:DisplacementCurrentDensity ; - rdfs:seeAlso quantitykind:ElectricCurrentDensity ; -. -quantitykind:TotalIonization - a qudt:QuantityKind ; - dcterms:description "\"Total Ionization\" by a particle, total mean charge, divided by the elementary charge, \\(e\\), of all positive ions produced by an ionizing charged particle along its entire path and along the paths of any secondary charged particles."^^qudt:LatexString ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ionization#Classical_ionization"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(N = \\int N_i dl\\)."^^qudt:LatexString ; - qudt:symbol "N_i" ; - rdfs:isDefinedBy ; - rdfs:label "Total Ionization"@en ; -. -quantitykind:TotalLinearStoppingPower - a qudt:QuantityKind ; - dcterms:description "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length."^^rdf:HTML ; - qudt:applicableUnit unit:ERG-PER-CentiM ; - qudt:applicableUnit unit:EV-PER-ANGSTROM ; - qudt:applicableUnit unit:EV-PER-M ; - qudt:applicableUnit unit:J-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(S = -\\frac{dE}{dx}\\), where \\(-dE\\) is the energy decrement in the \\(x-direction\\) along an elementary path with the length \\(dx\\)."^^qudt:LatexString ; - qudt:plainTextDescription "The \"Total Linear Stopping Power\" is defined as the average energy loss of the particle per unit path length." ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Total Linear Stopping Power"@en ; -. -quantitykind:TotalMassStoppingPower - a qudt:QuantityKind ; - dcterms:description "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material."^^rdf:HTML ; - qudt:applicableUnit unit:J-M2-PER-KiloGM ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stopping_power_(particle_radiation)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:latexDefinition "\\(S_m = \\frac{S}{\\rho}\\), where \\(S\\) is the total linear stopping power and \\(\\rho\\) is the mass density of the sample."^^qudt:LatexString ; - qudt:plainTextDescription "If a substance is compared in gaseous and solid form, then the linear stopping powers of the two states are very different just because of the different density. One therefore often divides S(E) by the density of the material to obtain the \"Mass Stopping Power\". The mass stopping power then depends only very little on the density of the material." ; - qudt:symbol "S_m" ; - rdfs:isDefinedBy ; - rdfs:label "Total Mass Stopping Power"@en ; -. -quantitykind:TotalPressure - a qudt:QuantityKind ; - dcterms:description " The total pressure is the sum of the dynamic and static pressures, that is \\(P_0 = P + q\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:symbol "P_0" ; - rdfs:isDefinedBy ; - rdfs:label "Total Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:TouchThresholds - a qudt:QuantityKind ; - dcterms:description "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_t}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Touch Thresholds\" are thresholds for touch, vibration and other stimuli to the skin." ; - rdfs:isDefinedBy ; - rdfs:label "Touch Thresholds"@en ; -. -quantitykind:Transmittance - a qudt:QuantityKind ; - dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Transmittance"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\tau = \\frac{\\Phi_t}{\\Phi_m}\\), where \\(\\Phi_t\\) is the transmitted radiant flux or the transmitted luminous flux, and \\(\\Phi_m\\) is the radiant flux or luminous flux of the incident radiation."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\tau, T\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Transmittance"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:TransmittanceDensity - a qudt:QuantityKind ; - dcterms:description "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:latexDefinition "\\(A_{10}(\\lambda) = -lg(\\tau(\\lambda))\\), where \\(\\tau\\) is the transmittance at a given wavelength \\(\\lambda\\)."^^qudt:LatexString ; - qudt:plainTextDescription "Transmittance is the fraction of incident light (electromagnetic radiation) at a specified wavelength that passes through a sample." ; - qudt:symbol "A_10, D" ; - rdfs:isDefinedBy ; - rdfs:label "Transmittance Density"@en ; -. -quantitykind:TrueExhaustVelocity - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:symbol "u_{e}" ; - rdfs:isDefinedBy ; - rdfs:label "True Exhaust Velocity"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:Turbidity - a qudt:QuantityKind ; - dcterms:description "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid."^^rdf:HTML ; - qudt:applicableUnit unit:NTU ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Turbidity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Turbidity"^^xsd:anyURI ; - qudt:plainTextDescription "Turbidity is the cloudiness or haziness of a fluid, or of air, caused by individual particles (suspended solids) that are generally invisible to the naked eye, similar to smoke in air. Turbidity in open water is often caused by phytoplankton and the measurement of turbidity is a key test of water quality. The higher the turbidity, the higher the risk of the drinkers developing gastrointestinal diseases, especially for immune-compromised people, because contaminants like virus or bacteria can become attached to the suspended solid. The suspended solids interfere with water disinfection with chlorine because the particles act as shields for the virus and bacteria. Similarly suspended solids can protect bacteria from UV sterilisation of water. Fluids can contain suspended solid matter consisting of particles of many different sizes. While some suspended material will be large enough and heavy enough to settle rapidly to the bottom container if a liquid sample is left to stand (the settleable solids), very small particles will settle only very slowly or not at all if the sample is regularly agitated or the particles are colloidal. These small solid particles cause the liquid to appear turbid." ; - rdfs:isDefinedBy ; - rdfs:label "Turbidity"@en ; -. -quantitykind:Turns - a qudt:QuantityKind ; - dcterms:description "\"Turns\" is the number of turns in a winding."^^rdf:HTML ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:plainTextDescription "\"Turns\" is the number of turns in a winding." ; - qudt:symbol "N" ; - rdfs:isDefinedBy ; - rdfs:label "Turns"@en ; - skos:broader quantitykind:Count ; -. -quantitykind:Unknown - a qudt:QuantityKind ; - dcterms:description "Placeholder value used for reference from units where it is not clear what a given unit is a measure of." ; - qudt:applicableUnit unit:CentiM2-PER-CentiM3 ; - qudt:applicableUnit unit:DEG-PER-M ; - qudt:applicableUnit unit:DEG_C-KiloGM-PER-M2 ; - qudt:applicableUnit unit:DEG_C2-PER-SEC ; - qudt:applicableUnit unit:K-M-PER-SEC ; - qudt:applicableUnit unit:K-M2-PER-KiloGM-SEC ; - qudt:applicableUnit unit:K-PA-PER-SEC ; - qudt:applicableUnit unit:K2 ; - qudt:applicableUnit unit:KiloGM-PER-M3-SEC ; - qudt:applicableUnit unit:KiloGM-SEC2 ; - qudt:applicableUnit unit:KiloGM2-PER-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-M-PER-SEC ; - qudt:applicableUnit unit:M2-HZ2 ; - qudt:applicableUnit unit:M2-HZ3 ; - qudt:applicableUnit unit:M2-HZ4 ; - qudt:applicableUnit unit:M2-PER-HZ ; - qudt:applicableUnit unit:M2-PER-HZ-DEG ; - qudt:applicableUnit unit:M2-PER-HZ2 ; - qudt:applicableUnit unit:M2-PER-SEC2 ; - qudt:applicableUnit unit:M2-SEC-PER-RAD ; - qudt:applicableUnit unit:M3-PER-KiloGM-SEC2 ; - qudt:applicableUnit unit:M4-PER-SEC ; - qudt:applicableUnit unit:MOL-PER-GM-HR ; - qudt:applicableUnit unit:MOL-PER-M2 ; - qudt:applicableUnit unit:MOL-PER-M2-DAY ; - qudt:applicableUnit unit:MOL-PER-M2-SEC ; - qudt:applicableUnit unit:MOL-PER-M2-SEC-M ; - qudt:applicableUnit unit:MOL-PER-M2-SEC-M-SR ; - qudt:applicableUnit unit:MOL-PER-M2-SEC-SR ; - qudt:applicableUnit unit:MOL-PER-M3-SEC ; - qudt:applicableUnit unit:MOL-PER-MOL ; - qudt:applicableUnit unit:MicroGAL-PER-M ; - qudt:applicableUnit unit:MicroGM-PER-L-HR ; - qudt:applicableUnit unit:MicroGM-PER-M3-HR ; - qudt:applicableUnit unit:MicroM-PER-L-DAY ; - qudt:applicableUnit unit:MicroM-PER-MilliL ; - qudt:applicableUnit unit:MicroMOL-PER-GM-HR ; - qudt:applicableUnit unit:MicroMOL-PER-GM-SEC ; - qudt:applicableUnit unit:MicroMOL-PER-L-HR ; - qudt:applicableUnit unit:MicroMOL-PER-M2 ; - qudt:applicableUnit unit:MicroMOL-PER-M2-DAY ; - qudt:applicableUnit unit:MicroMOL-PER-M2-HR ; - qudt:applicableUnit unit:MicroMOL-PER-MOL ; - qudt:applicableUnit unit:MicroMOL-PER-MicroMOL-DAY ; - qudt:applicableUnit unit:MilliBQ-PER-M2-DAY ; - qudt:applicableUnit unit:MilliGAL-PER-MO ; - qudt:applicableUnit unit:MilliGM-PER-M3-DAY ; - qudt:applicableUnit unit:MilliGM-PER-M3-HR ; - qudt:applicableUnit unit:MilliGM-PER-M3-SEC ; - qudt:applicableUnit unit:MilliL-PER-M2-DAY ; - qudt:applicableUnit unit:MilliMOL-PER-M2 ; - qudt:applicableUnit unit:MilliMOL-PER-M2-DAY ; - qudt:applicableUnit unit:MilliMOL-PER-M2-SEC ; - qudt:applicableUnit unit:MilliMOL-PER-M3-DAY ; - qudt:applicableUnit unit:MilliMOL-PER-MOL ; - qudt:applicableUnit unit:MilliRAD_R-PER-HR ; - qudt:applicableUnit unit:MilliW-PER-CentiM2-MicroM-SR ; - qudt:applicableUnit unit:MilliW-PER-M2-NanoM ; - qudt:applicableUnit unit:MilliW-PER-M2-NanoM-SR ; - qudt:applicableUnit unit:MillionUSD-PER-YR ; - qudt:applicableUnit unit:N-M2-PER-KiloGM2 ; - qudt:applicableUnit unit:NUM-PER-CentiM-KiloYR ; - qudt:applicableUnit unit:NUM-PER-GM ; - qudt:applicableUnit unit:NUM-PER-HectoGM ; - qudt:applicableUnit unit:NUM-PER-MilliGM ; - qudt:applicableUnit unit:NanoMOL-PER-CentiM3-HR ; - qudt:applicableUnit unit:NanoMOL-PER-GM-SEC ; - qudt:applicableUnit unit:NanoMOL-PER-L-DAY ; - qudt:applicableUnit unit:NanoMOL-PER-L-HR ; - qudt:applicableUnit unit:NanoMOL-PER-M2-DAY ; - qudt:applicableUnit unit:NanoMOL-PER-MicroGM-HR ; - qudt:applicableUnit unit:NanoMOL-PER-MicroMOL ; - qudt:applicableUnit unit:NanoMOL-PER-MicroMOL-DAY ; - qudt:applicableUnit unit:PA-M ; - qudt:applicableUnit unit:PA-M-PER-SEC ; - qudt:applicableUnit unit:PA-M-PER-SEC2 ; - qudt:applicableUnit unit:PA-SEC-PER-M3 ; - qudt:applicableUnit unit:PA2-PER-SEC2 ; - qudt:applicableUnit unit:PER-GM ; - qudt:applicableUnit unit:PER-H ; - qudt:applicableUnit unit:PER-M-NanoM ; - qudt:applicableUnit unit:PER-M-NanoM-SR ; - qudt:applicableUnit unit:PER-M-SEC ; - qudt:applicableUnit unit:PER-M-SR ; - qudt:applicableUnit unit:PER-MicroMOL-L ; - qudt:applicableUnit unit:PER-PA-SEC ; - qudt:applicableUnit unit:PER-SEC2 ; - qudt:applicableUnit unit:PER-SR ; - qudt:applicableUnit unit:PPTH-PER-HR ; - qudt:applicableUnit unit:PPTR_VOL ; - qudt:applicableUnit unit:PSU ; - qudt:applicableUnit unit:PicoA-PER-MicroMOL-L ; - qudt:applicableUnit unit:PicoMOL-PER-L-DAY ; - qudt:applicableUnit unit:PicoMOL-PER-L-HR ; - qudt:applicableUnit unit:PicoMOL-PER-M-W-SEC ; - qudt:applicableUnit unit:PicoMOL-PER-M2-DAY ; - qudt:applicableUnit unit:PicoMOL-PER-M3-SEC ; - qudt:applicableUnit unit:PicoW-PER-CentiM2-L ; - qudt:applicableUnit unit:SEC-PER-M ; - qudt:applicableUnit unit:UNKNOWN ; - qudt:applicableUnit unit:W-M-PER-M2-SR ; - qudt:applicableUnit unit:W-PER-M ; - qudt:applicableUnit unit:W-PER-M2-M ; - qudt:applicableUnit unit:W-PER-M2-M-SR ; - qudt:applicableUnit unit:W-PER-M2-NanoM ; - qudt:applicableUnit unit:W-PER-M2-NanoM-SR ; - qudt:hasDimensionVector qkdv:NotApplicable ; - rdfs:isDefinedBy ; - rdfs:label "Unknown" ; -. -quantitykind:UpperCriticalMagneticFluxDensity - a qudt:QuantityKind ; - dcterms:description "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity."^^rdf:HTML ; - qudt:applicableUnit unit:GAUSS ; - qudt:applicableUnit unit:Gamma ; - qudt:applicableUnit unit:Gs ; - qudt:applicableUnit unit:KiloGAUSS ; - qudt:applicableUnit unit:MicroT ; - qudt:applicableUnit unit:MilliT ; - qudt:applicableUnit unit:NanoT ; - qudt:applicableUnit unit:T ; - qudt:applicableUnit unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:plainTextDescription "\"Upper Critical Magnetic Flux Density\" for type II superconductors, is the threshold magnetic flux density for disappearance of bulk superconductivity." ; - qudt:symbol "B_{c2}" ; - rdfs:isDefinedBy ; - rdfs:label "Upper Critical Magnetic Flux Density"@en ; - skos:broader quantitykind:MagneticFluxDensity ; - skos:closeMatch quantitykind:LowerCriticalMagneticFluxDensity ; -. -quantitykind:VacuumThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:expression "\\(VT\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Vacuum Thrust"@en ; - skos:broader quantitykind:Thrust ; -. -quantitykind:VaporPermeability - a qudt:QuantityKind ; - dcterms:description "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric."^^rdf:HTML ; - qudt:applicableUnit unit:KiloGM-PER-M2-PA-SEC ; - qudt:applicableUnit unit:NanoGM-PER-M2-PA-SEC ; - qudt:applicableUnit unit:PERM_Metric ; - qudt:applicableUnit unit:PERM_US ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:informativeReference "https://www.designingbuildings.co.uk/wiki/Vapour_Permeability"^^xsd:anyURI ; - qudt:plainTextDescription "Vapour permeability, or \"Breathability\" in a building refers to the ease with which water vapour passes through building elements. Building elements where vapour permeability is poorly designed can result in condensation, leading to unhealthy living environments and degradation of fabric." ; - rdfs:isDefinedBy ; - rdfs:label "Vapor Permeability"@en ; -. -quantitykind:VaporPressure - a qudt:QuantityKind ; - dcterms:description "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system."^^rdf:HTML ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:plainTextDescription "A pressure that is the one exerted by a substance vapor in thermodynamic equilibrium with either its solid or liquid phase at a given temperature in a closed system." ; - rdfs:isDefinedBy ; - rdfs:label "Vapor Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:VehicleVelocity - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:symbol "V" ; - rdfs:isDefinedBy ; - rdfs:label "Vehicle Velocity"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:Velocity - a qudt:QuantityKind ; - dcterms:description "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. "^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Velocity"^^xsd:anyURI ; - qudt:exactMatch quantitykind:LinearVelocity ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Velocity"^^xsd:anyURI ; - qudt:plainTextDescription "In kinematics, velocity is the speed of an object and a specification of its direction of motion. Speed describes only how fast an object is moving, whereas velocity gives both how fast and in what direction the object is moving. " ; - qudt:symbol "v" ; - rdfs:isDefinedBy ; - rdfs:label "Geschwindigkeit"@de ; - rdfs:label "Halaju"@ms ; - rdfs:label "Rychlost"@cs ; - rdfs:label "hitrost"@sl ; - rdfs:label "hız"@tr ; - rdfs:label "prędkość"@pl ; - rdfs:label "rapidez"@es ; - rdfs:label "velocidad"@es ; - rdfs:label "velocidade"@pt ; - rdfs:label "velocitas"@la ; - rdfs:label "velocity"@en ; - rdfs:label "velocità"@it ; - rdfs:label "vitesse"@fr ; - rdfs:label "viteză"@ro ; - rdfs:label "Επιφάνεια"@el ; - rdfs:label "Ско́рость"@ru ; - rdfs:label "מהירות"@he ; - rdfs:label "السرعة"@ar ; - rdfs:label "سرعت/تندی"@fa ; - rdfs:label "गति"@hi ; - rdfs:label "वेग"@hi ; - rdfs:label "速力"@ja ; - rdfs:label "速度"@zh ; -. -quantitykind:VentilationRatePerFloorArea - a qudt:QuantityKind ; - dcterms:description "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area."^^rdf:HTML ; - qudt:applicableUnit unit:L-PER-SEC-M2 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Ventilation_(architecture)#Ventilation_rates_for_indoor_air_quality"^^xsd:anyURI ; - qudt:plainTextDescription "Ventilation Rate is often expressed by the volumetric flowrate of outdoor air introduced to a building. However, ASHRAE now recommends ventilation rates dependent upon floor area." ; - rdfs:isDefinedBy ; - rdfs:label "Ventilation Rate per Floor Area"@en ; -. -quantitykind:VerticalVelocity - a qudt:QuantityKind ; - dcterms:description "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM-PER-HR ; - qudt:applicableUnit unit:CentiM-PER-KiloYR ; - qudt:applicableUnit unit:CentiM-PER-SEC ; - qudt:applicableUnit unit:CentiM-PER-YR ; - qudt:applicableUnit unit:FT-PER-DAY ; - qudt:applicableUnit unit:FT-PER-HR ; - qudt:applicableUnit unit:FT-PER-MIN ; - qudt:applicableUnit unit:FT-PER-SEC ; - qudt:applicableUnit unit:GigaHZ-M ; - qudt:applicableUnit unit:IN-PER-MIN ; - qudt:applicableUnit unit:IN-PER-SEC ; - qudt:applicableUnit unit:KN ; - qudt:applicableUnit unit:KiloM-PER-DAY ; - qudt:applicableUnit unit:KiloM-PER-HR ; - qudt:applicableUnit unit:KiloM-PER-SEC ; - qudt:applicableUnit unit:M-PER-HR ; - qudt:applicableUnit unit:M-PER-MIN ; - qudt:applicableUnit unit:M-PER-SEC ; - qudt:applicableUnit unit:M-PER-YR ; - qudt:applicableUnit unit:MI-PER-HR ; - qudt:applicableUnit unit:MI-PER-MIN ; - qudt:applicableUnit unit:MI-PER-SEC ; - qudt:applicableUnit unit:MI_N-PER-HR ; - qudt:applicableUnit unit:MI_N-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-DAY ; - qudt:applicableUnit unit:MilliM-PER-HR ; - qudt:applicableUnit unit:MilliM-PER-MIN ; - qudt:applicableUnit unit:MilliM-PER-SEC ; - qudt:applicableUnit unit:MilliM-PER-YR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:plainTextDescription "The rate at which a body moves upwards at an angle of 90 degrees to the ground. It is the component of a projectile's velocity which is concerned with lifting the projectile." ; - qudt:symbol "V_{Z}" ; - rdfs:isDefinedBy ; - rdfs:label "Vertical Velocity"@en ; - skos:broader quantitykind:Velocity ; -. -quantitykind:VideoFrameRate - a qudt:QuantityKind ; - dcterms:description "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)."^^rdf:HTML ; - qudt:applicableUnit unit:FRAME-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Frame_rate"^^xsd:anyURI ; - qudt:plainTextDescription "Frame rate (also known as frame frequency) is the frequency (rate) at which an imaging device produces unique consecutive images called frames. The term applies equally well to computer graphics, video cameras, film cameras, and motion capture systems. Frame rate is most often expressed in frames per second (FPS) and is also expressed in progressive scan monitors as hertz (Hz)." ; - rdfs:isDefinedBy ; - rdfs:label "Video Frame Rate"@en ; - skos:broader quantitykind:InformationFlowRate ; -. -quantitykind:Viscosity - a qudt:QuantityKind ; - dcterms:description "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity."^^rdf:HTML ; - qudt:applicableUnit unit:CentiPOISE ; - qudt:applicableUnit unit:KiloGM-PER-M-HR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC ; - qudt:applicableUnit unit:LB-PER-FT-HR ; - qudt:applicableUnit unit:LB-PER-FT-SEC ; - qudt:applicableUnit unit:LB_F-SEC-PER-FT2 ; - qudt:applicableUnit unit:LB_F-SEC-PER-IN2 ; - qudt:applicableUnit unit:MicroPOISE ; - qudt:applicableUnit unit:MilliPA-SEC ; - qudt:applicableUnit unit:PA-SEC ; - qudt:applicableUnit unit:POISE ; - qudt:applicableUnit unit:SLUG-PER-FT-SEC ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Viscosity"^^xsd:anyURI ; - qudt:exactMatch quantitykind:DynamicViscosity ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:plainTextDescription "Viscosity is a measure of the resistance of a fluid which is being deformed by either shear stress or extensional stress. In general terms it is the resistance of a liquid to flow, or its \"thickness\". Viscosity describes a fluid's internal resistance to flow and may be thought of as a measure of fluid friction. [Wikipedia]. In general conversation or in non-scientific contexts, if someone refers to the viscosity of a fluid, they're likely talking about its dynamic (or absolute) viscosity. However, in engineering or scientific contexts, it's essential to clarify which type of viscosity is being discussed, as the interpretation and use of the data may differ depending on whether one is talking about dynamic or kinematic viscosity." ; - rdfs:isDefinedBy ; - rdfs:label "Viscosity"@en ; -. -quantitykind:VisibleRadiantEnergy - a qudt:QuantityKind ; - dcterms:description "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radiant_energy"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31892"^^xsd:anyURI ; - qudt:latexDefinition "Q"^^qudt:LatexString ; - qudt:plainTextDescription "\"Visible Radiant Energy\", also known as luminous energy, is the energy of electromagnetic waves. It is energy of the particles that are emitted, transferred, or received as radiation." ; - qudt:symbol "Q" ; - rdfs:isDefinedBy ; - rdfs:label "Visible Radiant Energy"@en ; - skos:broader quantitykind:Energy ; - skos:closeMatch quantitykind:LuminousEnergy ; -. -quantitykind:VisionThresholds - a qudt:QuantityKind ; - dcterms:description "\"Vision Thresholds\" is an abstract term to refer to a variety of measures for the thresholds of sensitivity of the eye."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:NotApplicable ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Absolute_threshold#Vision"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_v}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Vision Thresholds\" is the thresholds of sensitivity of the eye." ; - rdfs:isDefinedBy ; - rdfs:label "Vision Thresholds"@en ; -. -quantitykind:Voltage - a qudt:QuantityKind ; - dcterms:description """\\(\\textit{Voltage}\\), also referred to as \\(\\textit{Electric Tension}\\), is the difference between electrical potentials of two points. For an electric field within a medium, \\(U_{ab} = - \\int_{r_a}^{r_b} E . {dr}\\), where \\(E\\) is electric field strength. -For an irrotational electric field, the voltage is independent of the path between the two points \\(a\\) and \\(b\\)."""^^qudt:LatexString ; - qudt:applicableUnit unit:KiloV ; - qudt:applicableUnit unit:MegaV ; - qudt:applicableUnit unit:MicroV ; - qudt:applicableUnit unit:MilliV ; - qudt:applicableUnit unit:PlanckVolt ; - qudt:applicableUnit unit:V ; - qudt:applicableUnit unit:V_Ab ; - qudt:applicableUnit unit:V_Stat ; - qudt:exactMatch quantitykind:ElectricPotential ; - qudt:exactMatch quantitykind:ElectricPotentialDifference ; - qudt:exactMatch quantitykind:EnergyPerElectricCharge ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(U_{ab} = V_a - V_b\\), where \\(V_a\\) and \\(V_b\\) are electric potentials at points \\(a\\) and \\(b\\), respectively."^^qudt:LatexString ; - qudt:latexSymbol "\\(U_{ab}\\)"^^qudt:LatexString ; - qudt:symbol "U" ; - rdfs:isDefinedBy ; - rdfs:label "Voltage"@en ; - skos:broader quantitykind:EnergyPerElectricCharge ; -. -quantitykind:VoltagePercentage - a qudt:QuantityKind ; - dcterms:isReplacedBy quantitykind:VoltageRatio ; - qudt:applicableUnit unit:PERCENT ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Voltage Percentage"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:VoltagePhasor - a qudt:QuantityKind ; - dcterms:description "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=131-11-26"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "When \\(u = \\hat{U} \\cos{(\\omega t + \\alpha)}\\), where \\(u\\) is the voltage, \\(\\omega\\) is angular frequency, \\(t\\) is time, and \\(\\alpha\\) is initial phase, then \\(\\underline{U} = Ue^{ja}\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\underline{U}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Voltage Phasor\" is a representation of voltage as a sinusoidal integral quantity using a complex quantity whose argument is equal to the initial phase and whose modulus is equal to the root-mean-square value. A phasor is a constant complex number, usually expressed in exponential form, representing the complex amplitude (magnitude and phase) of a sinusoidal function of time. Phasors are used by electrical engineers to simplify computations involving sinusoids, where they can often reduce a differential equation problem to an algebraic one." ; - rdfs:isDefinedBy ; - rdfs:label "Voltage Phasor"@en ; -. -quantitykind:VoltageRatio - a qudt:QuantityKind ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvDenominator qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:qkdvNumerator qkdv:A0E-1L2I0M1H0T-3D0 ; - rdfs:isDefinedBy ; - rdfs:label "Voltage Ratio"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:Volume - a qudt:QuantityKind ; - dcterms:description "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space."^^rdf:HTML ; - qudt:applicableUnit unit:AC-FT ; - qudt:applicableUnit unit:ANGSTROM3 ; - qudt:applicableUnit unit:BBL ; - qudt:applicableUnit unit:BBL_UK_PET ; - qudt:applicableUnit unit:BBL_US ; - qudt:applicableUnit unit:CentiM3 ; - qudt:applicableUnit unit:DecaL ; - qudt:applicableUnit unit:DecaM3 ; - qudt:applicableUnit unit:DeciL ; - qudt:applicableUnit unit:DeciM3 ; - qudt:applicableUnit unit:FBM ; - qudt:applicableUnit unit:FT3 ; - qudt:applicableUnit unit:FemtoL ; - qudt:applicableUnit unit:GI_UK ; - qudt:applicableUnit unit:GI_US ; - qudt:applicableUnit unit:GT ; - qudt:applicableUnit unit:HectoL ; - qudt:applicableUnit unit:IN3 ; - qudt:applicableUnit unit:Kilo-FT3 ; - qudt:applicableUnit unit:KiloL ; - qudt:applicableUnit unit:L ; - qudt:applicableUnit unit:M3 ; - qudt:applicableUnit unit:MI3 ; - qudt:applicableUnit unit:MegaL ; - qudt:applicableUnit unit:MicroL ; - qudt:applicableUnit unit:MicroM3 ; - qudt:applicableUnit unit:MilliL ; - qudt:applicableUnit unit:MilliM3 ; - qudt:applicableUnit unit:NanoL ; - qudt:applicableUnit unit:OZ_VOL_UK ; - qudt:applicableUnit unit:PINT ; - qudt:applicableUnit unit:PINT_UK ; - qudt:applicableUnit unit:PK_UK ; - qudt:applicableUnit unit:PicoL ; - qudt:applicableUnit unit:PlanckVolume ; - qudt:applicableUnit unit:QT_UK ; - qudt:applicableUnit unit:QT_US ; - qudt:applicableUnit unit:RT ; - qudt:applicableUnit unit:STR ; - qudt:applicableUnit unit:Standard ; - qudt:applicableUnit unit:TBSP ; - qudt:applicableUnit unit:TON_SHIPPING_US ; - qudt:applicableUnit unit:TSP ; - qudt:applicableUnit unit:YD3 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Volume"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:plainTextDescription "The volume of a solid object is the three-dimensional concept of how much space it occupies, often quantified numerically. One-dimensional figures (such as lines) and two-dimensional shapes (such as squares) are assigned zero volume in the three-dimensional space." ; - rdfs:isDefinedBy ; - rdfs:label "Volume"@en ; -. -quantitykind:VolumeFlowRate - a qudt:QuantityKind ; - dcterms:description "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time."^^rdf:HTML ; - qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; - qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; - qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; - qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; - qudt:applicableUnit unit:BBL_US-PER-DAY ; - qudt:applicableUnit unit:BBL_US-PER-MIN ; - qudt:applicableUnit unit:BBL_US_PET-PER-HR ; - qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; - qudt:applicableUnit unit:BU_UK-PER-DAY ; - qudt:applicableUnit unit:BU_UK-PER-HR ; - qudt:applicableUnit unit:BU_UK-PER-MIN ; - qudt:applicableUnit unit:BU_UK-PER-SEC ; - qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; - qudt:applicableUnit unit:BU_US_DRY-PER-HR ; - qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; - qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; - qudt:applicableUnit unit:CentiM3-PER-DAY ; - qudt:applicableUnit unit:CentiM3-PER-HR ; - qudt:applicableUnit unit:CentiM3-PER-MIN ; - qudt:applicableUnit unit:CentiM3-PER-SEC ; - qudt:applicableUnit unit:DeciM3-PER-DAY ; - qudt:applicableUnit unit:DeciM3-PER-HR ; - qudt:applicableUnit unit:DeciM3-PER-MIN ; - qudt:applicableUnit unit:DeciM3-PER-SEC ; - qudt:applicableUnit unit:FT3-PER-DAY ; - qudt:applicableUnit unit:FT3-PER-HR ; - qudt:applicableUnit unit:FT3-PER-MIN ; - qudt:applicableUnit unit:FT3-PER-SEC ; - qudt:applicableUnit unit:GAL_UK-PER-DAY ; - qudt:applicableUnit unit:GAL_UK-PER-HR ; - qudt:applicableUnit unit:GAL_UK-PER-MIN ; - qudt:applicableUnit unit:GAL_UK-PER-SEC ; - qudt:applicableUnit unit:GAL_US-PER-DAY ; - qudt:applicableUnit unit:GAL_US-PER-HR ; - qudt:applicableUnit unit:GAL_US-PER-MIN ; - qudt:applicableUnit unit:GAL_US-PER-SEC ; - qudt:applicableUnit unit:GI_UK-PER-DAY ; - qudt:applicableUnit unit:GI_UK-PER-HR ; - qudt:applicableUnit unit:GI_UK-PER-MIN ; - qudt:applicableUnit unit:GI_UK-PER-SEC ; - qudt:applicableUnit unit:GI_US-PER-DAY ; - qudt:applicableUnit unit:GI_US-PER-HR ; - qudt:applicableUnit unit:GI_US-PER-MIN ; - qudt:applicableUnit unit:GI_US-PER-SEC ; - qudt:applicableUnit unit:IN3-PER-HR ; - qudt:applicableUnit unit:IN3-PER-MIN ; - qudt:applicableUnit unit:IN3-PER-SEC ; - qudt:applicableUnit unit:KiloL-PER-HR ; - qudt:applicableUnit unit:L-PER-DAY ; - qudt:applicableUnit unit:L-PER-HR ; - qudt:applicableUnit unit:L-PER-MIN ; - qudt:applicableUnit unit:L-PER-SEC ; - qudt:applicableUnit unit:M3-PER-DAY ; - qudt:applicableUnit unit:M3-PER-HR ; - qudt:applicableUnit unit:M3-PER-MIN ; - qudt:applicableUnit unit:M3-PER-SEC ; - qudt:applicableUnit unit:MilliL-PER-DAY ; - qudt:applicableUnit unit:MilliL-PER-HR ; - qudt:applicableUnit unit:MilliL-PER-MIN ; - qudt:applicableUnit unit:MilliL-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; - qudt:applicableUnit unit:PINT_UK-PER-DAY ; - qudt:applicableUnit unit:PINT_UK-PER-HR ; - qudt:applicableUnit unit:PINT_UK-PER-MIN ; - qudt:applicableUnit unit:PINT_UK-PER-SEC ; - qudt:applicableUnit unit:PINT_US-PER-DAY ; - qudt:applicableUnit unit:PINT_US-PER-HR ; - qudt:applicableUnit unit:PINT_US-PER-MIN ; - qudt:applicableUnit unit:PINT_US-PER-SEC ; - qudt:applicableUnit unit:PK_UK-PER-DAY ; - qudt:applicableUnit unit:PK_UK-PER-HR ; - qudt:applicableUnit unit:PK_UK-PER-MIN ; - qudt:applicableUnit unit:PK_UK-PER-SEC ; - qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; - qudt:applicableUnit unit:PK_US_DRY-PER-HR ; - qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; - qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; - qudt:applicableUnit unit:QT_UK-PER-DAY ; - qudt:applicableUnit unit:QT_UK-PER-HR ; - qudt:applicableUnit unit:QT_UK-PER-MIN ; - qudt:applicableUnit unit:QT_UK-PER-SEC ; - qudt:applicableUnit unit:QT_US-PER-DAY ; - qudt:applicableUnit unit:QT_US-PER-HR ; - qudt:applicableUnit unit:QT_US-PER-MIN ; - qudt:applicableUnit unit:QT_US-PER-SEC ; - qudt:applicableUnit unit:YD3-PER-DAY ; - qudt:applicableUnit unit:YD3-PER-HR ; - qudt:applicableUnit unit:YD3-PER-MIN ; - qudt:applicableUnit unit:YD3-PER-SEC ; - qudt:exactMatch quantitykind:VolumePerUnitTime ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_flow_rate"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(q_V = \\frac{dV}{dt}\\), where \\(V\\) is volume and \\(t\\) is time."^^qudt:LatexString ; - qudt:plainTextDescription "Volumetric Flow Rate, (also known as volume flow rate, rate of fluid flow or volume velocity) is the volume of fluid which passes through a given surface per unit time." ; - qudt:symbol "q_V" ; - rdfs:isDefinedBy ; - rdfs:label "Volume Flow Rate"@en ; -. -quantitykind:VolumeFraction - a qudt:QuantityKind ; - dcterms:description "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)."^^rdf:HTML ; - qudt:applicableUnit unit:CentiM3-PER-CentiM3 ; - qudt:applicableUnit unit:CentiM3-PER-M3 ; - qudt:applicableUnit unit:DeciM3-PER-M3 ; - qudt:applicableUnit unit:L-PER-L ; - qudt:applicableUnit unit:M3-PER-M3 ; - qudt:applicableUnit unit:MicroL-PER-L ; - qudt:applicableUnit unit:MicroM3-PER-M3 ; - qudt:applicableUnit unit:MicroM3-PER-MilliL ; - qudt:applicableUnit unit:MilliL-PER-L ; - qudt:applicableUnit unit:MilliL-PER-M3 ; - qudt:applicableUnit unit:MilliM3-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Volume_fraction"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31894"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\varphi_B = \\frac{x_B V_{m,B}^*}{\\sum x_i V_{m,i}^*}\\), where \\(V_{m,i}^*\\) is the molar volume of the pure substances \\(i\\) at the same temperature and pressure, \\(x_i\\) denotes the amount-of-substance fraction of substance \\(i\\), and \\(\\sum\\) denotes summation over all substances \\(i\\)."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\varphi_B\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Volume Fraction\" is the volume of a constituent divided by the volume of all constituents of the mixture prior to mixing. Volume fraction is also called volume concentration in ideal solutions where the volumes of the constituents are additive (the volume of the solution is equal to the sum of the volumes of its ingredients)." ; - qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Volume Fraction"@en ; - skos:broader quantitykind:DimensionlessRatio ; -. -quantitykind:VolumePerArea - a qudt:QuantityKind ; - qudt:applicableUnit unit:M3-PER-HA ; - qudt:applicableUnit unit:M3-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - rdfs:isDefinedBy ; - rdfs:label "Volume per Unit Area"@en ; -. -quantitykind:VolumePerUnitTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:BBL_UK_PET-PER-DAY ; - qudt:applicableUnit unit:BBL_UK_PET-PER-HR ; - qudt:applicableUnit unit:BBL_UK_PET-PER-MIN ; - qudt:applicableUnit unit:BBL_UK_PET-PER-SEC ; - qudt:applicableUnit unit:BBL_US-PER-DAY ; - qudt:applicableUnit unit:BBL_US-PER-MIN ; - qudt:applicableUnit unit:BBL_US_PET-PER-HR ; - qudt:applicableUnit unit:BBL_US_PET-PER-SEC ; - qudt:applicableUnit unit:BU_UK-PER-DAY ; - qudt:applicableUnit unit:BU_UK-PER-HR ; - qudt:applicableUnit unit:BU_UK-PER-MIN ; - qudt:applicableUnit unit:BU_UK-PER-SEC ; - qudt:applicableUnit unit:BU_US_DRY-PER-DAY ; - qudt:applicableUnit unit:BU_US_DRY-PER-HR ; - qudt:applicableUnit unit:BU_US_DRY-PER-MIN ; - qudt:applicableUnit unit:BU_US_DRY-PER-SEC ; - qudt:applicableUnit unit:CentiM3-PER-DAY ; - qudt:applicableUnit unit:CentiM3-PER-HR ; - qudt:applicableUnit unit:CentiM3-PER-MIN ; - qudt:applicableUnit unit:CentiM3-PER-SEC ; - qudt:applicableUnit unit:DeciM3-PER-DAY ; - qudt:applicableUnit unit:DeciM3-PER-HR ; - qudt:applicableUnit unit:DeciM3-PER-MIN ; - qudt:applicableUnit unit:DeciM3-PER-SEC ; - qudt:applicableUnit unit:FT3-PER-DAY ; - qudt:applicableUnit unit:FT3-PER-HR ; - qudt:applicableUnit unit:FT3-PER-MIN ; - qudt:applicableUnit unit:FT3-PER-SEC ; - qudt:applicableUnit unit:GAL_UK-PER-DAY ; - qudt:applicableUnit unit:GAL_UK-PER-HR ; - qudt:applicableUnit unit:GAL_UK-PER-MIN ; - qudt:applicableUnit unit:GAL_UK-PER-SEC ; - qudt:applicableUnit unit:GAL_US-PER-DAY ; - qudt:applicableUnit unit:GAL_US-PER-HR ; - qudt:applicableUnit unit:GAL_US-PER-MIN ; - qudt:applicableUnit unit:GAL_US-PER-SEC ; - qudt:applicableUnit unit:GI_UK-PER-DAY ; - qudt:applicableUnit unit:GI_UK-PER-HR ; - qudt:applicableUnit unit:GI_UK-PER-MIN ; - qudt:applicableUnit unit:GI_UK-PER-SEC ; - qudt:applicableUnit unit:GI_US-PER-DAY ; - qudt:applicableUnit unit:GI_US-PER-HR ; - qudt:applicableUnit unit:GI_US-PER-MIN ; - qudt:applicableUnit unit:GI_US-PER-SEC ; - qudt:applicableUnit unit:IN3-PER-HR ; - qudt:applicableUnit unit:IN3-PER-MIN ; - qudt:applicableUnit unit:IN3-PER-SEC ; - qudt:applicableUnit unit:KiloL-PER-HR ; - qudt:applicableUnit unit:L-PER-DAY ; - qudt:applicableUnit unit:L-PER-HR ; - qudt:applicableUnit unit:L-PER-MIN ; - qudt:applicableUnit unit:L-PER-SEC ; - qudt:applicableUnit unit:M3-PER-DAY ; - qudt:applicableUnit unit:M3-PER-HR ; - qudt:applicableUnit unit:M3-PER-MIN ; - qudt:applicableUnit unit:M3-PER-SEC ; - qudt:applicableUnit unit:MilliL-PER-DAY ; - qudt:applicableUnit unit:MilliL-PER-HR ; - qudt:applicableUnit unit:MilliL-PER-MIN ; - qudt:applicableUnit unit:MilliL-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_UK-PER-SEC ; - qudt:applicableUnit unit:OZ_VOL_US-PER-DAY ; - qudt:applicableUnit unit:OZ_VOL_US-PER-HR ; - qudt:applicableUnit unit:OZ_VOL_US-PER-MIN ; - qudt:applicableUnit unit:OZ_VOL_US-PER-SEC ; - qudt:applicableUnit unit:PINT_UK-PER-DAY ; - qudt:applicableUnit unit:PINT_UK-PER-HR ; - qudt:applicableUnit unit:PINT_UK-PER-MIN ; - qudt:applicableUnit unit:PINT_UK-PER-SEC ; - qudt:applicableUnit unit:PINT_US-PER-DAY ; - qudt:applicableUnit unit:PINT_US-PER-HR ; - qudt:applicableUnit unit:PINT_US-PER-MIN ; - qudt:applicableUnit unit:PINT_US-PER-SEC ; - qudt:applicableUnit unit:PK_UK-PER-DAY ; - qudt:applicableUnit unit:PK_UK-PER-HR ; - qudt:applicableUnit unit:PK_UK-PER-MIN ; - qudt:applicableUnit unit:PK_UK-PER-SEC ; - qudt:applicableUnit unit:PK_US_DRY-PER-DAY ; - qudt:applicableUnit unit:PK_US_DRY-PER-HR ; - qudt:applicableUnit unit:PK_US_DRY-PER-MIN ; - qudt:applicableUnit unit:PK_US_DRY-PER-SEC ; - qudt:applicableUnit unit:QT_UK-PER-DAY ; - qudt:applicableUnit unit:QT_UK-PER-HR ; - qudt:applicableUnit unit:QT_UK-PER-MIN ; - qudt:applicableUnit unit:QT_UK-PER-SEC ; - qudt:applicableUnit unit:QT_US-PER-DAY ; - qudt:applicableUnit unit:QT_US-PER-HR ; - qudt:applicableUnit unit:QT_US-PER-MIN ; - qudt:applicableUnit unit:QT_US-PER-SEC ; - qudt:applicableUnit unit:YD3-PER-DAY ; - qudt:applicableUnit unit:YD3-PER-HR ; - qudt:applicableUnit unit:YD3-PER-MIN ; - qudt:applicableUnit unit:YD3-PER-SEC ; - qudt:exactMatch quantitykind:VolumeFlowRate ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Volume per Unit Time"@en ; -. -quantitykind:VolumeStrain - a qudt:QuantityKind ; - dcterms:description "Volume, or volumetric, Strain, or dilatation (the relative variation of the volume) is the trace of the tensor \\(\\vartheta\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:FRACTION ; - qudt:applicableUnit unit:GR ; - qudt:applicableUnit unit:NUM ; - qudt:applicableUnit unit:PERCENT ; - qudt:applicableUnit unit:PERMITTIVITY_REL ; - qudt:applicableUnit unit:PPB ; - qudt:applicableUnit unit:PPM ; - qudt:applicableUnit unit:PPTH ; - qudt:applicableUnit unit:PPTM ; - qudt:applicableUnit unit:PPTR ; - qudt:applicableUnit unit:UNITLESS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Deformation_(mechanics)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\vartheta = \\frac{\\Delta V}{V_0}\\), where \\(\\Delta V\\) is the increase in volume and \\(V_0\\) is the volume in a reference state to be specified."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\vartheta\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Volume Strain"@en ; - skos:broader quantitykind:Strain ; -. -quantitykind:VolumeThermalExpansion - a qudt:QuantityKind ; - dcterms:description """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. - -Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: - - * linear thermal expansion - * area thermal expansion - * volumetric thermal expansion - -These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. - -Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; - qudt:applicableUnit unit:CentiM3-PER-K ; - qudt:applicableUnit unit:FT3-PER-DEG_F ; - qudt:applicableUnit unit:L-PER-K ; - qudt:applicableUnit unit:M3-PER-K ; - qudt:applicableUnit unit:MilliL-PER-K ; - qudt:applicableUnit unit:YD3-PER-DEG_F ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:plainTextDescription """When the temperature of a substance changes, the energy that is stored in the intermolecular bonds between atoms changes. When the stored energy increases, so does the length of the molecular bonds. As a result, solids typically expand in response to heating and contract on cooling; this dimensional response to temperature change is expressed by its coefficient of thermal expansion. - -Different coefficients of thermal expansion can be defined for a substance depending on whether the expansion is measured by: - - * linear thermal expansion - * area thermal expansion - * volumetric thermal expansion - -These characteristics are closely related. The volumetric thermal expansion coefficient can be defined for both liquids and solids. The linear thermal expansion can only be defined for solids, and is common in engineering applications. - -Some substances expand when cooled, such as freezing water, so they have negative thermal expansion coefficients. [Wikipedia]""" ; - rdfs:isDefinedBy ; - rdfs:label "Volume Thermal Expansion"@en ; -. -quantitykind:VolumetricFlux - a qudt:QuantityKind ; - dcterms:description "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]"^^rdf:HTML ; - qudt:applicableUnit unit:MilliL-PER-CentiM2-MIN ; - qudt:applicableUnit unit:MilliL-PER-CentiM2-SEC ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Volumetric_flux"^^xsd:anyURI ; - qudt:plainTextDescription "In fluid dynamics, the volumetric flux is the rate of volume flow across a unit area (m3·s−1·m−2).[Wikipedia]" ; - qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T-1D0 ; - rdfs:isDefinedBy ; - rdfs:label "Volumetric Flux"@en ; -. -quantitykind:VolumetricHeatCapacity - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Volumetric Heat Capacity (VHC)}\\), also termed \\(\\textit{volume-specific heat capacity}\\), describes the ability of a given volume of a substance to store internal energy while undergoing a given temperature change, but without undergoing a phase transition. It is different from specific heat capacity in that the VHC is a \\(\\textit{per unit volume}\\) measure of the relationship between thermal energy and temperature of a material, while the specific heat is a \\(\\textit{per unit mass}\\) measure (or occasionally per molar quantity of the material)."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-M3-K ; - qudt:applicableUnit unit:LB_F-PER-IN2-DEG_F ; - qudt:applicableUnit unit:MilliBAR-PER-K ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Volumetric_heat_capacity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Volumetric_heat_capacity"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Volumetric Heat Capacity"@en ; -. -quantitykind:VolumicElectromagneticEnergy - a qudt:QuantityKind ; - dcterms:description "\\(\\textit{Volumic Electromagnetic Energy}\\), also known as the \\(\\textit{Electromagnetic Energy Density}\\), is the energy associated with an electromagnetic field, per unit volume of the field."^^qudt:LatexString ; - qudt:applicableUnit unit:J-PER-M3 ; - qudt:exactMatch quantitykind:ElectromagneticEnergyDensity ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=121-11-64"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_detail.htm?csnumber=31891"^^xsd:anyURI ; - qudt:latexDefinition "\\(w = (1/2) ( \\mathbf{E} \\cdot \\mathbf{D} + \\mathbf{B} \\cdot \\mathbf{H})\\), where \\(\\mathbf{E}\\) is electric field strength, \\(\\mathbf{D}\\) is electric flux density, \\(\\mathbf{M}\\) is magnetic flux density, and \\(\\mathbf{H}\\) is magnetic field strength."^^qudt:LatexString ; - qudt:latexSymbol "\\(w\\)"^^qudt:LatexString ; - rdfs:isDefinedBy ; - rdfs:label "Volumic Electromagnetic Energy"@en ; - rdfs:seeAlso quantitykind:ElectricFieldStrength ; - rdfs:seeAlso quantitykind:ElectricFluxDensity ; - rdfs:seeAlso quantitykind:MagneticFieldStrength_H ; - rdfs:seeAlso quantitykind:MagneticFluxDensity ; -. -quantitykind:Vorticity - a qudt:QuantityKind ; - dcterms:description "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field."^^rdf:HTML ; - qudt:applicableUnit unit:DEG-PER-HR ; - qudt:applicableUnit unit:DEG-PER-MIN ; - qudt:applicableUnit unit:DEG-PER-SEC ; - qudt:applicableUnit unit:PlanckFrequency_Ang ; - qudt:applicableUnit unit:RAD-PER-HR ; - qudt:applicableUnit unit:RAD-PER-MIN ; - qudt:applicableUnit unit:RAD-PER-SEC ; - qudt:applicableUnit unit:REV-PER-HR ; - qudt:applicableUnit unit:REV-PER-MIN ; - qudt:applicableUnit unit:REV-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:latexSymbol "\\(\\omega\\)"^^qudt:LatexString ; - qudt:plainTextDescription "In the simplest sense, vorticity is the tendency for elements of a fluid to \"spin.\" More formally, vorticity can be related to the amount of \"circulation\" or \"rotation\" (or more strictly, the local angular rate of rotation) in a fluid. The average vorticity in a small region of fluid flow is equal to the circulation C around the boundary of the small region, divided by the area A of the small region. Mathematically, vorticity is a vector field and is defined as the curl of the velocity field." ; - rdfs:isDefinedBy ; - rdfs:label "Vorticity"@en ; - skos:broader quantitykind:AngularVelocity ; -. -quantitykind:WarmReceptorThreshold - a qudt:QuantityKind ; - dcterms:description "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending."^^rdf:HTML ; - qudt:hasDimensionVector qkdv:NotApplicable ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\overline{T_w}\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Warm Receptor Threshold\" is the threshold of warm-sensitive free nerve-ending." ; - rdfs:isDefinedBy ; - rdfs:label "Warm Receptor Threshold"@en ; -. -quantitykind:WarpingConstant - a qudt:QuantityKind ; - dcterms:description "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶."^^rdf:HTML ; - qudt:applicableUnit unit:M6 ; - qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingconstantmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The \"Warping Constant\" is a measure for the warping constant or warping resistance of a cross section under torsional loading. It is usually measured in m⁶." ; - rdfs:isDefinedBy ; - rdfs:label "Warping Constant"@en ; -. -quantitykind:WarpingMoment - a qudt:QuantityKind ; - dcterms:description "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²."^^rdf:HTML ; - qudt:applicableUnit unit:KiloN-M2 ; - qudt:applicableUnit unit:N-M2 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:informativeReference "https://standards.buildingsmart.org/IFC/RELEASE/IFC4/ADD1/HTML/link/ifcwarpingmomentmeasure.htm"^^xsd:anyURI ; - qudt:plainTextDescription "The warping moment measure is a measure for the warping moment, which occurs in warping torsional analysis. It is usually measured in kNm²." ; - rdfs:isDefinedBy ; - rdfs:label "Warping Moment"@en ; -. -quantitykind:WaterHorsepower - a qudt:QuantityKind ; - dcterms:description "No pump can convert all of its mechanical power into water power. Mechanical power is lost in the pumping process due to friction losses and other physical losses. It is because of these losses that the horsepower going into the pump has to be greater than the water horsepower leaving the pump. The efficiency of any given pump is defined as the ratio of the water horsepower out of the pump compared to the mechanical horsepower into the pump."^^qudt:LatexString ; - qudt:applicableUnit unit:BAR-L-PER-SEC ; - qudt:applicableUnit unit:BAR-M3-PER-SEC ; - qudt:applicableUnit unit:BTU_IT-PER-HR ; - qudt:applicableUnit unit:BTU_IT-PER-SEC ; - qudt:applicableUnit unit:ERG-PER-SEC ; - qudt:applicableUnit unit:FT-LB_F-PER-HR ; - qudt:applicableUnit unit:FT-LB_F-PER-MIN ; - qudt:applicableUnit unit:FT-LB_F-PER-SEC ; - qudt:applicableUnit unit:GigaJ-PER-HR ; - qudt:applicableUnit unit:GigaW ; - qudt:applicableUnit unit:HP ; - qudt:applicableUnit unit:HP_Boiler ; - qudt:applicableUnit unit:HP_Brake ; - qudt:applicableUnit unit:HP_Electric ; - qudt:applicableUnit unit:HP_Metric ; - qudt:applicableUnit unit:J-PER-HR ; - qudt:applicableUnit unit:J-PER-SEC ; - qudt:applicableUnit unit:KiloBTU_IT-PER-HR ; - qudt:applicableUnit unit:KiloCAL-PER-MIN ; - qudt:applicableUnit unit:KiloCAL-PER-SEC ; - qudt:applicableUnit unit:KiloW ; - qudt:applicableUnit unit:MegaBTU_IT-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-HR ; - qudt:applicableUnit unit:MegaJ-PER-SEC ; - qudt:applicableUnit unit:MegaPA-L-PER-SEC ; - qudt:applicableUnit unit:MegaPA-M3-PER-SEC ; - qudt:applicableUnit unit:MegaW ; - qudt:applicableUnit unit:MicroW ; - qudt:applicableUnit unit:MilliBAR-L-PER-SEC ; - qudt:applicableUnit unit:MilliBAR-M3-PER-SEC ; - qudt:applicableUnit unit:MilliW ; - qudt:applicableUnit unit:NanoW ; - qudt:applicableUnit unit:PA-L-PER-SEC ; - qudt:applicableUnit unit:PA-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-IN3-PER-SEC ; - qudt:applicableUnit unit:PSI-M3-PER-SEC ; - qudt:applicableUnit unit:PSI-YD3-PER-SEC ; - qudt:applicableUnit unit:PicoW ; - qudt:applicableUnit unit:PlanckPower ; - qudt:applicableUnit unit:THM_US-PER-HR ; - qudt:applicableUnit unit:TON_FG ; - qudt:applicableUnit unit:TeraW ; - qudt:applicableUnit unit:W ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:informativeReference "https://www.uaex.edu/environment-nature/water/docs/IrrigSmart-3241-A-Understanding-water-horsepower.pdf"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Water Horsepower"@en ; - skos:broader quantitykind:Power ; -. -quantitykind:Wavelength - a qudt:QuantityKind ; - dcterms:description "For a monochromatic wave, \"wavelength\" is the distance between two successive points in a direction perpendicular to the wavefront where at a given instant the phase differs by \\(2\\pi\\). The wavelength of a sinusoidal wave is the spatial period of the wave—the distance over which the wave's shape repeats. The SI unit of wavelength is the meter."^^qudt:LatexString ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Wavelength"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\lambda = \\frac{c}{\\nu}\\), where \\(\\lambda\\) is the wave length, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium."^^qudt:LatexString ; - qudt:symbol "λ" ; - vaem:todo "belongs to SOQ-ISO" ; - rdfs:isDefinedBy ; - rdfs:label "Jarak gelombang"@ms ; - rdfs:label "Vlnové délka"@cs ; - rdfs:label "Wellenlänge"@de ; - rdfs:label "comprimento de onda"@pt ; - rdfs:label "dalga boyu"@tr ; - rdfs:label "longitud de onda"@es ; - rdfs:label "longueur d'onde"@fr ; - rdfs:label "lunghezza d'onda"@it ; - rdfs:label "wavelength"@en ; - rdfs:label "длина волны"@ru ; - rdfs:label "طول موج"@fa ; - rdfs:label "波长"@zh ; - skos:broader quantitykind:Length ; -. -quantitykind:Wavenumber - a qudt:QuantityKind ; - dcterms:description "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M."^^rdf:HTML ; - qudt:applicableUnit unit:DPI ; - qudt:applicableUnit unit:KY ; - qudt:applicableUnit unit:MESH ; - qudt:applicableUnit unit:NUM-PER-M ; - qudt:applicableUnit unit:PER-ANGSTROM ; - qudt:applicableUnit unit:PER-CentiM ; - qudt:applicableUnit unit:PER-KiloM ; - qudt:applicableUnit unit:PER-M ; - qudt:applicableUnit unit:PER-MicroM ; - qudt:applicableUnit unit:PER-MilliM ; - qudt:applicableUnit unit:PER-NanoM ; - qudt:applicableUnit unit:PER-PicoM ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Wavenumber"^^xsd:anyURI ; - qudt:latexDefinition """\\(\\sigma = \\frac{\\nu}{c}\\), where \\(\\sigma\\) is the wave number, \\(\\nu\\) is the frequency, and \\(c\\) is the speed of light in the medium. - -Or: - -\\(k = \\frac{2\\pi}{\\lambda}= \\frac{2\\pi\\upsilon}{\\upsilon_p}=\\frac{\\omega}{\\upsilon_p}\\), where \\(\\upsilon\\) is the frequency of the wave, \\(\\lambda\\) is the wavelength, \\(\\omega = 2\\pi \\upsilon\\) is the angular frequency of the wave, and \\(\\upsilon_p\\) is the phase velocity of the wave."""^^qudt:LatexString ; - qudt:latexSymbol "\\(\\sigma\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Wavenumber\" is the spatial frequency of a wave - the number of waves that exist over a specified distance. More formally, it is the reciprocal of the wavelength. It is also the magnitude of the wave vector. Light passing through different media keeps its frequency, but not its wavelength or wavenumber. The unit for wavenumber commonly used in spectroscopy is centimetre to power minus one, PER-CM, rather than metre to power minus one, PER-M." ; - rdfs:isDefinedBy ; - rdfs:label "Bilangan gelombang"@ms ; - rdfs:label "Liczba falowa"@pl ; - rdfs:label "Repetenz"@de ; - rdfs:label "Vlnové číslo"@cs ; - rdfs:label "Wellenzahl"@de ; - rdfs:label "dalga sayısı"@tr ; - rdfs:label "nombre d'onde"@fr ; - rdfs:label "numero d'onda"@it ; - rdfs:label "número de ola"@es ; - rdfs:label "número de onda"@pt ; - rdfs:label "valovno število"@sl ; - rdfs:label "wavenumber"@en ; - rdfs:label "Волновое число"@ru ; - rdfs:label "عدد الموجة"@ar ; - rdfs:label "عدد موج"@fa ; - rdfs:label "波数"@ja ; - rdfs:label "波数"@zh ; - rdfs:seeAlso quantitykind:AngularWavenumber ; - skos:broader quantitykind:InverseLength ; -. -quantitykind:WebTime - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiPOISE-PER-BAR ; - qudt:applicableUnit unit:DAY ; - qudt:applicableUnit unit:DAY_Sidereal ; - qudt:applicableUnit unit:H-PER-KiloOHM ; - qudt:applicableUnit unit:H-PER-OHM ; - qudt:applicableUnit unit:HR ; - qudt:applicableUnit unit:HR_Sidereal ; - qudt:applicableUnit unit:KiloSEC ; - qudt:applicableUnit unit:KiloYR ; - qudt:applicableUnit unit:MIN ; - qudt:applicableUnit unit:MIN_Sidereal ; - qudt:applicableUnit unit:MO ; - qudt:applicableUnit unit:MO_MeanGREGORIAN ; - qudt:applicableUnit unit:MO_MeanJulian ; - qudt:applicableUnit unit:MO_Synodic ; - qudt:applicableUnit unit:MegaYR ; - qudt:applicableUnit unit:MicroH-PER-KiloOHM ; - qudt:applicableUnit unit:MicroH-PER-OHM ; - qudt:applicableUnit unit:MicroSEC ; - qudt:applicableUnit unit:MilliH-PER-KiloOHM ; - qudt:applicableUnit unit:MilliH-PER-OHM ; - qudt:applicableUnit unit:MilliPA-SEC-PER-BAR ; - qudt:applicableUnit unit:MilliSEC ; - qudt:applicableUnit unit:NanoSEC ; - qudt:applicableUnit unit:PA-SEC-PER-BAR ; - qudt:applicableUnit unit:POISE-PER-BAR ; - qudt:applicableUnit unit:PicoSEC ; - qudt:applicableUnit unit:PlanckTime ; - qudt:applicableUnit unit:SEC ; - qudt:applicableUnit unit:SH ; - qudt:applicableUnit unit:WK ; - qudt:applicableUnit unit:YR ; - qudt:applicableUnit unit:YR_Common ; - qudt:applicableUnit unit:YR_Sidereal ; - qudt:applicableUnit unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - rdfs:comment "Web Time" ; - rdfs:isDefinedBy ; - rdfs:label "Web Time"@en ; - skos:broader quantitykind:Time ; -. -quantitykind:WebTimeAveragePressure - a qudt:QuantityKind ; - qudt:applicableUnit unit:ATM ; - qudt:applicableUnit unit:ATM_T ; - qudt:applicableUnit unit:BAR ; - qudt:applicableUnit unit:BARAD ; - qudt:applicableUnit unit:BARYE ; - qudt:applicableUnit unit:CentiBAR ; - qudt:applicableUnit unit:CentiM_H2O ; - qudt:applicableUnit unit:CentiM_HG ; - qudt:applicableUnit unit:DYN-PER-CentiM2 ; - qudt:applicableUnit unit:DecaPA ; - qudt:applicableUnit unit:DeciBAR ; - qudt:applicableUnit unit:FT_H2O ; - qudt:applicableUnit unit:FT_HG ; - qudt:applicableUnit unit:GM_F-PER-CentiM2 ; - qudt:applicableUnit unit:GigaPA ; - qudt:applicableUnit unit:HectoBAR ; - qudt:applicableUnit unit:HectoPA ; - qudt:applicableUnit unit:IN_H2O ; - qudt:applicableUnit unit:IN_HG ; - qudt:applicableUnit unit:KIP_F-PER-IN2 ; - qudt:applicableUnit unit:KiloBAR ; - qudt:applicableUnit unit:KiloGM-PER-M-SEC2 ; - qudt:applicableUnit unit:KiloGM_F-PER-CentiM2 ; - qudt:applicableUnit unit:KiloGM_F-PER-M2 ; - qudt:applicableUnit unit:KiloGM_F-PER-MilliM2 ; - qudt:applicableUnit unit:KiloLB_F-PER-IN2 ; - qudt:applicableUnit unit:KiloPA ; - qudt:applicableUnit unit:KiloPA_A ; - qudt:applicableUnit unit:LB_F-PER-FT2 ; - qudt:applicableUnit unit:LB_F-PER-IN2 ; - qudt:applicableUnit unit:MegaBAR ; - qudt:applicableUnit unit:MegaPA ; - qudt:applicableUnit unit:MegaPSI ; - qudt:applicableUnit unit:MicroATM ; - qudt:applicableUnit unit:MicroBAR ; - qudt:applicableUnit unit:MicroPA ; - qudt:applicableUnit unit:MicroTORR ; - qudt:applicableUnit unit:MilliBAR ; - qudt:applicableUnit unit:MilliM_H2O ; - qudt:applicableUnit unit:MilliM_HG ; - qudt:applicableUnit unit:MilliM_HGA ; - qudt:applicableUnit unit:MilliPA ; - qudt:applicableUnit unit:MilliTORR ; - qudt:applicableUnit unit:N-PER-CentiM2 ; - qudt:applicableUnit unit:N-PER-M2 ; - qudt:applicableUnit unit:N-PER-MilliM2 ; - qudt:applicableUnit unit:PA ; - qudt:applicableUnit unit:PDL-PER-FT2 ; - qudt:applicableUnit unit:PSI ; - qudt:applicableUnit unit:PicoPA ; - qudt:applicableUnit unit:PlanckPressure ; - qudt:applicableUnit unit:TORR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - rdfs:isDefinedBy ; - rdfs:label "Web Time Average Pressure"@en ; - skos:broader quantitykind:Pressure ; -. -quantitykind:WebTimeAverageThrust - a qudt:QuantityKind ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - rdfs:comment "Web Time Avg Thrust (Mlbf)" ; - rdfs:isDefinedBy ; - rdfs:label "Web Time Average Thrust"@en ; - skos:broader quantitykind:Thrust ; -. -quantitykind:Weight - a qudt:QuantityKind ; - dcterms:description "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity."^^rdf:HTML ; - qudt:applicableUnit unit:CentiN ; - qudt:applicableUnit unit:DYN ; - qudt:applicableUnit unit:DeciN ; - qudt:applicableUnit unit:GM_F ; - qudt:applicableUnit unit:KIP_F ; - qudt:applicableUnit unit:KiloGM_F ; - qudt:applicableUnit unit:KiloLB_F ; - qudt:applicableUnit unit:KiloN ; - qudt:applicableUnit unit:KiloP ; - qudt:applicableUnit unit:KiloPOND ; - qudt:applicableUnit unit:LB_F ; - qudt:applicableUnit unit:MegaLB_F ; - qudt:applicableUnit unit:MegaN ; - qudt:applicableUnit unit:MicroN ; - qudt:applicableUnit unit:MilliN ; - qudt:applicableUnit unit:N ; - qudt:applicableUnit unit:OZ_F ; - qudt:applicableUnit unit:PDL ; - qudt:applicableUnit unit:PlanckForce ; - qudt:applicableUnit unit:TON_F_US ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Weight"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Weight"^^xsd:anyURI ; - qudt:plainTextDescription "The force with which a body is attracted toward an astronomical body. Or, the product of the mass of a body and the acceleration acting on a body. In a dynamic situation, the weight can be a multiple of that under resting conditions. Weight also varies on other planets in accordance with their gravity." ; - qudt:symbol "bold letter W" ; - rdfs:isDefinedBy ; - rdfs:label "Ağırlık"@tr ; - rdfs:label "Berat"@ms ; - rdfs:label "Gewicht"@de ; - rdfs:label "Siła ciężkości"@pl ; - rdfs:label "forza peso"@it ; - rdfs:label "greutate"@ro ; - rdfs:label "peso"@es ; - rdfs:label "peso"@pt ; - rdfs:label "poids"@fr ; - rdfs:label "tíha"@cs ; - rdfs:label "weight"@en ; - rdfs:label "Вес"@ru ; - rdfs:label "وزن"@ar ; - rdfs:label "وزن"@fa ; - rdfs:label "重さ"@ja ; - rdfs:label "重量"@zh ; - skos:broader quantitykind:Force ; -. -quantitykind:Width - a qudt:QuantityKind ; - dcterms:description "\"Width\" is the middle of three dimensions: length, width, thickness."^^rdf:HTML ; - qudt:applicableUnit unit:ANGSTROM ; - qudt:applicableUnit unit:AU ; - qudt:applicableUnit unit:BTU_IT-PER-LB_F ; - qudt:applicableUnit unit:CH ; - qudt:applicableUnit unit:CentiM ; - qudt:applicableUnit unit:DecaM ; - qudt:applicableUnit unit:DeciM ; - qudt:applicableUnit unit:FATH ; - qudt:applicableUnit unit:FM ; - qudt:applicableUnit unit:FT ; - qudt:applicableUnit unit:FT_US ; - qudt:applicableUnit unit:FUR ; - qudt:applicableUnit unit:FUR_Long ; - qudt:applicableUnit unit:FemtoM ; - qudt:applicableUnit unit:GAUGE_FR ; - qudt:applicableUnit unit:HectoM ; - qudt:applicableUnit unit:IN ; - qudt:applicableUnit unit:KiloM ; - qudt:applicableUnit unit:LY ; - qudt:applicableUnit unit:M ; - qudt:applicableUnit unit:MI ; - qudt:applicableUnit unit:MI_N ; - qudt:applicableUnit unit:MI_US ; - qudt:applicableUnit unit:MicroIN ; - qudt:applicableUnit unit:MicroM ; - qudt:applicableUnit unit:MilLength ; - qudt:applicableUnit unit:MilliIN ; - qudt:applicableUnit unit:MilliM ; - qudt:applicableUnit unit:NanoM ; - qudt:applicableUnit unit:PARSEC ; - qudt:applicableUnit unit:PCA ; - qudt:applicableUnit unit:PT ; - qudt:applicableUnit unit:PicoM ; - qudt:applicableUnit unit:PlanckLength ; - qudt:applicableUnit unit:ROD ; - qudt:applicableUnit unit:YD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:plainTextDescription "\"Width\" is the middle of three dimensions: length, width, thickness." ; - rdfs:isDefinedBy ; - rdfs:label "Width"@en ; - skos:broader quantitykind:Length ; -. -quantitykind:Work - a qudt:QuantityKind ; - dcterms:description "The net work is equal to the change in kinetic energy. This relationship is called the work-energy theorem: \\(Wnet = K. E._f − K. E._o \\), where \\(K. E._f\\) is the final kinetic energy and \\(K. E._o\\) is the original kinetic energy. Potential energy, also referred to as stored energy, is the ability of a system to do work due to its position or internal structure. Change in potential energy is equal to work. The potential energy equations can also be derived from the integral form of work, \\(\\Delta P. E. = W = \\int F \\cdot dx\\)."^^qudt:LatexString ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Work_(physics)"^^xsd:anyURI ; - qudt:informativeReference "http://www.cliffsnotes.com/study_guide/Work-and-Energy.topicArticleId-10453,articleId-10418.html"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:latexDefinition "\\(A = \\int Pdt\\), where \\(P\\) is power and \\(t\\) is time."^^qudt:LatexString ; - qudt:plainTextDescription "A force is said to do Work when it acts on a body so that there is a displacement of the point of application, however small, in the direction of the force. The concepts of work and energy are closely tied to the concept of force because an applied force can do work on an object and cause a change in energy. Energy is defined as the ability to do work. Work is done on an object when an applied force moves it through a distance. Kinetic energy is the energy of an object in motion. The net work is equal to the change in kinetic energy." ; - qudt:symbol "A" ; - rdfs:isDefinedBy ; - rdfs:label "Arbeit"@de ; - rdfs:label "delo"@sl ; - rdfs:label "iş"@tr ; - rdfs:label "kerja"@ms ; - rdfs:label "lavoro"@it ; - rdfs:label "lucru mecanic"@ro ; - rdfs:label "praca"@pl ; - rdfs:label "práce"@cs ; - rdfs:label "trabajo"@es ; - rdfs:label "trabalho"@pt ; - rdfs:label "travail"@fr ; - rdfs:label "work"@en ; - rdfs:label "کار"@fa ; - rdfs:label "कार्य"@hi ; - rdfs:label "仕事量"@ja ; - rdfs:label "功"@zh ; - skos:broader quantitykind:Energy ; -. -quantitykind:WorkFunction - a qudt:QuantityKind ; - dcterms:description "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)."^^rdf:HTML ; - qudt:applicableUnit unit:AttoJ ; - qudt:applicableUnit unit:BTU_IT ; - qudt:applicableUnit unit:BTU_TH ; - qudt:applicableUnit unit:CAL_IT ; - qudt:applicableUnit unit:CAL_TH ; - qudt:applicableUnit unit:ERG ; - qudt:applicableUnit unit:EV ; - qudt:applicableUnit unit:E_h ; - qudt:applicableUnit unit:ExaJ ; - qudt:applicableUnit unit:FT-LB_F ; - qudt:applicableUnit unit:FT-PDL ; - qudt:applicableUnit unit:FemtoJ ; - qudt:applicableUnit unit:GigaEV ; - qudt:applicableUnit unit:GigaJ ; - qudt:applicableUnit unit:GigaW-HR ; - qudt:applicableUnit unit:J ; - qudt:applicableUnit unit:KiloBTU_IT ; - qudt:applicableUnit unit:KiloBTU_TH ; - qudt:applicableUnit unit:KiloCAL ; - qudt:applicableUnit unit:KiloEV ; - qudt:applicableUnit unit:KiloJ ; - qudt:applicableUnit unit:KiloV-A-HR ; - qudt:applicableUnit unit:KiloV-A_Reactive-HR ; - qudt:applicableUnit unit:KiloW-HR ; - qudt:applicableUnit unit:MegaEV ; - qudt:applicableUnit unit:MegaJ ; - qudt:applicableUnit unit:MegaTOE ; - qudt:applicableUnit unit:MegaV-A-HR ; - qudt:applicableUnit unit:MegaV-A_Reactive-HR ; - qudt:applicableUnit unit:MegaW-HR ; - qudt:applicableUnit unit:MicroJ ; - qudt:applicableUnit unit:MilliJ ; - qudt:applicableUnit unit:PetaJ ; - qudt:applicableUnit unit:PlanckEnergy ; - qudt:applicableUnit unit:QUAD ; - qudt:applicableUnit unit:THM_EEC ; - qudt:applicableUnit unit:THM_US ; - qudt:applicableUnit unit:TOE ; - qudt:applicableUnit unit:TeraJ ; - qudt:applicableUnit unit:TeraW-HR ; - qudt:applicableUnit unit:TonEnergy ; - qudt:applicableUnit unit:V-A-HR ; - qudt:applicableUnit unit:V-A_Reactive-HR ; - qudt:applicableUnit unit:W-HR ; - qudt:applicableUnit unit:W-SEC ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Work_function"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\Phi\\)"^^qudt:LatexString ; - qudt:plainTextDescription "\"Work Function\" is the energy difference between an electron at rest at infinity and an electron at a certain energy level. The minimum energy (usually measured in electronvolts) needed to remove an electron from a solid to a point immediately outside the solid surface (or energy needed to move an electron from the Fermi level into vacuum)." ; - rdfs:isDefinedBy ; - rdfs:label "Work Function"@en ; - skos:broader quantitykind:Energy ; -. - - a vaem:CatalogEntry ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Quantity Kinds Vocabulary Catalog Entry v1.2" ; -. -vaem:GMD_QUDT-QUANTITY-KINDS-ALL - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2019-08-01T16:25:54.850+00:00"^^xsd:dateTime ; - dcterms:creator "Ralph Hodgson" ; - dcterms:creator "Steve Ray" ; - dcterms:description "Provides the set of all quantity kinds."^^rdf:HTML ; - dcterms:modified "2023-10-19T11:59:30.760-04:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "QUANTITY-KINDS-ALL" ; - dcterms:title "QUDT Quantity Kinds Version 2.1 Vocabulary" ; - vaem:applicableDiscipline "All disciplines" ; - vaem:applicableDomain "Science, Medicine and Engineering" ; - vaem:dateCreated "2019-08-01T21:26:38"^^xsd:dateTime ; - vaem:graphTitle "QUDT Quantity Kinds Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:intent "Provides a vocabulary of all quantity kinds." ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-QUANTITY-KINDS-ALL-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png" ; - vaem:namespace "http://qudt.org/vocab/quantitykind/"^^xsd:anyURI ; - vaem:namespacePrefix "quantitykind" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-QUANTITY-KINDS-ALL-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:specificity 1 ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/quantitykind"^^xsd:anyURI ; - vaem:usesNonImportedResource dc:contributor ; - vaem:usesNonImportedResource dc:creator ; - vaem:usesNonImportedResource dc:description ; - vaem:usesNonImportedResource dc:rights ; - vaem:usesNonImportedResource dc:subject ; - vaem:usesNonImportedResource dc:title ; - vaem:usesNonImportedResource dcterms:contributor ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:description ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:rights ; - vaem:usesNonImportedResource dcterms:subject ; - vaem:usesNonImportedResource dcterms:title ; - vaem:usesNonImportedResource voag:QUDT-Attribution ; - vaem:usesNonImportedResource ; - vaem:usesNonImportedResource ; - vaem:usesNonImportedResource skos:closeMatch ; - vaem:usesNonImportedResource skos:exactMatch ; - vaem:withAttributionTo voag:QUDT-Attribution ; - vaem:withAttributionTo ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Quantity Kind Vocabulary Metadata Version 2.1.32" ; -. diff --git a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl deleted file mode 100644 index eed42953e..000000000 --- a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-QUANTITY-KINDS-ALL-v2.1.ttl +++ /dev/null @@ -1,805 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/soqk -# imports: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/vocab/quantitykind -# imports: http://qudt.org/2.1/vocab/sou - -@prefix dc: . -@prefix dcterms: . -@prefix owl: . -@prefix prov: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix soqk: . -@prefix sou: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-SOQK ; - rdfs:label "QUDT VOCAB Systems of Quantity Kinds Release 2.1.33" ; - owl:imports ; - owl:imports ; - owl:imports ; - owl:versionInfo "Created with TopBraid Composer" ; -. -soqk:CGS - a qudt:SystemOfQuantityKinds ; - qudt:hasBaseQuantityKind quantitykind:Dimensionless ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasUnitSystem sou:CGS ; - qudt:systemDerivedQuantityKind quantitykind:AngularAcceleration ; - qudt:systemDerivedQuantityKind quantitykind:AngularMomentum ; - qudt:systemDerivedQuantityKind quantitykind:AngularVelocity ; - qudt:systemDerivedQuantityKind quantitykind:Area ; - qudt:systemDerivedQuantityKind quantitykind:AreaAngle ; - qudt:systemDerivedQuantityKind quantitykind:AreaTime ; - qudt:systemDerivedQuantityKind quantitykind:Curvature ; - qudt:systemDerivedQuantityKind quantitykind:Density ; - qudt:systemDerivedQuantityKind quantitykind:DynamicViscosity ; - qudt:systemDerivedQuantityKind quantitykind:Energy ; - qudt:systemDerivedQuantityKind quantitykind:EnergyDensity ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerArea ; - qudt:systemDerivedQuantityKind quantitykind:Force ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerArea ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerLength ; - qudt:systemDerivedQuantityKind quantitykind:Frequency ; - qudt:systemDerivedQuantityKind quantitykind:LengthMass ; - qudt:systemDerivedQuantityKind quantitykind:LinearAcceleration ; - qudt:systemDerivedQuantityKind quantitykind:LinearMomentum ; - qudt:systemDerivedQuantityKind quantitykind:LinearVelocity ; - qudt:systemDerivedQuantityKind quantitykind:MassPerArea ; - qudt:systemDerivedQuantityKind quantitykind:MassPerLength ; - qudt:systemDerivedQuantityKind quantitykind:MassPerTime ; - qudt:systemDerivedQuantityKind quantitykind:MomentOfInertia ; - qudt:systemDerivedQuantityKind quantitykind:Power ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerArea ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaAngle ; - qudt:systemDerivedQuantityKind quantitykind:Pressure ; - qudt:systemDerivedQuantityKind quantitykind:RadiantIntensity ; - qudt:systemDerivedQuantityKind quantitykind:SpecificEnergy ; - qudt:systemDerivedQuantityKind quantitykind:Stress ; - qudt:systemDerivedQuantityKind quantitykind:TimeSquared ; - qudt:systemDerivedQuantityKind quantitykind:Torque ; - qudt:systemDerivedQuantityKind quantitykind:Volume ; - qudt:systemDerivedQuantityKind quantitykind:VolumePerUnitTime ; - rdfs:isDefinedBy ; - rdfs:label "CGS System of Quantity Kinds" ; -. -soqk:CGS-EMU - a qudt:SystemOfQuantityKinds ; - dcterms:description "The electromagnetic system of units is used to measure electrical quantities of electric charge, current, and voltage, within the centimeter gram second (or \"CGS\") metric system of units. In electromagnetic units, electric current is derived the CGS base units length, mass, and time by solving Ampere's Law (expressing the force between two parallel conducting wires) for current and setting the constant of proportionality (k_m) equal to unity. Thus, in the CGS-EMU system, electric current is derived from length, mass, and time."^^rdf:HTML ; - qudt:hasBaseQuantityKind quantitykind:Dimensionless ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasUnitSystem sou:CGS-EMU ; - qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; - qudt:systemDerivedQuantityKind quantitykind:Capacitance ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:ElectricConductivity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; - qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; - qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:Inductance ; - qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:MagneticField ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; - qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:Permeability ; - qudt:systemDerivedQuantityKind quantitykind:Permittivity ; - qudt:systemDerivedQuantityKind quantitykind:Resistance ; - rdfs:isDefinedBy ; - rdfs:label "CGS-EMU System of Quantity Kinds" ; -. -soqk:CGS-ESU - a qudt:SystemOfQuantityKinds ; - dcterms:description "The electrostatic system of units is used to measure electrical quantities of electric charge, current, and voltage within the centimeter gram second (or \"CGS\") metric system of units. In electrostatic units, electric charge is derived from Coulomb's Law (expressing the force exerted between two charged particles separated by a distance) by solving for electric charge and setting the constant of proportionality (k_s) equal to unity. Thus, in electrostatic units, the dimensionality of electric charge is derived from the base CGS quantities of length, mass, and time."^^rdf:HTML ; - qudt:hasBaseQuantityKind quantitykind:Dimensionless ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasUnitSystem sou:CGS-ESU ; - qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; - qudt:systemDerivedQuantityKind quantitykind:Capacitance ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; - qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; - qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:Inductance ; - qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:MagneticField ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; - qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:Permeability ; - qudt:systemDerivedQuantityKind quantitykind:Permittivity ; - qudt:systemDerivedQuantityKind quantitykind:Resistance ; - rdfs:isDefinedBy ; - rdfs:label "CGS-ESU System of Quantity Kinds" ; -. -soqk:CGS-Gauss - a qudt:SystemOfQuantityKinds ; - qudt:hasBaseQuantityKind quantitykind:Dimensionless ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasUnitSystem sou:CGS-GAUSS ; - qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; - qudt:systemDerivedQuantityKind quantitykind:Capacitance ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacementField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricField ; - qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; - qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; - qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:Inductance ; - qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:MagneticField ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:MagnetizationField ; - qudt:systemDerivedQuantityKind quantitykind:Permeability ; - qudt:systemDerivedQuantityKind quantitykind:Permittivity ; - qudt:systemDerivedQuantityKind quantitykind:Resistance ; - rdfs:isDefinedBy ; - rdfs:label "CGS-Gauss System of Quantity Kinds" ; -. -soqk:IMPERIAL - a qudt:SystemOfQuantityKinds ; - qudt:hasQuantityKind quantitykind:AngularAcceleration ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:AreaTemperature ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:KinematicViscosity ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:hasQuantityKind quantitykind:ThermalResistance ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - rdfs:isDefinedBy ; - rdfs:label "Imperial System of Quantity Kinds" ; -. -soqk:ISQ - a qudt:SystemOfQuantityKinds ; - dcterms:description "The ISO 80000 standards were prepared by Technical Committee ISO/TC 12, Quantities and units in co-operation with IEC/TC 25, Quantities and units."^^rdf:HTML ; - qudt:hasBaseQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasBaseQuantityKind quantitykind:ElectricCurrent ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:LuminousIntensity ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Absorptance ; - qudt:hasQuantityKind quantitykind:AcousticImpedance ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:ActivityThresholds ; - qudt:hasQuantityKind quantitykind:Adaptation ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:AngularFrequency ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularWavenumber ; - qudt:hasQuantityKind quantitykind:ApparentPower ; - qudt:hasQuantityKind quantitykind:AuditoryThresholds ; - qudt:hasQuantityKind quantitykind:BendingMomentOfForce ; - qudt:hasQuantityKind quantitykind:Breadth ; - qudt:hasQuantityKind quantitykind:BulkModulus ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:hasQuantityKind quantitykind:CartesianCoordinates ; - qudt:hasQuantityKind quantitykind:CartesianVolume ; - qudt:hasQuantityKind quantitykind:CelsiusTemperature ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:hasQuantityKind quantitykind:Coercivity ; - qudt:hasQuantityKind quantitykind:ColdReceptorThreshold ; - qudt:hasQuantityKind quantitykind:CombinedNonEvaporativeHeatTransferCoefficient ; - qudt:hasQuantityKind quantitykind:ComplexPower ; - qudt:hasQuantityKind quantitykind:Compressibility ; - qudt:hasQuantityKind quantitykind:CompressibilityFactor ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:hasQuantityKind quantitykind:ConductionSpeed ; - qudt:hasQuantityKind quantitykind:ConductiveHeatTransferRate ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:hasQuantityKind quantitykind:ConvectiveHeatTransfer ; - qudt:hasQuantityKind quantitykind:CouplingFactor ; - qudt:hasQuantityKind quantitykind:CubicExpansionCoefficient ; - qudt:hasQuantityKind quantitykind:CurrentLinkage ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:DewPointTemperature ; - qudt:hasQuantityKind quantitykind:Diameter ; - qudt:hasQuantityKind quantitykind:Displacement ; - qudt:hasQuantityKind quantitykind:DisplacementCurrent ; - qudt:hasQuantityKind quantitykind:DisplacementCurrentDensity ; - qudt:hasQuantityKind quantitykind:Distance ; - qudt:hasQuantityKind quantitykind:DynamicFriction ; - qudt:hasQuantityKind quantitykind:Efficiency ; - qudt:hasQuantityKind quantitykind:EinsteinTransitionProbability ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; - qudt:hasQuantityKind quantitykind:ElectricChargeLinearDensity ; - qudt:hasQuantityKind quantitykind:ElectricChargeSurfaceDensity ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPhasor ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:hasQuantityKind quantitykind:ElectricDisplacement ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:hasQuantityKind quantitykind:ElectricFlux ; - qudt:hasQuantityKind quantitykind:ElectricFluxDensity ; - qudt:hasQuantityKind quantitykind:ElectricPolarization ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:ElectricSusceptibility ; - qudt:hasQuantityKind quantitykind:ElectromagneticEnergyDensity ; - qudt:hasQuantityKind quantitykind:ElectromagneticWavePhaseSpeed ; - qudt:hasQuantityKind quantitykind:Emissivity ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:hasQuantityKind quantitykind:Entropy ; - qudt:hasQuantityKind quantitykind:EvaporativeHeatTransfer ; - qudt:hasQuantityKind quantitykind:EvaporativeHeatTransferCoefficient ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:hasQuantityKind quantitykind:Friction ; - qudt:hasQuantityKind quantitykind:GeneralizedCoordinate ; - qudt:hasQuantityKind quantitykind:GeneralizedForce ; - qudt:hasQuantityKind quantitykind:GeneralizedMomentum ; - qudt:hasQuantityKind quantitykind:GeneralizedVelocity ; - qudt:hasQuantityKind quantitykind:GibbsEnergy ; - qudt:hasQuantityKind quantitykind:GravitationalAttraction ; - qudt:hasQuantityKind quantitykind:GustatoryThreshold ; - qudt:hasQuantityKind quantitykind:HamiltonFunction ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:hasQuantityKind quantitykind:HeatCapacityRatio ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:HeatFlowRatePerUnitArea ; - qudt:hasQuantityKind quantitykind:HelmholtzEnergy ; - qudt:hasQuantityKind quantitykind:Impedance ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:hasQuantityKind quantitykind:InstantaneousPower ; - qudt:hasQuantityKind quantitykind:InverseEnergy ; - qudt:hasQuantityKind quantitykind:InverseSquareEnergy ; - qudt:hasQuantityKind quantitykind:IsentropicCompressibility ; - qudt:hasQuantityKind quantitykind:IsentropicExponent ; - qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; - qudt:hasQuantityKind quantitykind:LagrangeFunction ; - qudt:hasQuantityKind quantitykind:LeakageFactor ; - qudt:hasQuantityKind quantitykind:LengthByForce ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:LinearExpansionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:LinearStrain ; - qudt:hasQuantityKind quantitykind:LogarithmicFrequencyInterval ; - qudt:hasQuantityKind quantitykind:LossFactor ; - qudt:hasQuantityKind quantitykind:LuminousEmittance ; - qudt:hasQuantityKind quantitykind:LuminousIntensity ; - qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:hasQuantityKind quantitykind:MagneticMoment ; - qudt:hasQuantityKind quantitykind:MagneticPolarization ; - qudt:hasQuantityKind quantitykind:MagneticSusceptability ; - qudt:hasQuantityKind quantitykind:MagneticTension ; - qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; - qudt:hasQuantityKind quantitykind:Magnetization ; - qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; - qudt:hasQuantityKind quantitykind:MassAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:MassConcentrationOfWater ; - qudt:hasQuantityKind quantitykind:MassConcentrationOfWaterVapour ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassFractionOfDryMatter ; - qudt:hasQuantityKind quantitykind:MassFractionOfWater ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:hasQuantityKind quantitykind:MassRatioOfWaterToDryMatter ; - qudt:hasQuantityKind quantitykind:MassRatioOfWaterVapourToDryGas ; - qudt:hasQuantityKind quantitykind:MassicActivity ; - qudt:hasQuantityKind quantitykind:MassieuFunction ; - qudt:hasQuantityKind quantitykind:MechanicalEnergy ; - qudt:hasQuantityKind quantitykind:MechanicalSurfaceImpedance ; - qudt:hasQuantityKind quantitykind:ModulusOfAdmittance ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ModulusOfImpedance ; - qudt:hasQuantityKind quantitykind:MolarAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:hasQuantityKind quantitykind:MutualInductance ; - qudt:hasQuantityKind quantitykind:NapierianAbsorbance ; - qudt:hasQuantityKind quantitykind:NonActivePower ; - qudt:hasQuantityKind quantitykind:NormalStress ; - qudt:hasQuantityKind quantitykind:OlfactoryThreshold ; - qudt:hasQuantityKind quantitykind:PathLength ; - qudt:hasQuantityKind quantitykind:Permeability ; - qudt:hasQuantityKind quantitykind:Permeance ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:hasQuantityKind quantitykind:PermittivityRatio ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PhaseDifference ; - qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; - qudt:hasQuantityKind quantitykind:PhotoThresholdOfAwarenessFunction ; - qudt:hasQuantityKind quantitykind:PlanckFunction ; - qudt:hasQuantityKind quantitykind:PoissonRatio ; - qudt:hasQuantityKind quantitykind:PolarMomentOfInertia ; - qudt:hasQuantityKind quantitykind:PositionVector ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:hasQuantityKind quantitykind:PowerArea ; - qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; - qudt:hasQuantityKind quantitykind:PowerFactor ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:hasQuantityKind quantitykind:PowerPerAreaAngle ; - qudt:hasQuantityKind quantitykind:PoyntingVector ; - qudt:hasQuantityKind quantitykind:Pressure ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:hasQuantityKind quantitykind:QualityFactor ; - qudt:hasQuantityKind quantitykind:RadialDistance ; - qudt:hasQuantityKind quantitykind:Radiance ; - qudt:hasQuantityKind quantitykind:RadianceFactor ; - qudt:hasQuantityKind quantitykind:RadiantEnergyDensity ; - qudt:hasQuantityKind quantitykind:RadiantFluence ; - qudt:hasQuantityKind quantitykind:RadiantFlux ; - qudt:hasQuantityKind quantitykind:RadiantIntensity ; - qudt:hasQuantityKind quantitykind:RadiativeHeatTransfer ; - qudt:hasQuantityKind quantitykind:Radiosity ; - qudt:hasQuantityKind quantitykind:Radius ; - qudt:hasQuantityKind quantitykind:RadiusOfCurvature ; - qudt:hasQuantityKind quantitykind:RatioOfSpecificHeatCapacities ; - qudt:hasQuantityKind quantitykind:Reactance ; - qudt:hasQuantityKind quantitykind:ReactivePower ; - qudt:hasQuantityKind quantitykind:Reflectance ; - qudt:hasQuantityKind quantitykind:ReflectanceFactor ; - qudt:hasQuantityKind quantitykind:RefractiveIndex ; - qudt:hasQuantityKind quantitykind:RelativeHumidity ; - qudt:hasQuantityKind quantitykind:RelativeMassConcentrationOfVapour ; - qudt:hasQuantityKind quantitykind:RelativeMassRatioOfVapour ; - qudt:hasQuantityKind quantitykind:RelativePartialPressure ; - qudt:hasQuantityKind quantitykind:RelativePressureCoefficient ; - qudt:hasQuantityKind quantitykind:Reluctance ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:hasQuantityKind quantitykind:Resistivity ; - qudt:hasQuantityKind quantitykind:ScalarMagneticPotential ; - qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; - qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; - qudt:hasQuantityKind quantitykind:SectionModulus ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:ShearStrain ; - qudt:hasQuantityKind quantitykind:ShearStress ; - qudt:hasQuantityKind quantitykind:SoundEnergyDensity ; - qudt:hasQuantityKind quantitykind:SoundExposure ; - qudt:hasQuantityKind quantitykind:SoundExposureLevel ; - qudt:hasQuantityKind quantitykind:SoundParticleAcceleration ; - qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; - qudt:hasQuantityKind quantitykind:SoundPower ; - qudt:hasQuantityKind quantitykind:SoundPowerLevel ; - qudt:hasQuantityKind quantitykind:SoundPressureLevel ; - qudt:hasQuantityKind quantitykind:SoundReductionIndex ; - qudt:hasQuantityKind quantitykind:SoundVolumeVelocity ; - qudt:hasQuantityKind quantitykind:SourceVoltage ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:hasQuantityKind quantitykind:SpecificEnthalpy ; - qudt:hasQuantityKind quantitykind:SpecificEntropy ; - qudt:hasQuantityKind quantitykind:SpecificGibbsEnergy ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; - qudt:hasQuantityKind quantitykind:SpecificHelmholtzEnergy ; - qudt:hasQuantityKind quantitykind:SpecificImpulseByMass ; - qudt:hasQuantityKind quantitykind:SpecificImpulseByWeight ; - qudt:hasQuantityKind quantitykind:SpecificInternalEnergy ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:hasQuantityKind quantitykind:SpectralLuminousEfficiency ; - qudt:hasQuantityKind quantitykind:SpeedOfLight ; - qudt:hasQuantityKind quantitykind:SpeedOfSound ; - qudt:hasQuantityKind quantitykind:SphericalIlluminance ; - qudt:hasQuantityKind quantitykind:SquareEnergy ; - qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; - qudt:hasQuantityKind quantitykind:StaticFriction ; - qudt:hasQuantityKind quantitykind:Susceptance ; - qudt:hasQuantityKind quantitykind:TemporalSummationFunction ; - qudt:hasQuantityKind quantitykind:ThermalConductance ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:hasQuantityKind quantitykind:ThermalResistance ; - qudt:hasQuantityKind quantitykind:ThermodynamicEnergy ; - qudt:hasQuantityKind quantitykind:Thickness ; - qudt:hasQuantityKind quantitykind:Thrust ; - qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:hasQuantityKind quantitykind:TotalCurrent ; - qudt:hasQuantityKind quantitykind:TotalCurrentDensity ; - qudt:hasQuantityKind quantitykind:TouchThresholds ; - qudt:hasQuantityKind quantitykind:Transmittance ; - qudt:hasQuantityKind quantitykind:TransmittanceDensity ; - qudt:hasQuantityKind quantitykind:Turns ; - qudt:hasQuantityKind quantitykind:VisionThresholds ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:hasQuantityKind quantitykind:VoltagePhasor ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumeStrain ; - qudt:hasQuantityKind quantitykind:VolumicElectromagneticEnergy ; - qudt:hasQuantityKind quantitykind:WarmReceptorThreshold ; - qudt:hasQuantityKind quantitykind:Weight ; - qudt:hasQuantityKind quantitykind:Work ; - qudt:informativeReference "http://www.electropedia.org/iev/iev.nsf/display?openform&ievref=112-02-01"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_tc/catalogue_tc_browse.htm?commid=46202"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "ISO System of Quantity Kinds (ISQ)" ; -. -soqk:Planck - a qudt:SystemOfQuantityKinds ; - qudt:hasQuantityKind quantitykind:Length ; - rdfs:isDefinedBy ; - rdfs:label "Planck System of Quantities" ; -. -soqk:SI - a qudt:SystemOfQuantityKinds ; - qudt:dbpediaMatch "http://dbpedia.org/resource/International_System_of_UnitsX"^^xsd:anyURI ; - qudt:hasBaseQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasBaseQuantityKind quantitykind:Dimensionless ; - qudt:hasBaseQuantityKind quantitykind:ElectricCurrent ; - qudt:hasBaseQuantityKind quantitykind:Length ; - qudt:hasBaseQuantityKind quantitykind:LuminousIntensity ; - qudt:hasBaseQuantityKind quantitykind:Mass ; - qudt:hasBaseQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:hasBaseQuantityKind quantitykind:Time ; - qudt:systemDerivedQuantityKind quantitykind:AbsorbedDose ; - qudt:systemDerivedQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:systemDerivedQuantityKind quantitykind:Activity ; - qudt:systemDerivedQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:systemDerivedQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:systemDerivedQuantityKind quantitykind:AngularAcceleration ; - qudt:systemDerivedQuantityKind quantitykind:AngularMomentum ; - qudt:systemDerivedQuantityKind quantitykind:AngularVelocity ; - qudt:systemDerivedQuantityKind quantitykind:Area ; - qudt:systemDerivedQuantityKind quantitykind:AreaAngle ; - qudt:systemDerivedQuantityKind quantitykind:AreaPerTime ; - qudt:systemDerivedQuantityKind quantitykind:AreaTemperature ; - qudt:systemDerivedQuantityKind quantitykind:AreaThermalExpansion ; - qudt:systemDerivedQuantityKind quantitykind:AreaTime ; - qudt:systemDerivedQuantityKind quantitykind:AuxillaryMagneticField ; - qudt:systemDerivedQuantityKind quantitykind:Capacitance ; - qudt:systemDerivedQuantityKind quantitykind:CatalyticActivity ; - qudt:systemDerivedQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:systemDerivedQuantityKind quantitykind:CubicElectricDipoleMomentPerSquareEnergy ; - qudt:systemDerivedQuantityKind quantitykind:Density ; - qudt:systemDerivedQuantityKind quantitykind:DoseEquivalent ; - qudt:systemDerivedQuantityKind quantitykind:DynamicViscosity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:ElectricChargeLineDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; - qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerArea ; - qudt:systemDerivedQuantityKind quantitykind:ElectricChargePerMass ; - qudt:systemDerivedQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricConductivity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerAngle ; - qudt:systemDerivedQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:ElectricDisplacement ; - qudt:systemDerivedQuantityKind quantitykind:ElectricFieldStrength ; - qudt:systemDerivedQuantityKind quantitykind:ElectricFlux ; - qudt:systemDerivedQuantityKind quantitykind:ElectricPotential ; - qudt:systemDerivedQuantityKind quantitykind:ElectricQuadrupoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:ElectromotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:Energy ; - qudt:systemDerivedQuantityKind quantitykind:EnergyDensity ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerArea ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerAreaElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:EnergyPerSquareMagneticFluxDensity ; - qudt:systemDerivedQuantityKind quantitykind:Exposure ; - qudt:systemDerivedQuantityKind quantitykind:Force ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerArea ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerAreaTime ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:ForcePerLength ; - qudt:systemDerivedQuantityKind quantitykind:Frequency ; - qudt:systemDerivedQuantityKind quantitykind:GravitationalAttraction ; - qudt:systemDerivedQuantityKind quantitykind:HeatCapacity ; - qudt:systemDerivedQuantityKind quantitykind:HeatFlowRate ; - qudt:systemDerivedQuantityKind quantitykind:HeatFlowRatePerUnitArea ; - qudt:systemDerivedQuantityKind quantitykind:Illuminance ; - qudt:systemDerivedQuantityKind quantitykind:Inductance ; - qudt:systemDerivedQuantityKind quantitykind:InverseAmountOfSubstance ; - qudt:systemDerivedQuantityKind quantitykind:InverseEnergy ; - qudt:systemDerivedQuantityKind quantitykind:InverseLength ; - qudt:systemDerivedQuantityKind quantitykind:InverseLengthTemperature ; - qudt:systemDerivedQuantityKind quantitykind:InverseMagneticFlux ; - qudt:systemDerivedQuantityKind quantitykind:InversePermittivity ; - qudt:systemDerivedQuantityKind quantitykind:InverseSquareEnergy ; - qudt:systemDerivedQuantityKind quantitykind:InverseTimeTemperature ; - qudt:systemDerivedQuantityKind quantitykind:InverseVolume ; - qudt:systemDerivedQuantityKind quantitykind:KinematicViscosity ; - qudt:systemDerivedQuantityKind quantitykind:LengthEnergy ; - qudt:systemDerivedQuantityKind quantitykind:LengthMass ; - qudt:systemDerivedQuantityKind quantitykind:LengthMolarEnergy ; - qudt:systemDerivedQuantityKind quantitykind:LengthPerUnitElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:LengthTemperature ; - qudt:systemDerivedQuantityKind quantitykind:LinearAcceleration ; - qudt:systemDerivedQuantityKind quantitykind:LinearElectricCurrent ; - qudt:systemDerivedQuantityKind quantitykind:LinearMomentum ; - qudt:systemDerivedQuantityKind quantitykind:LinearThermalExpansion ; - qudt:systemDerivedQuantityKind quantitykind:LinearVelocity ; - qudt:systemDerivedQuantityKind quantitykind:Luminance ; - qudt:systemDerivedQuantityKind quantitykind:LuminousEfficacy ; - qudt:systemDerivedQuantityKind quantitykind:LuminousEnergy ; - qudt:systemDerivedQuantityKind quantitykind:LuminousFlux ; - qudt:systemDerivedQuantityKind quantitykind:LuminousFluxPerArea ; - qudt:systemDerivedQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFlux ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFluxDensity ; - qudt:systemDerivedQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:systemDerivedQuantityKind quantitykind:MagneticReluctivity ; - qudt:systemDerivedQuantityKind quantitykind:Magnetization ; - qudt:systemDerivedQuantityKind quantitykind:MagnetomotiveForce ; - qudt:systemDerivedQuantityKind quantitykind:MassPerArea ; - qudt:systemDerivedQuantityKind quantitykind:MassPerAreaTime ; - qudt:systemDerivedQuantityKind quantitykind:MassPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:MassPerLength ; - qudt:systemDerivedQuantityKind quantitykind:MassPerTime ; - qudt:systemDerivedQuantityKind quantitykind:MassTemperature ; - qudt:systemDerivedQuantityKind quantitykind:MolarAngularMomentum ; - qudt:systemDerivedQuantityKind quantitykind:MolarEnergy ; - qudt:systemDerivedQuantityKind quantitykind:MolarHeatCapacity ; - qudt:systemDerivedQuantityKind quantitykind:MolarMass ; - qudt:systemDerivedQuantityKind quantitykind:MolarVolume ; - qudt:systemDerivedQuantityKind quantitykind:MomentOfInertia ; - qudt:systemDerivedQuantityKind quantitykind:Permeability ; - qudt:systemDerivedQuantityKind quantitykind:Permittivity ; - qudt:systemDerivedQuantityKind quantitykind:PlaneAngle ; - qudt:systemDerivedQuantityKind quantitykind:Polarizability ; - qudt:systemDerivedQuantityKind quantitykind:PolarizationField ; - qudt:systemDerivedQuantityKind quantitykind:Power ; - qudt:systemDerivedQuantityKind quantitykind:PowerArea ; - qudt:systemDerivedQuantityKind quantitykind:PowerAreaPerSolidAngle ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerArea ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaAngle ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; - qudt:systemDerivedQuantityKind quantitykind:PowerPerElectricCharge ; - qudt:systemDerivedQuantityKind quantitykind:QuarticElectricDipoleMomentPerCubicEnergy ; - qudt:systemDerivedQuantityKind quantitykind:RadiantIntensity ; - qudt:systemDerivedQuantityKind quantitykind:Resistance ; - qudt:systemDerivedQuantityKind quantitykind:SolidAngle ; - qudt:systemDerivedQuantityKind quantitykind:SpecificEnergy ; - qudt:systemDerivedQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:systemDerivedQuantityKind quantitykind:SpecificHeatPressure ; - qudt:systemDerivedQuantityKind quantitykind:SpecificHeatVolume ; - qudt:systemDerivedQuantityKind quantitykind:SpecificImpulseByMass ; - qudt:systemDerivedQuantityKind quantitykind:SpecificVolume ; - qudt:systemDerivedQuantityKind quantitykind:SquareEnergy ; - qudt:systemDerivedQuantityKind quantitykind:StandardGravitationalParameter ; - qudt:systemDerivedQuantityKind quantitykind:Stress ; - qudt:systemDerivedQuantityKind quantitykind:TemperatureAmountOfSubstance ; - qudt:systemDerivedQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; - qudt:systemDerivedQuantityKind quantitykind:TemperaturePerTime ; - qudt:systemDerivedQuantityKind quantitykind:ThermalConductivity ; - qudt:systemDerivedQuantityKind quantitykind:ThermalDiffusivity ; - qudt:systemDerivedQuantityKind quantitykind:ThermalInsulance ; - qudt:systemDerivedQuantityKind quantitykind:ThermalResistance ; - qudt:systemDerivedQuantityKind quantitykind:ThermalResistivity ; - qudt:systemDerivedQuantityKind quantitykind:ThrustToMassRatio ; - qudt:systemDerivedQuantityKind quantitykind:TimeSquared ; - qudt:systemDerivedQuantityKind quantitykind:TimeTemperature ; - qudt:systemDerivedQuantityKind quantitykind:Torque ; - qudt:systemDerivedQuantityKind quantitykind:Volume ; - qudt:systemDerivedQuantityKind quantitykind:VolumePerUnitTime ; - qudt:systemDerivedQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:systemDerivedQuantityKind quantitykind:VolumetricHeatCapacity ; - rdfs:isDefinedBy ; - rdfs:label "International System of Quantity Kinds" ; -. -soqk:SOQK_CGS - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "CGS System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:CGS ; -. -soqk:SOQK_CGS-EMU - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "CGS-EMU System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:CGS-EMU ; -. -soqk:SOQK_CGS-ESU - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "CGS-ESU System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:CGS-ESU ; -. -soqk:SOQK_CGS-Gauss - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "CGS-Gauss System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:CGS-Gauss ; -. -soqk:SOQK_IMPERIAL - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "Imperial System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:IMPERIAL ; -. -soqk:SOQK_ISQ - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "ISQ System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:ISQ ; -. -soqk:SOQK_Planck - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "Planck System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:Planck ; -. -soqk:SOQK_SI - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "SI System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:SI ; -. -soqk:SOQK_USCS - a qudt:SystemOfQuantityKinds ; - qudt:deprecated true ; - rdfs:label "US Customary System of Quantity Kinds (deprecated URI)" ; - rdfs:seeAlso soqk:USCS ; -. -soqk:USCS - a qudt:SystemOfQuantityKinds ; - qudt:hasQuantityKind quantitykind:AngularAcceleration ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:AreaTemperature ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:KinematicViscosity ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:hasQuantityKind quantitykind:ThermalDiffusivity ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:hasQuantityKind quantitykind:ThermalResistance ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - rdfs:isDefinedBy ; - rdfs:label "US Customary System of Quantity Kinds" ; -. -vaem:GMD_QUDT-SOQK - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2016-07-04"^^xsd:date ; - dcterms:creator "Ralph Hodgson" ; - dcterms:description "QUDT Systems of Quantity Kinds Vocabulary Version 2.1.33"^^rdf:HTML ; - dcterms:modified "2023-11-15T11:47:57.216-05:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Systems of Quantity Kinds" ; - dcterms:title "QUDT Systems of Quantity Kinds Version 2.1 Vocabulary" ; - vaem:graphTitle "QUDT Systems of Quantity Kinds Version 2.1.33" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner vaem:QUDT ; - vaem:hasSteward vaem:QUDT ; - vaem:intent "The intent of this graph is the specification of all Systems of Quantity Kinds" ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/11/DOC_VOCAB-SYSTEMS-OF-QUANTITY-KINDS-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:name "soqk" ; - vaem:namespace "http://qudt.org/vocab/soqk/"^^xsd:anyURI ; - vaem:namespacePrefix "soqk" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-SYSTEMS-OF-QUANTITY-KINDS-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/soqk"^^xsd:anyURI ; - vaem:usesNonImportedResource prov:wasInfluencedBy ; - vaem:usesNonImportedResource prov:wasInformedBy ; - rdfs:isDefinedBy ; - rdfs:label "QUDT System of Quantity Kinds Vocabulary Version 2.1.33 Metadata" ; - owl:versionIRI ; -. diff --git a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl deleted file mode 100644 index e380a3857..000000000 --- a/libraries/qudt/VOCAB_QUDT-SYSTEM-OF-UNITS-ALL-v2.1.ttl +++ /dev/null @@ -1,262 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/sou -# imports: http://qudt.org/2.1/schema/facade/qudt - -@prefix dc: . -@prefix dcterms: . -@prefix owl: . -@prefix prefix: . -@prefix prov: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix sou: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-SOU ; - rdfs:label "QUDT VOCAB Systems of Units Release 2.1.32" ; - owl:imports ; - owl:versionInfo "Created with TopBraid Composer" ; -. -sou:ASU - a qudt:SystemOfUnits ; - dcterms:description "The astronomical system of units, formally called the IAU (1976) System of Astronomical Constants, is a system of measurement developed for use in astronomy. It was adopted by the International Astronomical Union (IAU) in 1976, and has been slightly updated since then. The system was developed because of the difficulties in measuring and expressing astronomical data in International System of Units (SI units). In particular, there is a huge quantity of very precise data relating to the positions of objects within the solar system which cannot conveniently be expressed or processed in SI units. Through a number of modifications, the astronomical system of units now explicitly recognizes the consequences of general relativity, which is a necessary addition to the International System of Units in order to accurately treat astronomical data. The astronomical system of units is a tridimensional system, in that it defines units of length, mass and time. The associated astronomical constants also fix the different frames of reference that are needed to report observations. The system is a conventional system, in that neither the unit of length nor the unit of mass are true physical constants, and there are at least three different measures of time."^^rdf:HTML ; - qudt:informativeReference "http://www.iau.org/public/themes/measuring/"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Astronomic System Of Units"@en ; -. -sou:CGS - a qudt:SystemOfUnits ; - dcterms:description "

The centimetre-gram-second system (abbreviated CGS or cgs) is a variant of the metric system of physical units based on centimetre as the unit of length, gram as a unit of mass, and second as a unit of time. All CGS mechanical units are unambiguously derived from these three base units, but there are several different ways of extending the CGS system to cover electromagnetism. The CGS system has been largely supplanted by the MKS system, based on metre, kilogram, and second. Note that the term cgs is ambiguous, since there are several variants with conflicting definitions of electromagnetic quantities and units. The unqualified term is generally associated with the Gaussian system of units, so this more precise URI is preferred.

"^^rdf:HTML ; - qudt:abbreviation "CGS" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_gram_second_system_of_units"^^xsd:anyURI ; - qudt:hasBaseUnit unit:CentiM ; - qudt:hasBaseUnit unit:GM ; - qudt:hasBaseUnit unit:SEC ; - qudt:hasBaseUnit unit:UNITLESS ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre–gram–second_system_of_units"^^xsd:anyURI ; - qudt:informativeReference "http://scienceworld.wolfram.com/physics/cgs.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.tf.uni-kiel.de/matwis/amat/mw1_ge/kap_2/basics/b2_1_14.html"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "CGS System of Units"@en ; - rdfs:seeAlso sou:CGS-EMU ; - rdfs:seeAlso sou:CGS-ESU ; - rdfs:seeAlso sou:CGS-GAUSS ; -. -sou:CGS-EMU - a qudt:SystemOfUnits ; - dcterms:description "The units in this system are formed in a manner similar to that of the cgs electrostatic system of units: the unit of electric current was defined using the law that describes the force between current-carrying wires. To do this, the permeability of free space (the magnetic constant, relating the magnetic flux density in a vacuum to the strength of the external magnetic field), was set at 1. To distinguish cgs electromagnetic units from units in the international system, they were often given the prefix “ab-”. However, most are often referred to purely descriptively as the 'e.m. unit of capacitance', etc. "^^rdf:HTML ; - qudt:abbreviation "CGS-EMU" ; - qudt:hasBaseUnit unit:BIOT ; - qudt:hasBaseUnit unit:CentiM ; - qudt:hasBaseUnit unit:GM ; - qudt:hasBaseUnit unit:SEC ; - qudt:hasBaseUnit unit:UNITLESS ; - qudt:informativeReference "http://www.sizes.com/units/sys_cgs_em.htm"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "CGS System of Units - EMU"@en ; -. -sou:CGS-ESU - a qudt:SystemOfUnits ; - dcterms:description "The electrostatic system of units is a system of units used to measure electrical quantities of electric charge, current, and voltage, within the centimeter gram second (or \"CGS\") metric system of units. In electrostatic units, electrical charge is defined via the force it exerts on other charges. The various units of the e.s.u. system have specific names obtained by prefixing more familiar names with $stat$, but are often referred to purely descriptively as the 'e.s. unit of capacitance', etc. "^^rdf:HTML ; - qudt:abbreviation "CGS-ESU" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electrostatic_units"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-399#"^^xsd:anyURI ; - qudt:informativeReference "http://www.sizes.com/units/sys_cgs_stat.htm"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "CGS System of Units ESU"@en ; -. -sou:CGS-GAUSS - a qudt:SystemOfUnits ; - dcterms:description "Gaussian units constitute a metric system of physical units. This system is the most common of the several electromagnetic unit systems based on cgs (centimetre–gram–second) units. It is also called the Gaussian unit system, Gaussian-cgs units, or often just cgs units. The term \"cgs units\" is ambiguous and therefore to be avoided if possible: there are several variants of cgs with conflicting definitions of electromagnetic quantities and units. [Wikipedia]"^^rdf:HTML ; - qudt:abbreviation "CGS-GAUSS" ; - qudt:hasBaseUnit unit:CentiM ; - qudt:hasBaseUnit unit:GM ; - qudt:hasBaseUnit unit:SEC ; - qudt:hasBaseUnit unit:UNITLESS ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Gaussian_units"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "CGS System of Units - Gaussian"@en ; - rdfs:seeAlso sou:CGS ; -. -sou:IMPERIAL - a qudt:SystemOfUnits ; - dcterms:description "A system of units formerly widely used in the UK and the rest of the English-speaking world. It includes the pound (lb), quarter (qt), hundredweight (cwt), and ton (ton); the foot (ft), yard (yd), and mile (mi); and the gallon (gal), British thermal unit (btu), etc. These units have been largely replaced by metric units, although Imperial units persist in some contexts. In January 2000 an EU regulation outlawing the sale of goods in Imperial measures was adopted into British law; an exception was made for the sale of beer and milk in pints. "^^rdf:HTML ; - qudt:abbreviation "Imperial" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Imperial_units"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199234899.001.0001/acref-9780199234899-e-3147"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Imperial System of Units"@en ; -. -sou:PLANCK - a qudt:SystemOfUnits ; - dcterms:description """In physics, Planck units are physical units of measurement defined exclusively in terms of five universal physical constants listed below, in such a manner that these five physical constants take on the numerical value of 1 when expressed in terms of these units. Planck units elegantly simplify particular algebraic expressions appearing in physical law. -Originally proposed in 1899 by German physicist Max Planck, these units are also known as natural units because the origin of their definition comes only from properties of nature and not from any human construct. Planck units are unique among systems of natural units, because they are not defined in terms of properties of any prototype, physical object, or even elementary particle. -Unlike the meter and second, which exist as fundamental units in the SI system for (human) historical reasons, the Planck length and Planck time are conceptually linked at a fundamental physical level. Natural units help physicists to reframe questions."""^^rdf:HTML ; - qudt:abbreviation "PLANCK" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_units"^^xsd:anyURI ; - qudt:hasBaseUnit unit:PlanckCharge ; - qudt:hasBaseUnit unit:PlanckLength ; - qudt:hasBaseUnit unit:PlanckMass ; - qudt:hasBaseUnit unit:PlanckTemperature ; - qudt:hasBaseUnit unit:PlanckTime ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_units?oldid=495407713"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Planck System of Units"@en ; -. -sou:SI - a qudt:SystemOfUnits ; - dcterms:description "The International System of Units (abbreviated \\(SI\\) from French: Système international d'unités) is the modern form of the metric system and is generally a system of units of measurement devised around seven base units and the convenience of the number ten. The older metric system included several groups of units. The SI was established in 1960, based on the metre-kilogram-second system, rather than the centimetre-gram-second system, which, in turn, had a few variants."^^rdf:HTML ; - qudt:abbreviation "SI" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/International_System_of_Units"^^xsd:anyURI ; - qudt:hasBaseUnit unit:A ; - qudt:hasBaseUnit unit:CD ; - qudt:hasBaseUnit unit:K ; - qudt:hasBaseUnit unit:KiloGM ; - qudt:hasBaseUnit unit:M ; - qudt:hasBaseUnit unit:MOL ; - qudt:hasBaseUnit unit:SEC ; - qudt:hasBaseUnit unit:UNITLESS ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html"^^xsd:anyURI ; - qudt:informativeReference "http://physics.info/system-international/"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811"^^xsd:anyURI ; - qudt:informativeReference "http://www.nist.gov/pml/pubs/sp811/index.cfm"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1292"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-appendix-0003"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-2791"^^xsd:anyURI ; - qudt:informativeReference "https://www.govinfo.gov/content/pkg/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4/pdf/GOVPUB-C13-f10c2ff9e7af2091314396a2d53213e4.pdf"^^xsd:anyURI ; - qudt:prefix prefix:Atto ; - qudt:prefix prefix:Centi ; - qudt:prefix prefix:Deca ; - qudt:prefix prefix:Deci ; - qudt:prefix prefix:Deka ; - qudt:prefix prefix:Exa ; - qudt:prefix prefix:Femto ; - qudt:prefix prefix:Giga ; - qudt:prefix prefix:Hecto ; - qudt:prefix prefix:Kilo ; - qudt:prefix prefix:Mega ; - qudt:prefix prefix:Micro ; - qudt:prefix prefix:Milli ; - qudt:prefix prefix:Nano ; - qudt:prefix prefix:Peta ; - qudt:prefix prefix:Pico ; - qudt:prefix prefix:Quecto ; - qudt:prefix prefix:Quetta ; - qudt:prefix prefix:Ronna ; - qudt:prefix prefix:Ronto ; - qudt:prefix prefix:Tera ; - qudt:prefix prefix:Yocto ; - qudt:prefix prefix:Yotta ; - qudt:prefix prefix:Zepto ; - qudt:prefix prefix:Zetta ; - rdfs:isDefinedBy ; - rdfs:label "International System of Units"@en ; -. -sou:SOU_ASU - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "Astronomical System of Units (deprecated URI)" ; - rdfs:seeAlso sou:ASU ; -. -sou:SOU_CGS - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "CGS System of Units (deprecated URI)" ; - rdfs:seeAlso sou:CGS ; -. -sou:SOU_CGS-EMU - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "CGS-EMU System of Units (deprecated URI)" ; - rdfs:seeAlso sou:CGS-EMU ; -. -sou:SOU_CGS-ESU - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "CGS-ESU System of Units (deprecated URI)" ; - rdfs:seeAlso sou:CGS-ESU ; -. -sou:SOU_CGS-GAUSS - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "CGS-Gauss System of Units (deprecated URI)" ; - rdfs:seeAlso sou:CGS-GAUSS ; -. -sou:SOU_IMPERIAL - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "Imperial System of Units (deprecated URI)" ; - rdfs:seeAlso sou:IMPERIAL ; -. -sou:SOU_PLANCK - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "Planck System of Units (deprecated URI)" ; - rdfs:seeAlso sou:PLANCK ; -. -sou:SOU_SI - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "SI System of Units (deprecated URI)" ; - rdfs:seeAlso sou:SI ; -. -sou:SOU_USCS - a qudt:SystemOfUnits ; - qudt:deprecated true ; - rdfs:label "US Customary System of Units (deprecated URI)" ; - rdfs:seeAlso sou:USCS ; -. -sou:UNSTATED - a qudt:SystemOfUnits ; - dcterms:description "This placeholder system of units is for all units that do not fit will into any other system of units as modeled here."^^rdf:HTML ; - rdfs:isDefinedBy ; - rdfs:label "Unstated System Of Units"@en ; -. -sou:USCS - a qudt:SystemOfUnits ; - dcterms:description "United States customary units are a system of measurements commonly used in the United States. Many U.S. units are virtually identical to their imperial counterparts, but the U.S. customary system developed from English units used in the British Empire before the system of imperial units was standardized in 1824. Several numerical differences from the imperial system are present. The vast majority of U.S. customary units have been defined in terms of the meter and the kilogram since the Mendenhall Order of 1893 (and, in practice, for many years before that date). These definitions were refined in 1959. The United States is the only industrialized nation that does not mainly use the metric system in its commercial and standards activities, although the International System of Units (SI, often referred to as \"metric\") is commonly used in the U.S. Armed Forces, in fields relating to science, and increasingly in medicine, aviation, and government as well as various sectors of industry. [Wikipedia]"^^rdf:HTML ; - qudt:abbreviation "US Customary" ; - qudt:dbpediaMatch "http://dbpedia.org/resource/United_States_customary_units"^^xsd:anyURI ; - vaem:url "http://en.wikipedia.org/wiki/US_customary_units"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "US Customary Unit System"@en ; -. -vaem:GMD_QUDT-SOU - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2016-07-04"^^xsd:date ; - dcterms:creator "Ralph Hodgson" ; - dcterms:description "QUDT Systems of Units Vocabulary Version 2.1.32"^^rdf:HTML ; - dcterms:modified "2023-10-19T12:30:31.152-04:00"^^xsd:dateTime ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Systems of Units" ; - dcterms:title "QUDT Systems of Units Version 2.1 Vocabulary" ; - vaem:graphTitle "QUDT Systems of Units Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner vaem:QUDT ; - vaem:hasSteward vaem:QUDT ; - vaem:intent "The intent of this graph is the specification of all Systems of Units" ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-SYSTEMS-OF-UNITS-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:name "sou" ; - vaem:namespace "http://qudt.org/vocab/sou/"^^xsd:anyURI ; - vaem:namespacePrefix "sou" ; - vaem:owner "qudt.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-SYSTEMS-OF-UNITS-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/sou"^^xsd:anyURI ; - vaem:usesNonImportedResource prov:wasInfluencedBy ; - vaem:usesNonImportedResource prov:wasInformedBy ; - rdfs:isDefinedBy ; - rdfs:label "QUDT System of Units Vocabulary Metadata Version v2.1.32" ; - owl:versionIRI ; -. diff --git a/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl deleted file mode 100644 index 0b3e33047..000000000 --- a/libraries/qudt/VOCAB_QUDT-UNITS-ALL-v2.1.ttl +++ /dev/null @@ -1,30702 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/unit -# imports: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/vocab/prefix -# imports: http://qudt.org/2.1/vocab/quantitykind -# imports: http://qudt.org/2.1/vocab/sou - -@prefix dc: . -@prefix dcterms: . -@prefix owl: . -@prefix prefix: . -@prefix prov: . -@prefix qkdv: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix sou: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-UNITS-ALL ; - rdfs:isDefinedBy ; - rdfs:label "QUDT VOCAB Units of Measure Release 2.1.32" ; - owl:imports ; - owl:imports ; - owl:imports ; - owl:imports ; - owl:versionIRI ; -. -unit:A - a qudt:Unit ; - dcterms:description """The \\(\\textit{ampere}\\), often shortened to \\(\\textit{amp}\\), is the SI unit of electric current and is one of the seven SI base units. -\\(\\text{A}\\ \\equiv\\ \\text{amp (or ampere)}\\ \\equiv\\ \\frac{\\text{C}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{coulomb}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{J}}{\\text{Wb}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{weber}}\\) -Note that SI supports only the use of symbols and deprecates the use of any abbreviations for units."""^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ampere"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:CurrentLinkage ; - qudt:hasQuantityKind quantitykind:DisplacementCurrent ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPhasor ; - qudt:hasQuantityKind quantitykind:MagneticTension ; - qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; - qudt:hasQuantityKind quantitykind:TotalCurrent ; - qudt:iec61360Code "0112/2///62720#UAA101" ; - qudt:iec61360Code "0112/2///62720#UAD717" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere?oldid=494026699"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "A" ; - qudt:ucumCode "A"^^qudt:UCUMcs ; - qudt:udunitsCode "A" ; - qudt:uneceCommonCode "AMP" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere"@de ; - rdfs:label "amper"@hu ; - rdfs:label "amper"@pl ; - rdfs:label "amper"@ro ; - rdfs:label "amper"@sl ; - rdfs:label "amper"@tr ; - rdfs:label "ampere"@en ; - rdfs:label "ampere"@it ; - rdfs:label "ampere"@ms ; - rdfs:label "ampere"@pt ; - rdfs:label "amperio"@es ; - rdfs:label "amperium"@la ; - rdfs:label "ampère"@fr ; - rdfs:label "ampér"@cs ; - rdfs:label "αμπέρ"@el ; - rdfs:label "ампер"@bg ; - rdfs:label "ампер"@ru ; - rdfs:label "אמפר"@he ; - rdfs:label "آمپر"@fa ; - rdfs:label "أمبير"@ar ; - rdfs:label "एम्पीयर"@hi ; - rdfs:label "アンペア"@ja ; - rdfs:label "安培"@zh ; - skos:altLabel "amp" ; -. -unit:A-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Ampere hour}\\) is a practical unit of electric charge equal to the charge flowing in one hour through a conductor passing one ampere. An ampere-hour or amp-hour (symbol \\(Ah,\\,AHr,\\, A \\cdot h, A h\\)) is a unit of electric charge, with sub-units milliampere-hour (\\(mAh\\)) and milliampere second (\\(mAs\\)). One ampere-hour is equal to 3600 coulombs (ampere-seconds), the electric charge transferred by a steady current of one ampere for one hour. The ampere-hour is frequently used in measurements of electrochemical systems such as electroplating and electrical batteries. The commonly seen milliampere-hour (\\(mAh\\) or \\(mA \\cdot h\\)) is one-thousandth of an ampere-hour (\\(3.6 \\,coulombs\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA102" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ampere-hour"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780199233991.001.0001/acref-9780199233991-e-86"^^xsd:anyURI ; - qudt:symbol "A⋅hr" ; - qudt:ucumCode "A.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "AMH" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Hour"@en ; -. -unit:A-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of electromagnetic moment."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(A-M^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; - qudt:hasQuantityKind quantitykind:MagneticMoment ; - qudt:iec61360Code "0112/2///62720#UAA106" ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+meter+squared"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "A⋅m²" ; - qudt:ucumCode "A.m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A5" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Square Meter"@en-us ; - rdfs:label "Ampere Square Metre"@en ; -. -unit:A-M2-PER-J-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of gyromagnetic ratio."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(A-m^2/J-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:informativeReference "http://encyclopedia2.thefreedictionary.com/ampere+square+meter+per+joule+second"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "A⋅m²/(J⋅s)" ; - qudt:ucumCode "A.m2.J-1.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "A.m2/(J.s)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A10" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Square Meter Per Joule Second"@en-us ; - rdfs:label "Ampere Square Metre Per Joule Second"@en ; -. -unit:A-PER-CentiM - a qudt:Unit ; - dcterms:description "SI base unit ampere divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAB073" ; - qudt:plainTextDescription "SI base unit ampere divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "A/cm" ; - qudt:ucumCode "A.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A2" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Per Centimeter"@en-us ; - rdfs:label "Ampere Per Centimetre"@en ; -. -unit:A-PER-CentiM2 - a qudt:Unit ; - dcterms:description "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e04 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:iec61360Code "0112/2///62720#UAB052" ; - qudt:plainTextDescription "SI base unit ampere divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "A/cm²" ; - qudt:ucumCode "A.cm-2"^^qudt:UCUMcs ; - qudt:ucumCode "A/cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A4" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Per Square Centimeter"@en-us ; - rdfs:label "Ampere Per Square Centimetre"@en ; -. -unit:A-PER-DEG_C - a qudt:Unit ; - dcterms:description "A measure used to express how a current is subject to temperature. Originally used in Wien's Law to describe phenomena related to filaments. One use today is to express how a current generator derates with temperature."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 57.2957795 ; - qudt:expression "\\(A/degC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitTemperature ; - qudt:informativeReference "http://books.google.com/books?id=zkErAAAAYAAJ&pg=PA60&lpg=PA60&dq=ampere+per+degree"^^xsd:anyURI ; - qudt:informativeReference "http://web.mit.edu/course/21/21.guide/use-tab.htm"^^xsd:anyURI ; - qudt:symbol "A/°C" ; - qudt:ucumCode "A.Cel-1"^^qudt:UCUMcs ; - qudt:ucumCode "A/Cel"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Ampere per Degree Celsius"@en ; -. -unit:A-PER-GM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Ampere per gram}\\) is a practical unit to describe an (applied) current relative to the involved amount of material. This unit is often found in electrochemistry to standardize test conditions and compare various scales of investigated materials."^^qudt:LatexString ; - qudt:conversionMultiplier 1000.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SpecificElectricCurrent ; - qudt:symbol "A⋅/g" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere per Gram"@en ; -. -unit:A-PER-J - a qudt:Unit ; - dcterms:description "The inverse measure of \\(joule-per-ampere\\) or \\(weber\\). The measure for the reciprical of magnetic flux."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(A/J\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPerUnitEnergy ; - qudt:symbol "A/J" ; - qudt:ucumCode "A.J-1"^^qudt:UCUMcs ; - qudt:ucumCode "A/J"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Ampere per Joule"@en ; -. -unit:A-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description " is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (\\(12.566\\, 371\\,millioersteds\\)) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001\\,emu\\,per\\,cubic\\,centimeter\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(A/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Coercivity ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAA104" ; - qudt:symbol "A/m" ; - qudt:ucumCode "A.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "A/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "AE" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere je Meter"@de ; - rdfs:label "Ampere per Meter"@en-us ; - rdfs:label "amper bölü metre"@tr ; - rdfs:label "amper na meter"@sl ; - rdfs:label "amper na metr"@pl ; - rdfs:label "ampere al metro"@it ; - rdfs:label "ampere pe metru"@ro ; - rdfs:label "ampere per meter"@ms ; - rdfs:label "ampere per metre"@en ; - rdfs:label "ampere por metro"@pt ; - rdfs:label "amperio por metro"@es ; - rdfs:label "ampère par mètre"@fr ; - rdfs:label "ampérů na metr"@cs ; - rdfs:label "ампер на метр"@ru ; - rdfs:label "آمپر بر متر"@fa ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "प्रति मीटर एम्पीयर"@hi ; - rdfs:label "アンペア毎メートル"@ja ; - rdfs:label "安培每米"@zh ; -. -unit:A-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Ampere Per Square Meter}\\) is a unit in the category of electric current density. This unit is commonly used in the SI unit system."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(A/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DisplacementCurrentDensity ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:TotalCurrentDensity ; - qudt:iec61360Code "0112/2///62720#UAA105" ; - qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA105"^^xsd:anyURI ; - qudt:symbol "A/m²" ; - qudt:ucumCode "A.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "A/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A41" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere je Quadratmeter"@de ; - rdfs:label "Ampere per Square Meter"@en-us ; - rdfs:label "amper bölü metre kare"@tr ; - rdfs:label "amper na kvadratni meter"@sl ; - rdfs:label "amper na metr kwadratowy"@pl ; - rdfs:label "ampere al metro quadrato"@it ; - rdfs:label "ampere pe metru pătrat"@ro ; - rdfs:label "ampere per meter persegi"@ms ; - rdfs:label "ampere per square metre"@en ; - rdfs:label "ampere por metro quadrado"@pt ; - rdfs:label "amperio por metro cuadrado"@es ; - rdfs:label "ampère par mètre carré"@fr ; - rdfs:label "ampér na metr čtvereční"@cs ; - rdfs:label "ампер на квадратный метр"@ru ; - rdfs:label "آمپر بر مترمربع"@fa ; - rdfs:label "أمبير في المتر المربع"@ar ; - rdfs:label "एम्पीयर प्रति वर्ग मीटर"@hi ; - rdfs:label "アンペア毎平方メートル"@ja ; - rdfs:label "安培每平方米"@zh ; -. -unit:A-PER-M2-K2 - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(a/m^2-k^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H-2T0D0 ; - qudt:hasQuantityKind quantitykind:RichardsonConstant ; - qudt:iec61360Code "0112/2///62720#UAB353" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "A/m²⋅k²" ; - qudt:ucumCode "A.m-2.K-2"^^qudt:UCUMcs ; - qudt:ucumCode "A/(m2.K2)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A6" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere per Square Meter Square Kelvin"@en-us ; - rdfs:label "Ampere per Square Metre Square Kelvin"@en ; -. -unit:A-PER-MilliM - a qudt:Unit ; - dcterms:description "SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAB072" ; - qudt:plainTextDescription "SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "A/mm" ; - qudt:ucumCode "A.mm-1"^^qudt:UCUMcs ; - qudt:ucumCode "A/mm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A3" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Per Millimeter"@en-us ; - rdfs:label "Ampere Per Millimetre"@en ; -. -unit:A-PER-MilliM2 - a qudt:Unit ; - dcterms:description "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:iec61360Code "0112/2///62720#UAB051" ; - qudt:plainTextDescription "SI base unit ampere divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "A/mm²" ; - qudt:ucumCode "A.mm-2"^^qudt:UCUMcs ; - qudt:ucumCode "A/mm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A7" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Per Square Millimeter"@en-us ; - rdfs:label "Ampere Per Square Millimetre"@en ; -. -unit:A-PER-RAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Ampere per Radian}\\) is a derived unit for measuring the amount of current per unit measure of angle, expressed in ampere per radian."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(a-per-rad\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentPerAngle ; - qudt:symbol "A/rad" ; - qudt:ucumCode "A.rad-1"^^qudt:UCUMcs ; - qudt:ucumCode "A/rad"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Ampere per Radian"@en ; -. -unit:A-SEC - a qudt:Unit ; - dcterms:description "product out of the SI base unit ampere and the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA107" ; - qudt:plainTextDescription "product out of the SI base unit ampere and the SI base unit second" ; - qudt:symbol "A⋅s" ; - qudt:ucumCode "A.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A8" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Second"@en ; -. -unit:AC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The acre is a unit of area in a number of different systems, including the imperial and U.S. customary systems. Its international symbol is ac. The most commonly used acres today are the international acre and, in the United States, the survey acre. The most common use of the acre is to measure tracts of land. One international acre is equal to 4046.8564224 square metres."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4046.8564224 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Acre"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAA320" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acre?oldid=495387342"^^xsd:anyURI ; - qudt:symbol "acre" ; - qudt:ucumCode "[acr_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "ACR" ; - rdfs:isDefinedBy ; - rdfs:label "Acre"@en ; - skos:altLabel "acre" ; -. -unit:AC-FT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "An acre-foot is a unit of volume commonly used in the United States in reference to large-scale water resources, such as reservoirs, aqueducts, canals, sewer flow capacity, and river flows. It is defined by the volume of one acre of surface area to a depth of one foot. Since the acre is defined as a chain by a furlong (\\(66 ft \\times 660 ft\\)) the acre-foot is exactly \\(43,560 cubic feet\\). For irrigation water, the volume of \\(1 ft \\times 1 \\; ac = 43,560 \\; ft^{3} (1,233.482 \\; m^{3}, 325,851 \\; US gal)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1233.4818375475202 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Acre-foot"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-35"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "ac⋅ft" ; - qudt:ucumCode "[acr_br].[ft_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Acre Foot"@en ; -. -unit:AMU - a qudt:Unit ; - dcterms:description "The \\(\\textit{Unified Atomic Mass Unit}\\) (symbol: \\(\\mu\\)) or \\(\\textit{dalton}\\) (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \\(\\textit{\"non-SI unit whose values in SI units must be obtained experimentally\"}\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 1.66053878283e-27 ; - qudt:exactMatch unit:Da ; - qudt:exactMatch unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; - qudt:symbol "amu" ; - qudt:ucumCode "u"^^qudt:UCUMcs ; - qudt:udunitsCode "u" ; - qudt:uneceCommonCode "D43" ; - rdfs:isDefinedBy ; - rdfs:label "Atomic mass unit"@en ; -. -unit:ANGSTROM - a qudt:Unit ; - dcterms:description "The \\(Angstr\\ddot{o}m\\) is an internationally recognized unit of length equal to \\(0.1 \\,nanometre\\) or \\(1 \\times 10^{-10}\\,metres\\). Although accepted for use, it is not formally defined within the International System of Units(SI). The angstrom is often used in the natural sciences to express the sizes of atoms, lengths of chemical bonds and the wavelengths of electromagnetic radiation, and in technology for the dimensions of parts of integrated circuits. It is also commonly used in structural biology."^^qudt:LatexString ; - qudt:conversionMultiplier 1.0e-10 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/%C3%85ngstr%C3%B6m"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA023" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ångström?oldid=436192495"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\AA\\)"^^qudt:LatexString ; - qudt:symbol "Å" ; - qudt:ucumCode "Ao"^^qudt:UCUMcs ; - qudt:udunitsCode "Å" ; - qudt:udunitsCode "Å" ; - qudt:uneceCommonCode "A11" ; - rdfs:isDefinedBy ; - rdfs:label "Angstrom"@en ; -. -unit:ANGSTROM3 - a qudt:Unit ; - dcterms:description "A unit that is a non-SI unit, specifically a CGS unit, of polarizability known informally as polarizability volume. The SI defined units for polarizability are C*m^2/V and can be converted to \\(Angstr\\ddot{o}m\\)^3 by multiplying the SI value by 4 times pi times the vacuum permittivity and then converting the resulting m^3 to \\(Angstr\\ddot{o}m\\)^3 through the SI base 10 conversion (multiplying by 10^-30)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-40 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "ų" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Angstrom"@en ; - rdfs:label "Cubic Angstrom"@en-us ; -. -unit:ARCMIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. "^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.90888209e-04 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:MIN_Angle ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA097" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; - qudt:siUnitsExpression "1" ; - qudt:symbol "'" ; - qudt:ucumCode "'"^^qudt:UCUMcs ; - qudt:udunitsCode "′" ; - qudt:uneceCommonCode "D61" ; - rdfs:isDefinedBy ; - rdfs:label "ArcMinute"@en ; -. -unit:ARCSEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Arc Second\" is a unit of angular measure, also called the \\(\\textit{second of arc}\\), equal to \\(1/60 \\; arcminute\\). One arcsecond is a very small angle: there are 1,296,000 in a circle. The SI recommends \\(\\textit{double prime}\\) (\\(''\\)) as the symbol for the arcsecond. The symbol has become common in astronomy, where very small angles are stated in milliarcseconds (\\(mas\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.84813681e-06 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA096" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc#Symbols.2C_abbreviations_and_subdivisions"^^xsd:anyURI ; - qudt:symbol "\"" ; - qudt:ucumCode "''"^^qudt:UCUMcs ; - qudt:udunitsCode "″" ; - qudt:uneceCommonCode "D62" ; - rdfs:isDefinedBy ; - rdfs:label "ArcSecond"@en ; -. -unit:ARE - a qudt:Unit ; - dcterms:description "An 'are' is a unit of area equal to 0.02471 acre and 100 centare."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAB048" ; - qudt:informativeReference "http://www.anidatech.com/units.html"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "a" ; - qudt:ucumCode "ar"^^qudt:UCUMcs ; - qudt:udunitsCode "a" ; - qudt:uneceCommonCode "ARE" ; - rdfs:isDefinedBy ; - rdfs:label "are"@en ; -. -unit:AT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \\(\\textit{ampere-turn}\\) was the MKS unit of magnetomotive force (MMF), represented by a direct current of one ampere flowing in a single-turn loop in a vacuum. \"Turns\" refers to the winding number of an electrical conductor comprising an inductor. The ampere-turn was replaced by the SI unit, \\(ampere\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; - qudt:symbol "AT" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Turn"@en ; -. -unit:AT-PER-IN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \\(\\textit{Ampere Turn per Inch}\\) is a measure of magnetic field intensity and is equal to 12.5664 Oersted."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 39.3700787 ; - qudt:expression "\\(At/in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:symbol "At/in" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Turn per Inch"@en ; -. -unit:AT-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \\(\\textit{Ampere Turn per Metre}\\) is the SI unit of magnetic field strength. One ampere per meter is equal to \\(\\pi/250\\) oersteds (12.566 371 millioersteds) in CGS units. The ampere per meter is also the SI unit of \"magnetization\" in the sense of magnetic dipole moment per unit volume; in this context \\(1 A/m = 0.001 emu per cubic centimeter\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(At/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:symbol "At/m" ; - rdfs:isDefinedBy ; - rdfs:label "Ampere Turn per Meter"@en-us ; - rdfs:label "Ampere Turn per Metre"@en ; -. -unit:ATM - a qudt:Unit ; - dcterms:description "The standard atmosphere (symbol: atm) is an international reference pressure defined as \\(101.325 \\,kPa\\) and formerly used as unit of pressure. For practical purposes it has been replaced by the bar which is \\(100 kPa\\). The difference of about 1% is not significant for many applications, and is within the error range of common pressure gauges."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.01325e05 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA322" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atmosphere_(unit)"^^xsd:anyURI ; - qudt:symbol "atm" ; - qudt:ucumCode "atm"^^qudt:UCUMcs ; - qudt:udunitsCode "atm" ; - qudt:uneceCommonCode "ATM" ; - rdfs:isDefinedBy ; - rdfs:label "Standard Atmosphere"@en ; -. -unit:ATM-M3-PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit that consists of the power of the SI base unit metre with the exponent 3 multiplied by the unit atmosphere divided by the SI base unit mol."^^qudt:LatexString ; - qudt:conversionMultiplier 1.01325e05 ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:HenrysLawVolatilityConstant ; - qudt:symbol "atm⋅m³/mol" ; - rdfs:isDefinedBy ; - rdfs:label "Atmosphere Cubic Meter per Mole"@en ; - rdfs:label "Atmosphere Cubic Meter per Mole"@en-us ; -. -unit:ATM_T - a qudt:Unit ; - dcterms:description "A technical atmosphere (symbol: at) is a non-SI unit of pressure equal to one kilogram-force per square centimeter. The symbol 'at' clashes with that of the katal (symbol: 'kat'), the SI unit of catalytic activity; a kilotechnical atmosphere would have the symbol 'kat', indistinguishable from the symbol for the katal. It also clashes with that of the non-SI unit, the attotonne, but that unit would be more likely be rendered as the equivalent SI unit. Assay ton (abbreviation 'AT') is not a unit of measurement, but a standard quantity used in assaying ores of precious metals; it is \\(29 1D6 \\,grams\\) (short assay ton) or \\(32 2D3 \\,grams\\) (long assay ton), the amount which bears the same ratio to a milligram as a short or long ton bears to a troy ounce. In other words, the number of milligrams of a particular metal found in a sample of this size gives the number of troy ounces contained in a short or long ton of ore."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 9.80665e04 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA321" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Technical_atmosphere"^^xsd:anyURI ; - qudt:latexDefinition "\\(1 at = 98.0665 kPa \\approx 0.96784 standard atmospheres\\)"^^qudt:LatexString ; - qudt:symbol "at" ; - qudt:ucumCode "att"^^qudt:UCUMcs ; - qudt:udunitsCode "at" ; - qudt:uneceCommonCode "ATT" ; - rdfs:isDefinedBy ; - rdfs:label "Technical Atmosphere"@en ; -. -unit:AU - a qudt:Unit ; - dcterms:description "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to \\(149,597,870,700 metres\\) (\\(92,955,807.273 mi\\)) or approximately the mean Earth Sun distance."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.495978706916e11 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Astronomical_unit"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB066" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Astronomical_unit"^^xsd:anyURI ; - qudt:plainTextDescription "An astronomical unit (abbreviated as AU, au, a.u., or ua) is a unit of length equal to 149,597,870,700 metres (92,955,807.273 mi) or approximately the mean Earth Sun distance. The symbol ua is recommended by the International Bureau of Weights and Measures, and the international standard ISO 80000, while au is recommended by the International Astronomical Union, and is more common in Anglosphere countries. In general, the International System of Units only uses capital letters for the symbols of units which are named after individual scientists, while au or a.u. can also mean atomic unit or even arbitrary unit. However, the use of AU to refer to the astronomical unit is widespread. The astronomical constant whose value is one astronomical unit is referred to as unit distance and is given the symbol A. [Wikipedia]" ; - qudt:symbol "AU" ; - qudt:ucumCode "AU"^^qudt:UCUMcs ; - qudt:udunitsCode "au" ; - qudt:udunitsCode "ua" ; - qudt:uneceCommonCode "A12" ; - rdfs:isDefinedBy ; - rdfs:label "astronomical-unit"@en ; -. -unit:A_Ab - a qudt:Unit ; - dcterms:description "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 10.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abampere"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:exactMatch unit:BIOT ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abampere?oldid=489318583"^^xsd:anyURI ; - qudt:informativeReference "http://wordinfo.info/results/abampere"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13?rskey=i2kRRz"^^xsd:anyURI ; - qudt:latexDefinition "\\(1\\,abA = 10\\,A\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:plainTextDescription "The Abampere (aA), also called the biot after Jean-Baptiste Biot, is the basic electromagnetic unit of electric current in the emu-cgs system of units (electromagnetic cgs). One abampere is equal to ten amperes in the SI system of units. An abampere is the constant current that produces, when maintained in two parallel conductors of negligible circular section and of infinite length placed 1 centimetre apart, a force of 2 dynes per centimetre between the two conductors." ; - qudt:symbol "abA" ; - qudt:ucumCode "Bi"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abampere"@en ; - skos:altLabel "biot" ; -. -unit:A_Ab-CentiM2 - a qudt:Unit ; - dcterms:description "\"Abampere Square centimeter\" is the unit of magnetic moment in the electromagnetic centimeter-gram-second system."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e09 ; - qudt:expression "\\(aAcm2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; - qudt:symbol "abA⋅cm²" ; - qudt:ucumCode "Bi.cm2"^^qudt:UCUMcs ; - vaem:todo "Determine type for magnetic moment" ; - rdfs:isDefinedBy ; - rdfs:label "Abampere Square centimeter"@en-us ; - rdfs:label "Abampere Square centimetre"@en ; -. -unit:A_Ab-PER-CentiM2 - a qudt:Unit ; - dcterms:description "Abampere Per Square Centimeter (\\(aA/cm^2\\)) is a unit in the category of Electric current density. It is also known as abamperes per square centimeter, abampere/square centimeter, abampere/square centimetre, abamperes per square centimetre, abampere per square centimetre. This unit is commonly used in the cgs unit system. Abampere Per Square Centimeter (\\(aA/cm^2\\)) has a dimension of \\(L^{-2}I\\) where L is length, and I is electric current. It can be converted to the corresponding standard SI unit \\(A/m^{2}\\) by multiplying its value by a factor of 100000."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e05 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:expression "\\(aba-per-cm2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:informativeReference "http://wordinfo.info/results/abampere"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_current_density--abampere_per_square_centimeter.cfm"^^xsd:anyURI ; - qudt:symbol "abA/cm²" ; - qudt:ucumCode "Bi.cm-2"^^qudt:UCUMcs ; - qudt:ucumCode "Bi/cm2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abampere per Square Centimeter"@en-us ; - rdfs:label "Abampere per Square Centimetre"@en ; -. -unit:A_Stat - a qudt:Unit ; - dcterms:description "\"Statampere\" (statA) is a unit in the category of Electric current. It is also known as statamperes. This unit is commonly used in the cgs unit system. Statampere (statA) has a dimension of I where I is electric current. It can be converted to the corresponding standard SI unit A by multiplying its value by a factor of 3.355641E-010."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 3.335641e-10 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_current--statampere.cfm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "statA" ; - rdfs:isDefinedBy ; - rdfs:label "Statampere"@en ; -. -unit:A_Stat-PER-CentiM2 - a qudt:Unit ; - dcterms:description "The Statampere per Square Centimeter is a unit of electric current density in the c.g.s. system of units."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 3.335641e-06 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:expression "\\(statA / cm^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:symbol "statA/cm²" ; - rdfs:isDefinedBy ; - rdfs:label "Statampere per Square Centimeter"@en-us ; - rdfs:label "Statampere per Square Centimetre"@en ; -. -unit:AttoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "An AttoColomb is \\(10^{-18} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Atto ; - qudt:symbol "aC" ; - qudt:ucumCode "aC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "AttoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:AttoFARAD - a qudt:Unit ; - dcterms:description "0,000 000 000 000 000 001-fold of the SI derived unit farad"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA319" ; - qudt:plainTextDescription "0.000000000000000001-fold of the SI derived unit farad" ; - qudt:prefix prefix:Atto ; - qudt:symbol "aF" ; - qudt:ucumCode "aF"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H48" ; - rdfs:isDefinedBy ; - rdfs:label "Attofarad"@en ; -. -unit:AttoJ - a qudt:Unit ; - dcterms:description "0,000 000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB125" ; - qudt:plainTextDescription "0.000000000000000001-fold of the derived SI unit joule" ; - qudt:prefix prefix:Atto ; - qudt:symbol "aJ" ; - qudt:ucumCode "aJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A13" ; - rdfs:isDefinedBy ; - rdfs:label "Attojoule"@en ; -. -unit:AttoJ-SEC - a qudt:Unit ; - dcterms:description "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:iec61360Code "0112/2///62720#UAB151" ; - qudt:plainTextDescription "unit of the Planck's constant as product of the SI derived unit joule and the SI base unit second" ; - qudt:symbol "aJ⋅s" ; - qudt:ucumCode "aJ.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B18" ; - rdfs:isDefinedBy ; - rdfs:label "Attojoule Second"@en ; -. -unit:B - a qudt:DimensionlessUnit ; - a qudt:LogarithmicUnit ; - a qudt:Unit ; - dcterms:description "A logarithmic unit of sound pressure equal to 10 decibels (dB), It is defined as: \\(1 B = (1/2) \\log_{10}(Np)\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bel"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SoundExposureLevel ; - qudt:hasQuantityKind quantitykind:SoundPowerLevel ; - qudt:hasQuantityKind quantitykind:SoundPressureLevel ; - qudt:hasQuantityKind quantitykind:SoundReductionIndex ; - qudt:iec61360Code "0112/2///62720#UAB351" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sound_unit"^^xsd:anyURI ; - qudt:symbol "B" ; - qudt:ucumCode "B"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M72" ; - rdfs:isDefinedBy ; - rdfs:label "Bel"@de ; - rdfs:label "bel"@cs ; - rdfs:label "bel"@en ; - rdfs:label "bel"@fr ; - rdfs:label "bel"@hu ; - rdfs:label "bel"@it ; - rdfs:label "bel"@ms ; - rdfs:label "bel"@pl ; - rdfs:label "bel"@pt ; - rdfs:label "bel"@ro ; - rdfs:label "bel"@sl ; - rdfs:label "bel"@tr ; - rdfs:label "belio"@es ; - rdfs:label "μπέλ"@el ; - rdfs:label "бел"@bg ; - rdfs:label "бел"@ru ; - rdfs:label "בל"@he ; - rdfs:label "بل"@ar ; - rdfs:label "بل"@fa ; - rdfs:label "बेल"@hi ; - rdfs:label "ベル"@ja ; - rdfs:label "贝"@zh ; -. -unit:BAN - a qudt:Unit ; - dcterms:description "A ban is a logarithmic unit which measures information or entropy, based on base 10 logarithms and powers of 10, rather than the powers of 2 and base 2 logarithms which define the bit. One ban is approximately \\(3.32 (log_2 10) bits\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.30258509 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ban"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ban?oldid=472969907"^^xsd:anyURI ; - qudt:symbol "ban" ; - qudt:uneceCommonCode "Q15" ; - rdfs:isDefinedBy ; - rdfs:label "Ban"@en ; -. -unit:BAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to \\(100,000\\,Pa\\). It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 \\,bar \\approx 750.0616827\\, Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e05 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA323" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar?oldid=493875987"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "bar" ; - qudt:ucumCode "bar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "BAR" ; - rdfs:isDefinedBy ; - rdfs:label "Bar"@en ; -. -unit:BAR-L-PER-SEC - a qudt:Unit ; - dcterms:description "product of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA326" ; - qudt:plainTextDescription "product of the unit bar and the unit litre divided by the SI base unit second" ; - qudt:symbol "bar⋅L/s" ; - qudt:ucumCode "bar.L.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "bar.L/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F91" ; - rdfs:isDefinedBy ; - rdfs:label "Bar Liter Per Second"@en-us ; - rdfs:label "Bar Litre Per Second"@en ; -. -unit:BAR-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA814" ; - qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "bar⋅m³/s" ; - qudt:ucumCode "bar.m3.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "bar.m3/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F92" ; - rdfs:isDefinedBy ; - rdfs:label "Bar Cubic Meter Per Second"@en-us ; - rdfs:label "Bar Cubic Metre Per Second"@en ; -. -unit:BAR-PER-BAR - a qudt:Unit ; - dcterms:description "pressure relation consisting of the unit bar divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA325" ; - qudt:plainTextDescription "pressure relation consisting of the unit bar divided by the unit bar" ; - qudt:symbol "bar/bar" ; - qudt:ucumCode "bar.bar-1"^^qudt:UCUMcs ; - qudt:ucumCode "bar/bar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J56" ; - rdfs:isDefinedBy ; - rdfs:label "Bar Per Bar"@en ; -. -unit:BAR-PER-K - a qudt:Unit ; - dcterms:description "unit with the name bar divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:conversionMultiplier 1.0e05 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA324" ; - qudt:plainTextDescription "unit with the name bar divided by the SI base unit kelvin" ; - qudt:symbol "bar/K" ; - qudt:ucumCode "bar.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "bar/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F81" ; - rdfs:isDefinedBy ; - rdfs:label "Bar Per Kelvin"@en ; -. -unit:BARAD - a qudt:Unit ; - dcterms:description "A barad is a dyne per square centimetre (\\(dyn \\cdot cm^{-2}\\)), and is equal to \\(0.1 Pa \\) (\\(1 \\, micro \\, bar\\), \\(0.000014504 \\, p.s.i.\\)). Note that this is precisely the microbar, the confusable bar being related in size to the normal atmospheric pressure, at \\(100\\,dyn \\cdot cm^{-2}\\). Accordingly barad was not abbreviated, so occurs prefixed as in \\(cbarad = centibarad\\). Despite being the coherent unit for pressure in c.g.s., barad was probably much less common than the non-coherent bar. Barad is sometimes called \\(barye\\), a name also used for \\(bar\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.1 ; - qudt:exactMatch unit:BARYE ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "Ba" ; - rdfs:isDefinedBy ; - rdfs:label "Barad"@en ; -. -unit:BARN - a qudt:Unit ; - dcterms:description "A barn (symbol b) is a unit of area. Originally used in nuclear physics for expressing the cross sectional area of nuclei and nuclear reactions, today it is used in all fields of high energy physics to express the cross sections of any scattering process, and is best understood as a measure of the probability of interaction between small particles. A barn is defined as \\(10^{-28} m^2 (100 fm^2)\\) and is approximately the cross sectional area of a uranium nucleus. The barn is also the unit of area used in nuclear quadrupole resonance and nuclear magnetic resonance to quantify the interaction of a nucleus with an electric field gradient. While the barn is not an SI unit, it is accepted for use with the SI due to its continued use in particle physics."^^qudt:LatexString ; - qudt:conversionMultiplier 1.0e-28 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Barn"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAB297" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Barn?oldid=492907677"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Barn_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "b" ; - qudt:ucumCode "b"^^qudt:UCUMcs ; - qudt:udunitsCode "b" ; - qudt:uneceCommonCode "A14" ; - rdfs:isDefinedBy ; - rdfs:label "Barn"@en ; -. -unit:BARYE - a qudt:Unit ; - dcterms:description "

The barye, or sometimes barad, barrie, bary, baryd, baryed, or barie, is the centimetre-gram-second (CGS) unit of pressure. It is equal to 1 dyne per square centimetre.

"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.1 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Barye"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:exactMatch unit:BARAD ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Barye?oldid=478631158"^^xsd:anyURI ; - qudt:latexDefinition "\\(g/(cm\\cdot s{2}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "Ba" ; - rdfs:isDefinedBy ; - rdfs:label "Barye"@en ; - skos:altLabel "barad" ; - skos:altLabel "barie" ; - skos:altLabel "bary" ; - skos:altLabel "baryd" ; - skos:altLabel "baryed" ; -. -unit:BBL - a qudt:Unit ; - dcterms:description "A barrel is one of several units of volume, with dry barrels, fluid barrels (UK beer barrel, U.S. beer barrel), oil barrel, etc. The volume of some barrel units is double others, with various volumes in the range of about 100-200 litres (22-44 imp gal; 26-53 US gal)."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Barrel"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA334" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Barrel?oldid=494614619"^^xsd:anyURI ; - qudt:symbol "bbl" ; - qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "BLL" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel"@en ; -. -unit:BBL_UK_PET - a qudt:Unit ; - dcterms:description "unit of the volume for crude oil according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.1591132 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA329" ; - qudt:plainTextDescription "unit of the volume for crude oil according to the Imperial system of units" ; - qudt:symbol "bbl{UK petroleum}" ; - qudt:uneceCommonCode "J57" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (UK Petroleum)"@en ; -. -unit:BBL_UK_PET-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.841587e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA331" ; - qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit day" ; - qudt:symbol "bbl{UK petroleum}/day" ; - qudt:uneceCommonCode "J59" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (UK Petroleum) Per Day"@en ; -. -unit:BBL_UK_PET-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 4.41981e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA332" ; - qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit hour" ; - qudt:symbol "bbl{UK petroleum}/hr" ; - qudt:uneceCommonCode "J60" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (UK Petroleum) Per Hour"@en ; -. -unit:BBL_UK_PET-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.002651886 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA330" ; - qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the unit minute" ; - qudt:symbol "bbl{UK petroleum}/min" ; - qudt:uneceCommonCode "J58" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (UK Petroleum) Per Minute"@en ; -. -unit:BBL_UK_PET-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.1591132 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA333" ; - qudt:plainTextDescription "unit of the volume barrel (UK petroleum) for crude oil according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "bbl{UK petroleum}" ; - qudt:uneceCommonCode "J61" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (UK Petroleum) Per Second"@en ; -. -unit:BBL_US - a qudt:Unit ; - dcterms:description "unit of the volume for crude oil according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.1589873 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA334" ; - qudt:plainTextDescription "unit of the volume for crude oil according to the Anglo-American system of units" ; - qudt:symbol "bbl{US petroleum}" ; - qudt:ucumCode "[bbl_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "bbl" ; - qudt:uneceCommonCode "BLL" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (US)"@en ; -. -unit:BBL_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.84e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA335" ; - qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit day" ; - qudt:symbol "bsh{US petroleum}/day" ; - qudt:ucumCode "[bbl_us].d-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bbl_us]/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B1" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (US) Per Day"@en ; -. -unit:BBL_US-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0026498 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA337" ; - qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit minute" ; - qudt:symbol "bbl{US petroleum}/min" ; - qudt:ucumCode "[bbl_us].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bbl_us]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "5A" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (US) Per Minute"@en ; -. -unit:BBL_US_DRY - a qudt:Unit ; - dcterms:description "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.1156281989625 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:iec61360Code "0112/2///62720#UAB117" ; - qudt:plainTextDescription "non SI-conform unit of the volume in the USA which applies to a resolution from 1912: 1 dry barrel (US) equals approximately to 115,63 litre" ; - qudt:symbol "bbl{US dry}" ; - qudt:uneceCommonCode "BLD" ; - rdfs:isDefinedBy ; - rdfs:label "Dry Barrel (US)"@en ; -. -unit:BBL_US_PET-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.4163e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA336" ; - qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the unit hour" ; - qudt:symbol "bbl{UK petroleum}/hr" ; - qudt:ucumCode "[bbl_us].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bbl_us]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J62" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (US Petroleum) Per Hour"@en ; -. -unit:BBL_US_PET-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.1589873 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA338" ; - qudt:plainTextDescription "unit of the volume barrel (US petroleum) for crude oil according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "bbl{UK petroleum}/s" ; - qudt:ucumCode "[bbl_us].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bbl_us]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J62" ; - rdfs:isDefinedBy ; - rdfs:label "Barrel (US Petroleum) Per Second"@en ; -. -unit:BEAT-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Heart Beat per Minute\" is a unit for 'Heart Rate' expressed as \\(BPM\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:HeartRate ; - qudt:symbol "BPM" ; - qudt:ucumCode "/min{H.B.}"^^qudt:UCUMcs ; - qudt:ucumCode "min-1{H.B.}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Heart Beats per Minute"@en ; -. -unit:BFT - a qudt:Unit ; - dcterms:description "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:iec61360Code "0112/2///62720#UAA110" ; - qudt:plainTextDescription "unit for classification of winds according to their speed, developed by Sir Francis Beaufort as measure for the over-all behaviour of a ship's sail at different wind speeds" ; - qudt:symbol "Beufort" ; - qudt:uneceCommonCode "M19" ; - rdfs:isDefinedBy ; - rdfs:label "Beaufort"@en ; -. -unit:BIOT - a qudt:Unit ; - dcterms:description "\"Biot\" is another name for the abampere (aA), which is the basic electromagnetic unit of electric current in the emu-cgs (centimeter-gram-second) system of units. It is called after a French physicist, astronomer, and mathematician Jean-Baptiste Biot. One abampere is equal to ten amperes in the SI system of units. One abampere is the current, which produces a force of 2 dyne/cm between two infinitively long parallel wires that are 1 cm apart."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 10.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Biot"^^xsd:anyURI ; - qudt:exactMatch unit:A_Ab ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAB210" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Biot?oldid=443318821"^^xsd:anyURI ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/current/10-4/"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Bi" ; - qudt:ucumCode "Bi"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N96" ; - rdfs:isDefinedBy ; - rdfs:label "Biot"@en ; -. -unit:BIT - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "In information theory, a bit is the amount of information that, on average, can be stored in a discrete bit. It is thus the amount of information carried by a choice between two equally likely outcomes. One bit corresponds to about 0.693 nats (ln(2)), or 0.301 hartleys (log10(2))."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.69314718055994530941723212145818 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bit"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAA339" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bit?oldid=495288173"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "b" ; - qudt:ucumCode "bit"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J63" ; - rdfs:isDefinedBy ; - rdfs:label "Bit"@en ; -. -unit:BIT-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A bit per second (B/s) is a unit of data transfer rate equal to 1 bits per second."^^rdf:HTML ; - qudt:conversionMultiplier 0.69314718055994530941723212145818 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DataRate ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; - qudt:symbol "b/s" ; - qudt:ucumCode "Bd"^^qudt:UCUMcs ; - qudt:ucumCode "bit.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "bit/s"^^qudt:UCUMcs ; - qudt:udunitsCode "Bd" ; - qudt:udunitsCode "bps" ; - qudt:uneceCommonCode "B10" ; - rdfs:isDefinedBy ; - rdfs:label "Bit per Second"@en ; -. -unit:BQ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI derived unit of activity, usually meaning radioactivity. \"Radioactivity\" is caused when atoms disintegrate, ejecting energetic particles. One becquerel is the radiation caused by one disintegration per second; this is equivalent to about 27.0270 picocuries (pCi). The unit is named for a French physicist, Antoine-Henri Becquerel (1852-1908), the discoverer of radioactivity. Note: both the becquerel and the hertz are basically defined as one event per second, yet they measure different things. The hertz is used to measure the rates of events that happen periodically in a fixed and definite cycle. The becquerel is used to measure the rates of events that happen sporadically and unpredictably, not in a definite cycle."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Becquerel"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA111" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Becquerel?oldid=493710036"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Bq" ; - qudt:ucumCode "Bq"^^qudt:UCUMcs ; - qudt:udunitsCode "Bq" ; - qudt:uneceCommonCode "BQL" ; - rdfs:isDefinedBy ; - rdfs:label "Becquerel"@de ; - rdfs:label "becquerel"@cs ; - rdfs:label "becquerel"@en ; - rdfs:label "becquerel"@es ; - rdfs:label "becquerel"@fr ; - rdfs:label "becquerel"@hu ; - rdfs:label "becquerel"@it ; - rdfs:label "becquerel"@ms ; - rdfs:label "becquerel"@pt ; - rdfs:label "becquerel"@ro ; - rdfs:label "becquerel"@sl ; - rdfs:label "becquerelium"@la ; - rdfs:label "bekerel"@pl ; - rdfs:label "bekerel"@tr ; - rdfs:label "μπεκερέλ"@el ; - rdfs:label "бекерел"@bg ; - rdfs:label "беккерель"@ru ; - rdfs:label "בקרל"@he ; - rdfs:label "بيكريل"@ar ; - rdfs:label "بکرل"@fa ; - rdfs:label "बैक्वेरल"@hi ; - rdfs:label "ベクレル"@ja ; - rdfs:label "贝克勒尔"@zh ; -. -unit:BQ-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The only unit in the category of Specific radioactivity. It is also known as becquerels per kilogram, becquerel/kilogram. This unit is commonly used in the SI unit system. Becquerel Per Kilogram (Bq/kg) has a dimension of \\(M{-1}T{-1}\\) where \\(M\\) is mass, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/kg/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Bq/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassicActivity ; - qudt:hasQuantityKind quantitykind:SpecificActivity ; - qudt:iec61360Code "0112/2///62720#UAA112" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_radioactivity--becquerel_per_kilogram.cfm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "\"Becquerel per Kilogram\" is used to describe radioactivity, which is often expressed in becquerels per unit of volume or weight, to express how much radioactive material is contained in a sample." ; - qudt:symbol "Bq/kg" ; - qudt:ucumCode "Bq.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "Bq/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A18" ; - rdfs:isDefinedBy ; - rdfs:label "Becquerel per Kilogram"@en ; -. -unit:BQ-PER-L - a qudt:Unit ; - dcterms:description "One radioactive disintegration per second from a one part in 10**3 of the SI unit of volume (cubic metre)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ActivityConcentration ; - qudt:symbol "Bq/L" ; - qudt:ucumCode "Bq.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Becquerels per litre"@en ; -. -unit:BQ-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Bq/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SurfaceActivityDensity ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "Bq/m²" ; - qudt:ucumCode "Bq.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "Bq/m2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Becquerel per Square Meter"@en-us ; - rdfs:label "Becquerel per Square Metre"@en ; -. -unit:BQ-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Becquerel Per Cubic Meter (\\(Bq/m3\\)) is a unit in the category of Radioactivity concentration. It is also known as becquerels per cubic meter, becquerel per cubic metre, becquerels per cubic metre, becquerel/cubic inch. This unit is commonly used in the SI unit system. Becquerel Per Cubic Meter (Bq/m3) has a dimension of \\(L{-3}T{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It essentially the same as the corresponding standard SI unit \\(/s\\cdot m{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Bq/m^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ActivityConcentration ; - qudt:iec61360Code "0112/2///62720#UAB126" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--radioactivity_concentration--becquerel_per_cubic_meter.cfm"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:plainTextDescription "The SI derived unit of unit in the category of Radioactivity concentration." ; - qudt:symbol "Bq/m³" ; - qudt:ucumCode "Bq.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "Bq/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A19" ; - rdfs:isDefinedBy ; - rdfs:label "Becquerel per Cubic Meter"@en-us ; - rdfs:label "Becquerel per Cubic Metre"@en ; -. -unit:BQ-SEC-PER-M3 - a qudt:Unit ; - dcterms:description "TBD"@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AbsoluteActivity ; - qudt:symbol "Bq⋅s/m³" ; - qudt:ucumCode "Bq.s.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Becquerels second per cubic metre"@en ; -. -unit:BREATH-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of respiratory rate."^^rdf:HTML ; - qudt:expression "\\(breaths/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:RespiratoryRate ; - qudt:symbol "breath/min" ; - qudt:ucumCode "/min{breath}"^^qudt:UCUMcs ; - qudt:ucumCode "min-1{breath}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Breath per Minute"@en ; -. -unit:BTU_IT - a qudt:Unit ; - dcterms:description "\\(\\textit{British Thermal Unit}\\) (BTU or Btu) is a traditional unit of energy equal to about \\(1.0550558526 \\textit{ kilojoule}\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) to \\(40 \\,^{\\circ}{\\rm F}\\) . The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\), though it may be used as a measure of agricultural energy production (BTU/kg). It is still used unofficially in metric English-speaking countries (such as Canada), and remains the standard unit of classification for air conditioning units manufactured and sold in many non-English-speaking metric countries."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1055.05585262 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI ; - qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; - qudt:symbol "Btu{IT}" ; - qudt:ucumCode "[Btu_IT]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "BTU" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (International Definition)"@en ; -. -unit:BTU_IT-FT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU_{IT} \\, Foot}\\) is an Imperial unit for \\(\\textit{Thermal Energy Length}\\) expressed as \\(Btu-ft\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 321.581024 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu-ft\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; - qudt:symbol "Btu⋅ft" ; - qudt:ucumCode "[Btu_IT].[ft_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU Foot"@en ; -. -unit:BTU_IT-FT-PER-FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(BTU_{IT}\\), Foot per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.730734666 ; - qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA115" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:plainTextDescription "British thermal unit (international table) foot per hour Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; - qudt:symbol "Btu{IT}⋅ft/(ft²⋅hr⋅°F)" ; - qudt:ucumCode "[Btu_IT].[ft_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT].[ft_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J40" ; - vaem:comment "qudt:exactMatch: unit:BTU_IT-FT-PER-HR-FT2-DEG_F" ; - rdfs:isDefinedBy ; - rdfs:label "BTU (IT) Foot per Square Foot Hour Degree Fahrenheit"@en ; -. -unit:BTU_IT-IN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, Inch}\\) is an Imperial unit for 'Thermal Energy Length' expressed as \\(Btu-in\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 26.7984187 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu-in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergyLength ; - qudt:symbol "Btu⋅in" ; - qudt:ucumCode "[Btu_IT].[in_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU Inch"@en ; -. -unit:BTU_IT-IN-PER-FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(BTU_{th}\\) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(hr-ft^{2}-degF)\\). An International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.144227889 ; - qudt:exactMatch unit:BTU_IT-IN-PER-HR-FT2-DEG_F ; - qudt:expression "\\(Btu(it)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA117" ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:latexSymbol "\\(Btu_{it} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; - qudt:plainTextDescription "BTU (th) Inch per Square Foot Hour Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity', an International British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units." ; - qudt:symbol "Btu{IT}⋅in/(ft²⋅hr⋅°F)" ; - qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J41" ; - vaem:comment "qudt:exactMatch: unit:BTU_IT-IN-PER-HR-FT2-DEG_F" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot Degree Fahrenheit"@en ; -. -unit:BTU_IT-IN-PER-FT2-SEC-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(BTU_{IT}\\), Inch per Square Foot Second Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{it}-in/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 519.220399911 ; - qudt:exactMatch unit:BTU_IT-IN-PER-SEC-FT2-DEG_F ; - qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA118" ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:plainTextDescription "British thermal unit (international table) inch per second Square foot degree Fahrenheit is the unit of the thermal conductivity according to the Imperial system of units." ; - qudt:symbol "Btu{IT}⋅in/(ft²⋅s⋅°F)" ; - qudt:ucumCode "[Btu_IT].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J42" ; - rdfs:isDefinedBy ; - rdfs:label "BTU (IT) Inch per Square Foot Second Degree Fahrenheit"@en ; -. -unit:BTU_IT-IN-PER-HR-FT2-DEG_F - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.1442279 ; - qudt:exactMatch unit:BTU_IT-IN-PER-FT2-HR-DEG_F ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA117" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{IT}⋅in/(hr⋅ft²⋅°F)" ; - qudt:ucumCode "[Btu_IT].[in_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT].[in_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J41" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Inch Per Hour Square Foot degree Fahrenheit"@en ; -. -unit:BTU_IT-IN-PER-SEC-FT2-DEG_F - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 519.2204 ; - qudt:exactMatch unit:BTU_IT-IN-PER-FT2-SEC-DEG_F ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA118" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{IT}⋅in/(s⋅ft²⋅°F)" ; - qudt:ucumCode "[Btu_IT].[in_i].s-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT].[in_i]/(s.[ft_i]2.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J42" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Inch Per Second Square Foot degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "British Thermal Unit (IT) Per Fahrenheit Degree (\\(Btu (IT)/^\\circ F\\)) is a measure of heat capacity. It can be converted to the corresponding standard SI unit J/K by multiplying its value by a factor of 1899.10534."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1899.100535 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/degF\\)"^^qudt:LatexString ; - qudt:expression "\\(btu-per-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:symbol "Btu{IT}/°F" ; - qudt:ucumCode "[Btu_IT].[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[degF]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N60" ; - rdfs:isDefinedBy ; - rdfs:label "BTU (IT) per Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-DEG_R - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Degree \\, Rankine}\\) is an Imperial unit for 'Heat Capacity' expressed as \\(Btu/degR\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1899.100535 ; - qudt:expression "\\(btu-per-degR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:symbol "Btu{IT}/°R" ; - qudt:ucumCode "[Btu_IT].[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[degR]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N62" ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Degree Rankine"@en ; -. -unit:BTU_IT-PER-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{BTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(Btu/ft^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 11356.5267 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:symbol "Btu{IT}/ft²" ; - qudt:ucumCode "[Btu_IT].[ft_i]-2"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Square Foot"@en ; -. -unit:BTU_IT-PER-FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(hr-ft^{2}-degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(hr-ft^{2}-degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:symbol "Btu{IT}/(hr⋅ft²⋅°F)" ; - qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Square Foot Hour Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-FT2-SEC-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Square \\, Foot \\, Second \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Coefficient Of Heat Transfer' expressed as \\(Btu/(ft^{2}-s-degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(ft^{2}-s-degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:symbol "Btu{IT}/(ft²⋅s⋅°F)" ; - qudt:ucumCode "[Btu_IT].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N76" ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Square Foot Second Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-FT3 - a qudt:Unit ; - dcterms:description "\\(\\textit{British Thermal Unit (IT) Per Cubic Foot}\\) (\\(Btu (IT)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37258.94579."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 37258.94579 ; - qudt:expression "\\(Btu(IT)-per-ft3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; - qudt:symbol "Btu{IT}/ft³" ; - qudt:ucumCode "[Btu_IT].[ft_i]-3"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[ft_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N58" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (IT) Per Cubic Foot"@en ; -. -unit:BTU_IT-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The British thermal unit (BTU or Btu) is a traditional unit of energy equal to about 1 055.05585 joules. It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(3.9 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the joule, though it may be used as a measure of agricultural energy production (BTU/kg)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.29307107 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; - qudt:symbol "Btu{IT}/hr" ; - qudt:ucumCode "[Btu_IT].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2I" ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Hour"@en ; -. -unit:BTU_IT-PER-HR-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{BTU per Hour Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(hr-ft^2)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.15459075 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(hr-ft^{2})\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:symbol "Btu{IT}/(hr⋅ft²)" ; - qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(h.[ft_i]2)"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Hour Square Foot"@en ; -. -unit:BTU_IT-PER-HR-FT2-DEG_R - a qudt:Unit ; - dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.555556 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:iec61360Code "0112/2///62720#UAB099" ; - qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; - qudt:symbol "Btu{IT}/(hr⋅ft²⋅°R)" ; - qudt:ucumCode "[Btu_IT].h-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(h.[ft_i]2.[degR])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A23" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Hour Square Foot degree Rankine"@en ; -. -unit:BTU_IT-PER-LB - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The amount of energy generated by a pound of substance is measured in British thermal units (IT) per pound of mass. 1 \\(Btu_{IT}/lb\\) is equivalent to \\(2.326 \\times 10^3\\) joule per kilogram (J/kg)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2326.0 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(Btu/lb\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; - qudt:symbol "Btu{IT}/lb" ; - qudt:ucumCode "[Btu_IT].[lb_av]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[lb_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "AZ" ; - rdfs:isDefinedBy ; - rdfs:label "BTU-IT-PER-lb"@en ; -. -unit:BTU_IT-PER-LB-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb- degF) is a unit in the category of Specific heat. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Per Fahrenheit Degree (Btu (therm.)/lb-degF) has a dimension of \\(L2T^{-2}Q^{-1}\\) where \\(L\\) is length, \\(T\\) is time, and \\(Q\\) is temperature. It can be converted to the corresponding standard SI unit \\(J/kg-K\\) by multiplying its value by a factor of 4183.99895."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(lb-degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:symbol "Btu{IT}/(lb⋅°F)" ; - qudt:ucumCode "[Btu_IT].[lb_av]-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([lb_av].[degF])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Pound Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-LB-DEG_R - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Degree \\, Rankine}\\) is a unit for 'Specific Heat Capacity' expressed as \\(Btu/(lb-degR)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(lb-degR)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:symbol "Btu{IT}/(lb⋅°R)" ; - qudt:ucumCode "[Btu_IT].[lb_av]-1.[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([lb_av].[degR])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Pound Degree Rankine"@en ; -. -unit:BTU_IT-PER-LB-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Pound \\,Mole}\\) is an Imperial unit for 'Energy And Work Per Mass Amount Of Substance' expressed as \\(Btu/(lb-mol)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(Btu/(lb-mol)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerMassAmountOfSubstance ; - qudt:symbol "Btu{IT}/(lb⋅mol)" ; - qudt:ucumCode "[Btu_IT].[lb_av]-1.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([lb_av].mol)"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Pound Mole"@en ; -. -unit:BTU_IT-PER-LB_F - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 237.18597062376833 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB150" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit avoirdupois pound of force according to the avoirdupois system of units" ; - qudt:symbol "Btu{IT}/lbf" ; - qudt:ucumCode "[Btu_IT].[lbf_av]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/[lbf_av]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Pound of Force"@en ; -. -unit:BTU_IT-PER-LB_F-DEG_F - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4186.8 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA119" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the product of the units avoirdupois pound according to the avoirdupois system of units and degree Fahrenheit" ; - qudt:symbol "Btu{IT}/(lbf⋅°F)" ; - qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([lbf_av].[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J43" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Pound Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-LB_F-DEG_R - a qudt:Unit ; - dcterms:description "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 426.9 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAB141" ; - qudt:plainTextDescription "unit of the heat capacity as British thermal unit according to the international table related to degree Rankine according to the Imperial system of units divided by the unit avoirdupois pound according to the avoirdupois system of units" ; - qudt:symbol "Btu{IT}/(lbf⋅°R)" ; - qudt:ucumCode "[Btu_IT].[lbf_av]-1.[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([lbf_av].[degR])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A21" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Pound Degree Rankine"@en ; -. -unit:BTU_IT-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 17.58 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA120" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; - qudt:symbol "Btu{IT}/min" ; - qudt:ucumCode "[Btu_IT].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J44" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Minute"@en ; -. -unit:BTU_IT-PER-MOL-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Pound \\, Mole \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Molar Heat Capacity' expressed as \\(Btu/(lb-mol-degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(Btu/(lb-mol-degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:symbol "Btu{IT}/(lb⋅mol⋅°F)" ; - qudt:ucumCode "[Btu_IT].mol-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(mol.[degF])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Pound Mole Degree Fahrenheit"@en ; -. -unit:BTU_IT-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU \\, per \\, Second}\\) is an Imperial unit for 'Heat Flow Rate' expressed as \\(Btu/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1055.05585262 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://www.simetric.co.uk/sibtu.htm"^^xsd:anyURI ; - qudt:symbol "Btu{IT}/s" ; - qudt:ucumCode "[Btu_IT].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J45" ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Second"@en ; -. -unit:BTU_IT-PER-SEC-FT-DEG_R - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 178.66 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAB107" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{IT}/(s⋅ft⋅°R)" ; - qudt:ucumCode "[Btu_IT].s-1.[ft_i]-1.[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(s.[ft_i].[degR])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A22" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Second Foot Degree Rankine"@en ; -. -unit:BTU_IT-PER-SEC-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{BTU per Second Square Foot}\\) is an Imperial unit for 'Power Per Area' expressed as \\(Btu/(s\\cdot ft^2)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 11356.5267 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu/(s-ft^{2})\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:symbol "Btu{IT}/(s⋅ft²)" ; - qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(s.[ft_i]2)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N53" ; - rdfs:isDefinedBy ; - rdfs:label "BTU per Second Square Foot"@en ; -. -unit:BTU_IT-PER-SEC-FT2-DEG_R - a qudt:Unit ; - dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 14.89 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:iec61360Code "0112/2///62720#UAB098" ; - qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; - qudt:symbol "Btu{IT}/(s⋅ft²⋅°R)" ; - qudt:ucumCode "[Btu_IT].s-1.[ft_i]-2.[degR]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/(s.[ft_i]2.[degR])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A20" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (international Table) Per Second Square Foot degree Rankine"@en ; -. -unit:BTU_MEAN - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1055.05585262 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA113" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units" ; - qudt:symbol "BTU{mean}" ; - qudt:ucumCode "[Btu_m]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J39" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (mean)"@en ; -. -unit:BTU_TH - a qudt:Unit ; - dcterms:description "(\\{\\bf (BTU_{th}}\\), British Thermal Unit (thermochemical definition), is a traditional unit of energy equal to about \\(1.0543502645 kilojoule\\). It is approximately the amount of energy needed to heat 1 pound (0.454 kg) of water from \\(39 \\,^{\\circ}{\\rm F}\\) (\\(39 \\,^{\\circ}{\\rm C}\\)) to \\(40 \\,^{\\circ}{\\rm F}\\) (\\(4.4 \\,^{\\circ}{\\rm C}\\)). The unit is most often used in the power, steam generation, heating and air conditioning industries. In scientific contexts the BTU has largely been replaced by the SI unit of energy, the \\(joule\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1054.3502645 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/British_thermal_unit"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.iso.org/iso/home/store/catalogue_ics/catalogue_detail_ics.htm?csnumber=31890"^^xsd:anyURI ; - qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/british-thermal-unit_group.html"^^xsd:anyURI ; - qudt:symbol "Btu{th}" ; - qudt:ucumCode "[Btu_th]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (Thermochemical Definition)"@en ; -. -unit:BTU_TH-FT-PER-FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({ \\bf BTU_{TH} \\, Foot \\, per \\, Square \\, Foot \\, Hour \\, Degree \\, Fahrenheit}\\) is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot ft/(hr \\cdot ft^2 \\cdot degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.729577206 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu(IT) ft/(hr ft^2 degF)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:symbol "Btu{th}⋅ft/(ft²⋅hr⋅°F)" ; - qudt:ucumCode "[Btu_IT].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_IT]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU (TH) Foot per Square Foot Hour Degree Fahrenheit"@en ; -. -unit:BTU_TH-FT-PER-HR-FT2-DEG_F - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.73 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA123" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{th}⋅ft/(hr⋅ft²⋅°F)" ; - qudt:ucumCode "[Btu_th].[ft_i].h-1.[ft_i]-2.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th].[ft_i]/(h.[ft_i]2.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J46" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (thermochemical) Foot Per Hour Square Foot degree Fahrenheit"@en ; -. -unit:BTU_TH-IN-PER-FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\({\\bf BTU_{th}}\\), Inch per Square Foot Hour Degree Fahrenheit, is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu-in/(hr-ft^{2}-degF)\\). A thermochemical British thermal unit inch per second per square foot per degree Fahrenheit is a unit of thermal conductivity in the US Customary Units and British Imperial Units. \\(1 Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\) shows that one thermochemical BTU of heat per one hour moves through one square foot of material, which is one foot thick due to a temperature difference of one degree Fahrenheit."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.144131434 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu(th)-in-per-hr-ft2-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA125" ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:latexSymbol "\\(Btu_{th} \\cdot in/(hr \\cdot ft^{2} \\cdot degF)\\)"^^qudt:LatexString ; - qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{th}⋅in/(ft²⋅hr⋅°F)" ; - qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.h-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th].[in_i]/([ft_i]2.h.[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J48" ; - rdfs:isDefinedBy ; - rdfs:label "BTU (TH) Inch per Square Foot Hour Degree Fahrenheit"@en ; -. -unit:BTU_TH-IN-PER-FT2-SEC-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(BTU_{TH}\\) Inch per Square Foot Second Degree Fahrenheit is an Imperial unit for 'Thermal Conductivity' expressed as \\(Btu_{th} \\cdot in/(ft^{2} \\cdot s \\cdot degF)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 518.8732 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(Btu(it)-in-per-s-ft2-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA126" ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/thermal-conductivity/c/"^^xsd:anyURI ; - qudt:plainTextDescription "Unit of thermal conductivity according to the Imperial system of units" ; - qudt:symbol "Btu{th}⋅in/(ft²⋅s⋅°F)" ; - qudt:ucumCode "[Btu_th].[in_i].[ft_i]-2.s-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th].[in_i]/([ft_i]2.s.[degF])"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "BTU (TH) Inch per Square Foot Second Degree Fahrenheit"@en ; -. -unit:BTU_TH-PER-FT3 - a qudt:Unit ; - dcterms:description "British Thermal Unit (TH) Per Cubic Foot (\\(Btu (TH)/ft^3\\)) is a unit in the category of Energy density. It is also known as Btu per cubic foot, Btu/cubic foot. This unit is commonly used in the UK, US unit systems. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(J/m^3\\) by multiplying its value by a factor of 37234.03."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 37234.03 ; - qudt:expression "\\(Btu(th)-per-ft3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_density--british_thermal_unit_it_per_cubic_foot.cfm"^^xsd:anyURI ; - qudt:informativeReference "http://www.translatorscafe.com/cafe/EN/units-converter/fuel-efficiency--volume/c/"^^xsd:anyURI ; - qudt:symbol "Btu{th}/ft³" ; - qudt:ucumCode "[Btu_th].[ft_i]-3"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/[ft_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N59" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (TH) Per Cubic Foot"@en ; -. -unit:BTU_TH-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.2929 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA124" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; - qudt:symbol "Btu{th}/hr" ; - qudt:ucumCode "[Btu_th].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J47" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (thermochemical) Per Hour"@en ; -. -unit:BTU_TH-PER-LB - a qudt:Unit ; - dcterms:description "\\({\\bf Btu_{th} / lbm}\\), British Thermal Unit (therm.) Per Pound Mass, is a unit in the category of Thermal heat capacity. It is also known as Btu per pound, Btu/pound, Btu/lb. This unit is commonly used in the UK unit system. British Thermal Unit (therm.) Per Pound Mass (Btu (therm.)/lbm) has a dimension of \\(L^2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit J/kg by multiplying its value by a factor of 2324.443861."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2324.443861 ; - qudt:expression "\\(btu_th-per-lb\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; - qudt:symbol "btu{th}/lb" ; - qudt:ucumCode "[Btu_th].[lb_av]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/[lb_av]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (TH) Per Pound"@en ; -. -unit:BTU_TH-PER-LB-DEG_F - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 426.654 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA127" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units divided by the units pound and degree Fahrenheit" ; - qudt:symbol "Btu{th}/(lb⋅°F)" ; - qudt:ucumCode "[Btu_th].[lb_av]-1.[degF]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/([lb_av].[degF])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J50" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (thermochemical) Per Pound Degree Fahrenheit"@en ; -. -unit:BTU_TH-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 17.573 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA128" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit minute" ; - qudt:symbol "Btu{th}/min" ; - qudt:ucumCode "[Btu_th].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J51" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (thermochemical) Per Minute"@en ; -. -unit:BTU_TH-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1054.35 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA129" ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "Btu{th}/s" ; - qudt:ucumCode "[Btu_th].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[Btu_th]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J52" ; - rdfs:isDefinedBy ; - rdfs:label "British Thermal Unit (thermochemical) Per Second"@en ; -. -unit:BU_UK - a qudt:Unit ; - dcterms:description "A bushel is an imperial unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.03636872 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:iec61360Code "0112/2///62720#UAA344" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; - qudt:symbol "bsh{UK}" ; - qudt:ucumCode "[bu_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "BUI" ; - rdfs:isDefinedBy ; - rdfs:label "bushel (UK)"@en ; -. -unit:BU_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.209343e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA345" ; - qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "bsh{UK}/day" ; - qudt:ucumCode "[bu_br].d-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_br]/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J64" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (UK) Per Day"@en ; -. -unit:BU_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.010242e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA346" ; - qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "bsh{UK}/hr" ; - qudt:uneceCommonCode "J65" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (UK) Per Hour"@en ; -. -unit:BU_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0006061453 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA347" ; - qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "bsh{UK}/min" ; - qudt:ucumCode "[bu_br].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_br]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J66" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (UK) Per Minute"@en ; -. -unit:BU_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.03636872 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA348" ; - qudt:plainTextDescription "unit of the volume bushel (UK) (for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "bsh{UK}/s" ; - qudt:ucumCode "[bu_br].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_br]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J67" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (UK) Per Second"@en ; -. -unit:BU_US - a qudt:Unit ; - dcterms:description "A bushel is an imperial and U.S. customary unit of dry volume, equivalent in each of these systems to 4 pecks or 8 gallons. It is used for volumes of dry commodities (not liquids), most often in agriculture. It is abbreviated as bsh. or bu. In modern usage, the dry volume is usually only nominal, with bushels referring to standard weights instead."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.03523907 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bushel"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:iec61360Code "0112/2///62720#UAA353" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bushel?oldid=476704875"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "bsh{US}" ; - qudt:ucumCode "[bu_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "bu" ; - qudt:uneceCommonCode "BUA" ; - rdfs:isDefinedBy ; - rdfs:label "bushel (US)"@en ; -. -unit:BU_US_DRY-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.0786e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA349" ; - qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time day" ; - qudt:symbol "bsh{US}/day" ; - qudt:ucumCode "[bu_us].d-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_us]/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J68" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (US Dry) Per Day"@en ; -. -unit:BU_US_DRY-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 9.789e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA350" ; - qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "bsh{US}/hr" ; - qudt:ucumCode "[bu_us].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_us]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J69" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (US Dry) Per Hour"@en ; -. -unit:BU_US_DRY-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00058732 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA351" ; - qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "bsh{US}/min" ; - qudt:ucumCode "[bu_us].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_us]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J70" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (US Dry) Per Minute"@en ; -. -unit:BU_US_DRY-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.03523907 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA352" ; - qudt:plainTextDescription "unit of the volume bushel (US dry) for dry measure according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "bsh{US}/s" ; - qudt:ucumCode "[bu_us].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[bu_us]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J71" ; - rdfs:isDefinedBy ; - rdfs:label "Bushel (US Dry) Per Second"@en ; -. -unit:BYTE - a qudt:CountingUnit ; - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The byte is a unit of digital information in computing and telecommunications that most commonly consists of eight bits."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.5451774444795624753378569716654 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAA354" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "B" ; - qudt:ucumCode "By"^^qudt:UCUMcs ; - qudt:uneceCommonCode "AD" ; - rdfs:isDefinedBy ; - rdfs:label "Byte"@en ; -. -unit:C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of electric charge. One coulomb is the amount of charge accumulated in one second by a current of one ampere. Electricity is actually a flow of charged particles, such as electrons, protons, or ions. The charge on one of these particles is a whole-number multiple of the charge e on a single electron, and one coulomb represents a charge of approximately 6.241 506 x 1018 e. The coulomb is named for a French physicist, Charles-Augustin de Coulomb (1736-1806), who was the first to measure accurately the forces exerted between electric charges."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Coulomb"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA130" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Coulomb?oldid=491815163"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "C" ; - qudt:ucumCode "C"^^qudt:UCUMcs ; - qudt:udunitsCode "C" ; - qudt:uneceCommonCode "COU" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb"@de ; - rdfs:label "coulomb"@cs ; - rdfs:label "coulomb"@en ; - rdfs:label "coulomb"@fr ; - rdfs:label "coulomb"@hu ; - rdfs:label "coulomb"@it ; - rdfs:label "coulomb"@ms ; - rdfs:label "coulomb"@pt ; - rdfs:label "coulomb"@ro ; - rdfs:label "coulomb"@sl ; - rdfs:label "coulomb"@tr ; - rdfs:label "coulombium"@la ; - rdfs:label "culombio"@es ; - rdfs:label "kulomb"@pl ; - rdfs:label "κουλόμπ"@el ; - rdfs:label "кулон"@bg ; - rdfs:label "кулон"@ru ; - rdfs:label "קולון"@he ; - rdfs:label "كولوم"@ar ; - rdfs:label "کولمب/کولن"@fa ; - rdfs:label "कूलम्ब"@hi ; - rdfs:label "クーロン"@ja ; - rdfs:label "库伦"@zh ; -. -unit:C-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Coulomb Meter (C-m) is a unit in the category of Electric dipole moment. It is also known as atomic unit, u.a., au, ua. This unit is commonly used in the SI unit system. Coulomb Meter (C-m) has a dimension of LTI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:iec61360Code "0112/2///62720#UAA133" ; - qudt:symbol "C⋅m" ; - qudt:ucumCode "C.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A26" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Meter"@en-us ; - rdfs:label "Coulombmeter"@de ; - rdfs:label "coulomb meter"@ms ; - rdfs:label "coulomb metr"@cs ; - rdfs:label "coulomb metre"@en ; - rdfs:label "coulomb metre"@tr ; - rdfs:label "coulomb per metro"@it ; - rdfs:label "coulomb-metro"@pt ; - rdfs:label "coulomb-metru"@ro ; - rdfs:label "coulomb-mètre"@fr ; - rdfs:label "culombio metro"@es ; - rdfs:label "кулон-метр"@ru ; - rdfs:label "كولوم متر"@ar ; - rdfs:label "نیوتون متر"@fa ; - rdfs:label "कूलम्ब मीटर"@hi ; - rdfs:label "クーロンメートル"@ja ; - rdfs:label "库伦米"@zh ; -. -unit:C-M2 - a qudt:Unit ; - dcterms:description "Coulomb Square Meter (C-m2) is a unit in the category of Electric quadrupole moment. This unit is commonly used in the SI unit system. Coulomb Square Meter (C-m2) has a dimension of L2TI where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C m^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricQuadrupoleMoment ; - qudt:symbol "C⋅m²" ; - qudt:ucumCode "C.m2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Square Meter"@en-us ; - rdfs:label "Coulomb mal Quadratmeter"@de ; - rdfs:label "coulomb meter persegi"@ms ; - rdfs:label "coulomb per metro quadrato"@it ; - rdfs:label "coulomb square metre"@en ; - rdfs:label "کولن متر مربع"@fa ; - rdfs:label "库仑平方米"@zh ; -. -unit:C-M2-PER-V - a qudt:Unit ; - dcterms:description "Coulomb Square Meter (C-m2-per-volt) is a unit in the category of Electric polarizability."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(C m^{2} v^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Polarizability ; - qudt:iec61360Code "0112/2///62720#UAB486" ; - qudt:symbol "C⋅m²/V" ; - qudt:ucumCode "C.m2.V-1"^^qudt:UCUMcs ; - qudt:ucumCode "C.m2/V"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A27" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Square Meter Per Volt"@en-us ; - rdfs:label "Coulomb mal Quadratmeter je Volt"@de ; - rdfs:label "coulomb per metro quadrato al volt"@it ; - rdfs:label "coulomb square metre per volt"@en ; - rdfs:label "کولن متر مربع بر ولت"@fa ; - rdfs:label "库伦平方米每伏特"@zh ; -. -unit:C-PER-CentiM2 - a qudt:Unit ; - dcterms:description "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:iec61360Code "0112/2///62720#UAB101" ; - qudt:plainTextDescription "derived SI unit coulomb divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "C/cm²" ; - qudt:ucumCode "C.cm-2"^^qudt:UCUMcs ; - qudt:ucumCode "C/cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A33" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Per Square Centimeter"@en-us ; - rdfs:label "Coulomb Per Square Centimetre"@en ; -. -unit:C-PER-CentiM3 - a qudt:Unit ; - dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:iec61360Code "0112/2///62720#UAB120" ; - qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 3" ; - qudt:symbol "C/cm³" ; - qudt:ucumCode "C.cm-3"^^qudt:UCUMcs ; - qudt:ucumCode "C/cm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A28" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Per Cubic Centimeter"@en-us ; - rdfs:label "Coulomb Per Cubic Centimetre"@en ; -. -unit:C-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Coulomb Per Kilogram (C/kg)}\\) is the unit in the category of Exposure. It is also known as coulombs per kilogram, coulomb/kilogram. This unit is commonly used in the SI unit system. Coulomb Per Kilogram (C/kg) has a dimension of \\(M^{-1}TI\\) where \\(M\\) is mass, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:iec61360Code "0112/2///62720#UAA131" ; - qudt:symbol "C/kg" ; - qudt:ucumCode "C.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "C/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CKG" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb per Kilogram"@en ; -. -unit:C-PER-KiloGM-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of exposure rate"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(C/kg-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:ExposureRate ; - qudt:iec61360Code "0112/2///62720#UAA132" ; - qudt:informativeReference "http://en.wikibooks.org/wiki/Basic_Physics_of_Nuclear_Medicine/Units_of_Radiation_Measurement"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "C/kg⋅s" ; - qudt:ucumCode "C.kg-1.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "C/(kg.s)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A31" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Per Kilogram Second"@en ; -. -unit:C-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Coulomb per Meter\" is a unit for 'Electric Charge Line Density' expressed as \\(C/m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeLineDensity ; - qudt:hasQuantityKind quantitykind:ElectricChargeLinearDensity ; - qudt:iec61360Code "0112/2///62720#UAB337" ; - qudt:symbol "C/m" ; - qudt:ucumCode "C.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "C/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P10" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb per Meter"@en-us ; - rdfs:label "Coulomb per Metre"@en ; -. -unit:C-PER-M2 - a qudt:Unit ; - dcterms:description "Coulomb Per Square Meter (\\(C/m^2\\)) is a unit in the category of Electric charge surface density. It is also known as coulombs per square meter, coulomb per square metre, coulombs per square metre, coulomb/square meter, coulomb/square metre. This unit is commonly used in the SI unit system. Coulomb Per Square Meter (C/m2) has a dimension of \\(L^{-2}TI\\) where L is length, T is time, and I is electric current. This unit is the standard SI unit in this category. "^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C/m^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:hasQuantityKind quantitykind:ElectricChargeSurfaceDensity ; - qudt:hasQuantityKind quantitykind:ElectricPolarization ; - qudt:iec61360Code "0112/2///62720#UAA134" ; - qudt:symbol "C/m²" ; - qudt:ucumCode "C.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "C/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A34" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb je Quadratmeter"@de ; - rdfs:label "Coulomb per Square Meter"@en-us ; - rdfs:label "coulomb al metro quadrato"@it ; - rdfs:label "coulomb bölü metre kare"@tr ; - rdfs:label "coulomb na metr čtvereční"@cs ; - rdfs:label "coulomb par mètre carré"@fr ; - rdfs:label "coulomb pe metru pătrat"@ro ; - rdfs:label "coulomb per meter persegi"@ms ; - rdfs:label "coulomb per square metre"@en ; - rdfs:label "coulomb por metro quadrado"@pt ; - rdfs:label "culombio por metro cuadrado"@es ; - rdfs:label "kulomb na metr kwadratowy"@pl ; - rdfs:label "кулон на квадратный метр"@ru ; - rdfs:label "كولوم في المتر المربع"@ar ; - rdfs:label "کولمب/کولن بر مترمربع"@fa ; - rdfs:label "कूलम्ब प्रति वर्ग मीटर"@hi ; - rdfs:label "クーロン毎平方メートル"@ja ; - rdfs:label "库伦每平方米"@zh ; -. -unit:C-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Coulomb Per Cubic Meter (\\(C/m^{3}\\)) is a unit in the category of Electric charge density. It is also known as coulomb per cubic metre, coulombs per cubic meter, coulombs per cubic metre, coulomb/cubic meter, coulomb/cubic metre. This unit is commonly used in the SI unit system. Coulomb Per Cubic Meter has a dimension of \\(L^{-3}TI\\) where \\(L\\) is length, \\(T\\) is time, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C/m^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:iec61360Code "0112/2///62720#UAA135" ; - qudt:symbol "C/m³" ; - qudt:ucumCode "C.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "C/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A29" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb per Cubic Meter"@en-us ; - rdfs:label "Coulomb per Cubic Metre"@en ; -. -unit:C-PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description " (\\(C/mol\\)) is a unit in the category of Molar electric charge. It is also known as \\(coulombs/mol\\). Coulomb Per Mol has a dimension of \\(TN{-1}I\\) where \\(T\\) is time, \\(N\\) is amount of substance, and \\(I\\) is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(c-per-mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAB142" ; - qudt:symbol "c/mol" ; - qudt:ucumCode "C.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "C/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A32" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb per Mole"@en ; -. -unit:C-PER-MilliM2 - a qudt:Unit ; - dcterms:description "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:iec61360Code "0112/2///62720#UAB100" ; - qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "C/mm²" ; - qudt:ucumCode "C.mm-2"^^qudt:UCUMcs ; - qudt:ucumCode "C/mm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A35" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Per Square Millimeter"@en-us ; - rdfs:label "Coulomb Per Square Millimetre"@en ; -. -unit:C-PER-MilliM3 - a qudt:Unit ; - dcterms:description "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:iec61360Code "0112/2///62720#UAB119" ; - qudt:plainTextDescription "derived SI unit coulomb divided by the 0.000 000 001-fold of the power of the SI base unit metre by exponent 3" ; - qudt:symbol "C/mm³" ; - qudt:ucumCode "C.mm-3"^^qudt:UCUMcs ; - qudt:ucumCode "C/mm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A30" ; - rdfs:isDefinedBy ; - rdfs:label "Coulomb Per Cubic Millimeter"@en-us ; - rdfs:label "Coulomb Per Cubic Millimetre"@en ; -. -unit:C2-M2-PER-J - a qudt:Unit ; - dcterms:description "\"Square Coulomb Square Meter per Joule\" is a unit for 'Polarizability' expressed as \\(C^{2} m^{2} J^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C^{2} m^{2} J^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L0I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Polarizability ; - qudt:symbol "C²⋅m²/J" ; - qudt:ucumCode "C2.m2.J-1"^^qudt:UCUMcs ; - qudt:ucumCode "C2.m2/J"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Coulomb Square Meter per Joule"@en-us ; - rdfs:label "Square Coulomb Square Metre per Joule"@en ; -. -unit:C3-M-PER-J2 - a qudt:Unit ; - dcterms:description "\"Cubic Coulomb Meter per Square Joule\" is a unit for 'Cubic Electric Dipole Moment Per Square Energy' expressed as \\(C^{3} m^{3} J^{-2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C^{3} m J^{-2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E3L-3I0M-2H0T7D0 ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_CubicPerEnergy_Squared ; - qudt:symbol "C³⋅m/J²" ; - qudt:ucumCode "C3.m.J-2"^^qudt:UCUMcs ; - qudt:ucumCode "C3.m/J2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Coulomb Meter per Square Joule"@en-us ; - rdfs:label "Cubic Coulomb Metre per Square Joule"@en ; -. -unit:C4-M4-PER-J3 - a qudt:Unit ; - dcterms:description "\"Quartic Coulomb Meter per Cubic Energy\" is a unit for 'Quartic Electric Dipole Moment Per Cubic Energy' expressed as \\(C^{4} m^{4} J^{-3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(C^4m^4/J^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E4L-2I0M-3H0T10D0 ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment_QuarticPerEnergy_Cubic ; - qudt:symbol "C⁴m⁴/J³" ; - qudt:ucumCode "C4.m4.J-3"^^qudt:UCUMcs ; - qudt:ucumCode "C4.m4/J3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Coulomb Meter per Cubic Energy"@en-us ; - rdfs:label "Quartic Coulomb Metre per Cubic Energy"@en ; -. -unit:CAL_15_DEG_C - a qudt:Unit ; - dcterms:description "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.1855 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAB139" ; - qudt:plainTextDescription "unit for the quantity of heat which is required to warm up 1 g of water, which is free of air, at a constant pressure of 101.325 kPa (the pressure of the standard atmosphere on sea level) from 14.5 degrees Celsius to 15.5 degrees Celsius" ; - qudt:symbol "cal{15 °C}" ; - qudt:ucumCode "cal_[15]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A1" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (15 Degrees C)"@en ; -. -unit:CAL_IT - a qudt:Unit ; - dcterms:description "International Table calorie."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.1868 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:symbol "cal{IT}" ; - qudt:ucumCode "cal_IT"^^qudt:UCUMcs ; - qudt:udunitsCode "cal" ; - qudt:uneceCommonCode "D70" ; - rdfs:isDefinedBy ; - rdfs:label "International Table calorie"@en ; -. -unit:CAL_IT-PER-GM - a qudt:Unit ; - dcterms:description "Calories produced per gram of substance."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4186.8 ; - qudt:expression "\\(cal_{it}-per-gm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB176" ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; - qudt:plainTextDescription "unit calorie according to the international steam table divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "cal{IT}/g" ; - qudt:ucumCode "cal_IT.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_IT/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D75" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (international Table) Per Gram"@en ; -. -unit:CAL_IT-PER-GM-DEG_C - a qudt:Unit ; - dcterms:description "unit calorieIT divided by the products of the units gram and degree Celsius"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4186.8 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA362" ; - qudt:plainTextDescription "unit calorieIT divided by the products of the units gram and degree Celsius" ; - qudt:symbol "cal{IT}/(g⋅°C)" ; - qudt:ucumCode "cal_IT.g-1.Cel-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_IT/(g.Cel)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J76" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (international Table) Per Gram Degree Celsius"@en ; -. -unit:CAL_IT-PER-GM-K - a qudt:Unit ; - dcterms:description "unit calorieIT divided by the product of the SI base unit gram and Kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4186.8 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA363" ; - qudt:plainTextDescription "unit calorieIT divided by the product of the SI base unit gram and Kelvin" ; - qudt:symbol "cal{IT}/(g⋅K)" ; - qudt:ucumCode "cal_IT.g-1.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_IT/(g.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D76" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (international Table) Per Gram Kelvin"@en ; -. -unit:CAL_IT-PER-SEC-CentiM-K - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 418.68 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAB108" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "cal{IT}/(s⋅cm⋅K)" ; - qudt:ucumCode "cal_IT.s-1.cm-1.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_IT/(s.cm.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D71" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (international Table) Per Second Centimeter Kelvin"@en-us ; - rdfs:label "Calorie (international Table) Per Second Centimetre Kelvin"@en ; -. -unit:CAL_IT-PER-SEC-CentiM2-K - a qudt:Unit ; - dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 41868.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:iec61360Code "0112/2///62720#UAB096" ; - qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; - qudt:symbol "cal{IT}/(s⋅cm²⋅K)" ; - qudt:ucumCode "cal_IT.s-1.cm-2.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_IT/(s.cm2.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D72" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (international Table) Per Second Square Centimeter kelvin"@en-us ; - rdfs:label "Calorie (international Table) Per Second Square Centimetre kelvin"@en ; -. -unit:CAL_MEAN - a qudt:Unit ; - dcterms:description "unit used particularly for calorific values of foods"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.19 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA360" ; - qudt:plainTextDescription "unit used particularly for calorific values of foods" ; - qudt:symbol "cal{mean}" ; - qudt:ucumCode "cal_m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J75" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (mean)"@en ; -. -unit:CAL_TH - a qudt:Unit ; - dcterms:description "The energy needed to increase the temperature of a given mass of water by \\(1 ^\\circ C\\) at atmospheric pressure depends on the starting temperature and is difficult to measure precisely. Accordingly, there have been several definitions of the calorie. The two perhaps most popular definitions used in older literature are the \\(15 ^\\circ C\\) calorie and the thermochemical calorie."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.184 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie"^^xsd:anyURI ; - qudt:latexDefinition """\\(1 \\; cal_{th} = 4.184 J\\) - -\\(\\approx 0.003964 BTU\\) - -\\(\\approx 1.163 \\times 10^{-6} kWh\\) - -\\(\\approx 2.611 \\times 10^{19} eV\\)"""^^qudt:LatexString ; - qudt:symbol "cal" ; - qudt:ucumCode "cal_th"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D35" ; - rdfs:isDefinedBy ; - rdfs:label "Thermochemical Calorie"@en ; -. -unit:CAL_TH-PER-CentiM-SEC-DEG_C - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 418.4 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA365" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "cal{th}/(cm⋅s⋅°C)" ; - qudt:ucumCode "cal_th.cm-1.s-1.Cel-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/(cm.s.Cel)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J78" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Centimeter Second Degree Celsius"@en-us ; - rdfs:label "Calorie (thermochemical) Per Centimetre Second Degree Celsius"@en ; -. -unit:CAL_TH-PER-G - a qudt:Unit ; - dcterms:description "\\(Thermochemical Calorie. Calories produced per gram of substance.\\)"^^qudt:LatexString ; - dcterms:isReplacedBy unit:CAL_TH-PER-GM ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:deprecated true ; - qudt:expression "\\(cal\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; - qudt:symbol "calTH/g" ; - qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "calorie (thermochemical) per gram (calTH/g)"@en ; - skos:changeNote "2020-10-30 - incorrect local-name - G is for Gravity, GM is for gram - the correct named individual was already present, so this one deprecated. " ; -. -unit:CAL_TH-PER-GM - a qudt:Unit ; - dcterms:description "Thermochemical Calorie. Calories produced per gram of substance."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:expression "\\(cal\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB153" ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--thermal_heat_capacity--british_thermal_unit_therm_per_pound_mass.cfm"^^xsd:anyURI ; - qudt:plainTextDescription "unit thermochemical calorie divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "cal{th}/g" ; - qudt:ucumCode "cal_th.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B36" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Gram"@en ; -. -unit:CAL_TH-PER-GM-DEG_C - a qudt:Unit ; - dcterms:description "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA366" ; - qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the unit gram and degree Celsius" ; - qudt:symbol "cal{th}/(g⋅°C)" ; - qudt:ucumCode "cal_th.g-1.Cel-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/(g.Cel)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J79" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Gram Degree Celsius"@en ; -. -unit:CAL_TH-PER-GM-K - a qudt:Unit ; - dcterms:description "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA367" ; - qudt:plainTextDescription "unit calorie (thermochemical) divided by the product of the SI derived unit gram and the SI base unit Kelvin" ; - qudt:symbol "cal{th}/(g⋅K)" ; - qudt:ucumCode "cal_th.g-1.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/(g.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D37" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Gram Kelvin"@en ; -. -unit:CAL_TH-PER-MIN - a qudt:Unit ; - dcterms:description "unit calorie divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.06973 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA368" ; - qudt:plainTextDescription "unit calorie divided by the unit minute" ; - qudt:symbol "cal{th}/min" ; - qudt:ucumCode "cal_th.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J81" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Minute"@en ; -. -unit:CAL_TH-PER-SEC - a qudt:Unit ; - dcterms:description "unit calorie divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.184 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA369" ; - qudt:plainTextDescription "unit calorie divided by the SI base unit second" ; - qudt:symbol "cal{th}/s" ; - qudt:ucumCode "cal_th.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J82" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Second"@en ; -. -unit:CAL_TH-PER-SEC-CentiM-K - a qudt:Unit ; - dcterms:description "unit of the thermal conductivity according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 418.4 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAB109" ; - qudt:plainTextDescription "unit of the thermal conductivity according to the Imperial system of units" ; - qudt:symbol "cal{th}/(s⋅cm⋅K)" ; - qudt:ucumCode "cal_th.s-1.cm-1.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/(s.cm.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D38" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Second Centimeter Kelvin"@en-us ; - rdfs:label "Calorie (thermochemical) Per Second Centimetre Kelvin"@en ; -. -unit:CAL_TH-PER-SEC-CentiM2-K - a qudt:Unit ; - dcterms:description "unit of the heat transfer coefficient according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 41840.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:iec61360Code "0112/2///62720#UAB097" ; - qudt:plainTextDescription "unit of the heat transfer coefficient according to the Imperial system of units" ; - qudt:symbol "cal{th}/(s⋅cm²⋅K)" ; - qudt:ucumCode "cal_th.s-1.cm-2.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cal_th/(s.cm2.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D39" ; - rdfs:isDefinedBy ; - rdfs:label "Calorie (thermochemical) Per Second Square Centimeter kelvin"@en-us ; - rdfs:label "Calorie (thermochemical) Per Second Square Centimetre kelvin"@en ; -. -unit:CARAT - a qudt:Unit ; - dcterms:description "The carat is a unit of mass equal to 200 mg and is used for measuring gemstones and pearls. The current definition, sometimes known as the metric carat, was adopted in 1907 at the Fourth General Conference on Weights and Measures, and soon afterward in many countries around the world. The carat is divisible into one hundred points of two milligrams each. Other subdivisions, and slightly different mass values, have been used in the past in different locations. In terms of diamonds, a paragon is a flawless stone of at least 100 carats (20 g). The ANSI X.12 EDI standard abbreviation for the carat is \\(CD\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.0002 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Carat"^^xsd:anyURI ; - qudt:expression "\\(Nm/ct\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB166" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Carat?oldid=477129057"^^xsd:anyURI ; - qudt:symbol "ct" ; - qudt:ucumCode "[car_m]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CTM" ; - rdfs:isDefinedBy ; - rdfs:label "Carat"@en ; - skos:altLabel "metric carat" ; -. -unit:CASES-PER-1000I-YR - a qudt:Unit ; - dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; - dcterms:isReplacedBy unit:CASES-PER-KiloINDIV-YR ; - qudt:conversionMultiplier 0.001 ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Incidence ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; - qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; - qudt:symbol "Cases/1000 individuals/year" ; - rdfs:isDefinedBy ; - rdfs:label "Cases per 1000 individuals per year"@en ; -. -unit:CASES-PER-KiloINDIV-YR - a qudt:Unit ; - dcterms:description "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year."^^rdf:HTML ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Incidence ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Incidence_(epidemiology)"^^xsd:anyURI ; - qudt:plainTextDescription "The typical expression of morbidity rate, expressed as cases per 1000 individuals, per year." ; - qudt:symbol "Cases/1000 individuals/year" ; - rdfs:isDefinedBy ; - rdfs:label "Cases per 1000 individuals per year"@en ; -. -unit:CD - a qudt:Unit ; - dcterms:description "\\(\\textit{Candela}\\) is a unit for 'Luminous Intensity' expressed as \\(cd\\). The candela is the SI base unit of luminous intensity; that is, power emitted by a light source in a particular direction, weighted by the luminosity function (a standardized model of the sensitivity of the human eye to different wavelengths, also known as the luminous efficiency function). A common candle emits light with a luminous intensity of roughly one candela."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Candela"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousIntensity ; - qudt:iec61360Code "0112/2///62720#UAA370" ; - qudt:iec61360Code "0112/2///62720#UAD719" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Candela?oldid=484253082"^^xsd:anyURI ; - qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "cd" ; - qudt:ucumCode "cd"^^qudt:UCUMcs ; - qudt:udunitsCode "cd" ; - qudt:uneceCommonCode "CDL" ; - rdfs:isDefinedBy ; - rdfs:label "Candela"@de ; - rdfs:label "candela"@en ; - rdfs:label "candela"@es ; - rdfs:label "candela"@fr ; - rdfs:label "candela"@it ; - rdfs:label "candela"@la ; - rdfs:label "candela"@pt ; - rdfs:label "candela"@tr ; - rdfs:label "candelă"@ro ; - rdfs:label "kandela"@cs ; - rdfs:label "kandela"@hu ; - rdfs:label "kandela"@ms ; - rdfs:label "kandela"@pl ; - rdfs:label "kandela"@sl ; - rdfs:label "καντέλα"@el ; - rdfs:label "кандела"@bg ; - rdfs:label "кандела"@ru ; - rdfs:label "קנדלה"@he ; - rdfs:label "قنديلة"@ar ; - rdfs:label "کاندلا"@fa ; - rdfs:label "कॅन्डेला"@hi ; - rdfs:label "カンデラ"@ja ; - rdfs:label "坎德拉"@zh ; -. -unit:CD-PER-IN2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Candela per Square Inch\" is a unit for 'Luminance' expressed as \\(cd/in^{2}\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 1550.0031000062002 ; - qudt:expression "\\(cd/in^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Luminance ; - qudt:iec61360Code "0112/2///62720#UAB257" ; - qudt:symbol "cd/in²" ; - qudt:ucumCode "cd.[in_i]-2"^^qudt:UCUMcs ; - qudt:ucumCode "cd/[in_i]2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P28" ; - rdfs:isDefinedBy ; - rdfs:label "Candela per Square Inch"@en ; -. -unit:CD-PER-LM - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:LuminousIntensityDistribution ; - qudt:symbol "cd/lm" ; - rdfs:isDefinedBy ; - rdfs:label "Candela per Lumen" ; -. -unit:CD-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The candela per square metre (\\(cd/m^2\\)) is the derived SI unit of luminance. The unit is based on the candela, the SI unit of luminous intensity, and the square metre, the SI unit of area. Nit (nt) is a deprecated non-SI name also used for this unit (\\(1 nit = 1 cd/m^2\\)). As a measure of light emitted per unit area, this unit is frequently used to specify the brightness of a display device. Most consumer desktop liquid crystal displays have luminances of 200 to 300 \\(cd/m^2\\); the sRGB spec for monitors targets 80 cd/m2. HDTVs range from 450 to about 1000 cd/m2. Typically, calibrated monitors should have a brightness of \\(120 cd/m^2\\). \\(Nit\\) is believed to come from the Latin word nitere, to shine."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(cd/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Luminance ; - qudt:iec61360Code "0112/2///62720#UAA371" ; - qudt:symbol "cd/m²" ; - qudt:ucumCode "cd.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "cd/m2"^^qudt:UCUMcs ; - qudt:udunitsCode "nt" ; - qudt:uneceCommonCode "A24" ; - rdfs:isDefinedBy ; - rdfs:label "candela per square meter"@en-us ; - rdfs:label "candela per square metre"@en ; -. -unit:CFU - a qudt:Unit ; - dcterms:description "\"Colony Forming Unit\" is a unit for 'Microbial Formation' expressed as \\(CFU\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Colony-forming_unit"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MicrobialFormation ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Colony-forming_unit?oldid=473146689"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "CFU" ; - qudt:ucumCode "[CFU]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Colony Forming Unit"@en ; -. -unit:CH - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A chain is a unit of length. It measures 66 feet, or 22 yards, or 100 links, or 4 rods. There are 10 chains in a furlong, and 80 chains in one statute mile. An acre is the area of 10 square chains (that is, an area of one chain by one furlong). The chain has been used for several centuries in Britain and in some other countries influenced by British practice."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 20.1168 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Chain"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB203" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Chain?oldid=494116185"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "ch" ; - qudt:ucumCode "[ch_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "X1" ; - rdfs:isDefinedBy ; - rdfs:label "chain"@en ; - skos:altLabel "Gunter's chain" ; -. -unit:CLO - a qudt:Unit ; - dcterms:description "A C.G.S System unit for \\(\\textit{Thermal Insulance}\\) expressed as \"clo\"."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.155 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:iec61360Code "0112/2///62720#UAA374" ; - qudt:symbol "clo" ; - qudt:uneceCommonCode "J83" ; - rdfs:isDefinedBy ; - rdfs:label "Clo"@en ; -. -unit:CM_H2O - a qudt:Unit ; - dcterms:isReplacedBy unit:CentiM_H2O ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 98.0665 ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "cmH₂0" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter of Water"@en-us ; - rdfs:label "Centimetre of Water"@en ; -. -unit:CORD - a qudt:Unit ; - dcterms:description "The cord is a unit of measure of dry volume used in Canada and the United States to measure firewood and pulpwood. A cord is the amount of wood that, when 'ranked and well stowed' (arranged so pieces are aligned, parallel, touching and compact), occupies a volume of 128 cubic feet (3.62 cubic metres). This corresponds to a well stacked woodpile 4 feet (122 cm) wide, 4 feet (122 cm) high, and 8 feet (244 cm) long; or any other arrangement of linear measurements that yields the same volume. The name cord probably comes from the use of a cord or string to measure it. "^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.62 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cord"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cord?oldid=490232340"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "cord" ; - qudt:ucumCode "[crd_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "WCD" ; - rdfs:isDefinedBy ; - rdfs:label "Cord"@en ; -. -unit:CP - a qudt:Unit ; - dcterms:description "\"Candlepower\" (abbreviated as cp) is a now-obsolete unit which was used to express levels of light intensity in terms of the light emitted by a candle of specific size and constituents. In modern usage Candlepower equates directly to the unit known as the candela."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Candlepower"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousIntensity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Candlepower?oldid=491140098"^^xsd:anyURI ; - qudt:symbol "cp" ; - rdfs:isDefinedBy ; - rdfs:label "Candlepower"@en ; -. -unit:CUP - a qudt:Unit ; - dcterms:description "\"US Liquid Cup\" is a unit for 'Liquid Volume' expressed as \\(cup\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00023658825 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:symbol "cup" ; - qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G21" ; - rdfs:isDefinedBy ; - rdfs:label "US Liquid Cup"@en ; -. -unit:CUP_US - a qudt:Unit ; - dcterms:description "unit of the volume according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0002365882 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:iec61360Code "0112/2///62720#UAA404" ; - qudt:plainTextDescription "unit of the volume according to the Anglo-American system of units" ; - qudt:symbol "cup{US}" ; - qudt:ucumCode "[cup_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G21" ; - rdfs:isDefinedBy ; - rdfs:label "Cup (US)"@en ; -. -unit:CWT_LONG - a qudt:Unit ; - dcterms:description "\"Hundred Weight - Long\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 50.80235 ; - qudt:exactMatch unit:Hundredweight_UK ; - qudt:expression "\\(cwt long\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "cwt{long}" ; - qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CWI" ; - rdfs:isDefinedBy ; - rdfs:label "Long Hundred Weight"@en ; - skos:altLabel "British hundredweight" ; -. -unit:CWT_SHORT - a qudt:Unit ; - dcterms:description "\"Hundred Weight - Short\" is a unit for 'Mass' expressed as \\(cwt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 45.359237 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:Hundredweight_US ; - qudt:expression "\\(cwt\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "cwt{short}" ; - qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hundred Weight - Short"@en ; - skos:altLabel "U.S. hundredweight" ; -. -unit:C_Ab - a qudt:Unit ; - dcterms:description "\"abcoulomb\" (abC or aC) or electromagnetic unit of charge (emu of charge) is the basic physical unit of electric charge in the cgs-emu system of units. One abcoulomb is equal to ten coulombs (\\(1\\,abC\\,=\\,10\\,C\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 10.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abcoulomb"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abcoulomb?oldid=477198635"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-9?rskey=KHjyOu"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "abC" ; - qudt:ucumCode "10.C"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abcoulomb"@en ; -. -unit:C_Ab-PER-CentiM2 - a qudt:Unit ; - dcterms:description """Abcoulomb Per Square Centimeter is a unit in the category of Electric charge surface density. It is also known as abcoulombs per square centimeter, abcoulomb per square centimetre, abcoulombs per square centimetre, abcoulomb/square centimeter,abcoulomb/square centimetre. This unit is commonly used in the cgs unit system. -Abcoulomb Per Square Centimeter (abcoulomb/cm2) has a dimension of \\(L_2TI\\). where L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit \\(C/m^2\\) by multiplying its value by a factor of 100,000."""^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e05 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:expression "\\(abc-per-cm2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_charge_surface_density--abcoulomb_per_square_centimeter.cfm"^^xsd:anyURI ; - qudt:latexDefinition "\\(abcoulomb/cm^2\\)"^^qudt:LatexString ; - qudt:symbol "abC/cm²" ; - qudt:ucumCode "10.C.cm-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abcoulomb per Square Centimeter"@en-us ; - rdfs:label "Abcoulomb per Square Centimetre"@en ; -. -unit:C_Stat - a qudt:Unit ; - dcterms:description "The statcoulomb (\\(statC\\)) or franklin (\\(Fr\\)) or electrostatic unit of charge (\\(esu\\)) is the physical unit for electrical charge used in the centimetre-gram-second system of units (cgs) and Gaussian units. It is a derived unit given by \\(1\\ statC = 1\\ g\\ cm\\ s = 1\\ erg\\ cm\\). The SI system of units uses the coulomb (C) instead. The conversion between C and statC is different in different contexts. The number 2997924580 is 10 times the value of the speed of light expressed in meters/second, and the conversions are exact except where indicated. The coulomb is an extremely large charge rarely encountered in electrostatics, while the statcoulomb is closer to everyday charges."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 3.3356409519815204957557671447492e-10 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Statcoulomb"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:exactMatch unit:FR ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Statcoulomb?oldid=492664360"^^xsd:anyURI ; - qudt:latexDefinition "\\(1 C \\leftrightarrow 2997924580 statC \\approx 3.00 \\times 10^9 statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.3pc} \\approx 3.34 \\times 10^{-10} C\\) for electric charge."^^qudt:LatexString ; - qudt:latexDefinition "\\(1 C \\leftrightarrow 4 \\pi \\times 2997924580 statC \\approx 3.77 \\times 10^{10} statC,\\ 1 \\hspace{0.3pc} statC \\leftrightarrow \\hspace{0.2pc} \\approx 2.6 \\times 10^{-11} C\\) for electric flux \\(\\Phi_D\\)"^^qudt:LatexString ; - qudt:latexDefinition "\\(1 C/m \\leftrightarrow 4 \\pi \\times 2997924580 \\times 10^{-4} statC/cm \\approx 3.77 \\times 10^6 statC/cm,\\ 1 \\hspace{0.3pc} statC/cm \\leftrightarrow \\hspace{0.3pc} \\approx 2.65 \\times 10^{-7} C/m\\) for electric displacement field \\(D\\)."^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "statC" ; - rdfs:isDefinedBy ; - rdfs:label "Statcoulomb"@en ; -. -unit:C_Stat-PER-CentiM2 - a qudt:Unit ; - dcterms:description "\\(\\textbf{Statcoulomb per Square Centimeter}\\) is a unit of measure for electric flux density and electric polarization. One Statcoulomb per Square Centimeter is \\(2.15\\times 10^9 \\, coulomb\\,per\\,square\\,inch\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 3.33564e-06 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:expression "\\(statc-per-cm2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:symbol "statC/cm²" ; - rdfs:isDefinedBy ; - rdfs:label "Statcoulomb per Square Centimeter"@en-us ; - rdfs:label "Statcoulomb per Square Centimetre"@en ; -. -unit:C_Stat-PER-MOL - a qudt:Unit ; - dcterms:description "\"Statcoulomb per Mole\" is a unit of measure for the electical charge associated with one mole of a substance. The mole is a unit of measurement used in chemistry to express amounts of a chemical substance, defined as an amount of a substance that contains as many elementary entities (e.g., atoms, molecules, ions, electrons) as there are atoms in 12 grams of pure carbon-12 (12C), the isotope of carbon with atomic weight 12."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.33564e-10 ; - qudt:expression "\\(statC/mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerAmountOfSubstance ; - qudt:symbol "statC/mol" ; - rdfs:isDefinedBy ; - rdfs:label "Statcoulomb per Mole"@en ; -. -unit:CentiBAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000\\,Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:prefix prefix:Centi ; - qudt:symbol "cbar" ; - qudt:ucumCode "cbar"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centibar"@en ; -. -unit:CentiC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A CentiCoulomb is \\(10^{-2} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Centi ; - qudt:symbol "cC" ; - qudt:ucumCode "cC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "CentiCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:CentiGM - a qudt:Unit ; - dcterms:description "0,000 01-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB077" ; - qudt:plainTextDescription "0,000 01-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Centi ; - qudt:symbol "cg" ; - qudt:ucumCode "cg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CGM" ; - rdfs:isDefinedBy ; - rdfs:label "Centigram"@en ; -. -unit:CentiL - a qudt:Unit ; - dcterms:description "0,01-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:iec61360Code "0112/2///62720#UAA373" ; - qudt:plainTextDescription "0,01-fold of the unit litre" ; - qudt:symbol "cL" ; - qudt:ucumCode "cL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CLT" ; - rdfs:isDefinedBy ; - rdfs:label "Centilitre"@en ; - rdfs:label "Centilitre"@en-us ; -. -unit:CentiM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A centimetre is a unit of length in the metric system, equal to one hundredth of a metre, which is the SI base unit of length. Centi is the SI prefix for a factor of \\(10^{-2}\\). The centimetre is the base unit of length in the now deprecated centimetre-gram-second (CGS) system of units."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA375" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre?oldid=494931891"^^xsd:anyURI ; - qudt:prefix prefix:Centi ; - qudt:symbol "cm" ; - qudt:ucumCode "cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CMT" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter"@en-us ; - rdfs:label "Centimetre"@en ; -. -unit:CentiM-PER-HR - a qudt:Unit ; - dcterms:description "0,01-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA378" ; - qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the unit hour" ; - qudt:symbol "cm/hr" ; - qudt:ucumCode "cm.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H49" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter Per Hour"@en-us ; - rdfs:label "Centimetre Per Hour"@en ; -. -unit:CentiM-PER-K - a qudt:Unit ; - dcterms:description "0,01-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA376" ; - qudt:plainTextDescription "0,01-fold of the SI base unit metre divided by the SI base unit kelvin" ; - qudt:symbol "cm/K" ; - qudt:ucumCode "cm.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F51" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter Per Kelvin"@en-us ; - rdfs:label "Centimetre Per Kelvin"@en ; -. -unit:CentiM-PER-KiloYR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.16880878140289e-13 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "cm/(1000 yr)" ; - qudt:ucumCode "cm.ka-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centimetres per thousand years"@en ; -. -unit:CentiM-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Centimeter per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(cm/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(cm/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA379" ; - qudt:latexDefinition "\\(cm/s\\)"^^qudt:LatexString ; - qudt:symbol "cm/s" ; - qudt:ucumCode "cm.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2M" ; - rdfs:isDefinedBy ; - rdfs:label "centimeter per second"@en-us ; - rdfs:label "centimetre per second"@en ; -. -unit:CentiM-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Centimeter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(cm/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(cm/s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAB398" ; - qudt:symbol "cm/s²" ; - qudt:ucumCode "cm.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "cm/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M39" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter per Square Second"@en-us ; - rdfs:label "Centimetre per Square Second"@en ; -. -unit:CentiM-PER-YR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000316880878140289 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "cm/yr" ; - qudt:ucumCode "cm.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centimetres per year"@en ; -. -unit:CentiM-SEC-DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Centimeter Second Degree Celsius}\\) is a C.G.S System unit for 'Length Temperature Time' expressed as \\(cm-s-degC\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(cm-s-degC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:LengthTemperatureTime ; - qudt:symbol "cm⋅s⋅°C" ; - qudt:ucumCode "cm.s.Cel-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm.s/Cel"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter Second Degree Celsius"@en-us ; - rdfs:label "Centimetre Second Degree Celsius"@en ; -. -unit:CentiM2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of area equal to that of a square, of sides 1cm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(sqcm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA384" ; - qudt:prefix prefix:Centi ; - qudt:symbol "cm²" ; - qudt:ucumCode "cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CMK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Centimeter"@en-us ; - rdfs:label "Square Centimetre"@en ; -. -unit:CentiM2-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Square centimeter minute\" is a unit for 'Area Time' expressed as \\(cm^{2} . m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.006 ; - qudt:expression "\\(cm^{2}m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:symbol "cm²m" ; - qudt:ucumCode "cm2.min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Centimeter Minute"@en-us ; - rdfs:label "Square Centimetre Minute"@en ; -. -unit:CentiM2-PER-CentiM3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "cm²/cm³" ; - qudt:ucumCode "cm2.cm-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square centimetres per cubic centimetre"@en ; -. -unit:CentiM2-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:symbol "cm²/s" ; - qudt:ucumCode "cm2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M81" ; - rdfs:isDefinedBy ; - rdfs:label "Square centimetres per second"@en ; -. -unit:CentiM2-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Square Centimeter Second\" is a C.G.S System unit for 'Area Time' expressed as \\(cm^2 . s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(cm^2 . s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:symbol "cm²⋅s" ; - qudt:ucumCode "cm2.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Centimeter Second"@en-us ; - rdfs:label "Square Centimetre Second"@en ; -. -unit:CentiM3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The CGS unit of volume, equal to 10-6 cubic meter, 1 milliliter, or about 0.061 023 7 cubic inch"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:expression "\\(cubic-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA385" ; - qudt:prefix prefix:Centi ; - qudt:symbol "cm³" ; - qudt:ucumCode "cm3"^^qudt:UCUMcs ; - qudt:udunitsCode "cc" ; - qudt:uneceCommonCode "CMQ" ; - rdfs:isDefinedBy ; - rdfs:label "cubic centimeter"@en-us ; - rdfs:label "cubic centimetre"@en ; -. -unit:CentiM3-PER-CentiM3 - a qudt:Unit ; - dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:plainTextDescription "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "cm³/cm³" ; - qudt:ucumCode "cm3.cm-3"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/cm3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Cubic Centimeter"@en-us ; - rdfs:label "Cubic Centimetre Per Cubic Centimetre"@en ; -. -unit:CentiM3-PER-DAY - a qudt:Unit ; - dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-11 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA388" ; - qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit day" ; - qudt:symbol "cm³/day" ; - qudt:ucumCode "cm3.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G47" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Day"@en-us ; - rdfs:label "Cubic Centimetre Per Day"@en ; -. -unit:CentiM3-PER-HR - a qudt:Unit ; - dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA391" ; - qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; - qudt:symbol "cm³/hr" ; - qudt:ucumCode "cm3.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G48" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Hour"@en-us ; - rdfs:label "Cubic Centimetre Per Hour"@en ; -. -unit:CentiM3-PER-K - a qudt:Unit ; - dcterms:description "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA386" ; - qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit kelvin" ; - qudt:symbol "cm³/K" ; - qudt:ucumCode "cm3.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G27" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Kelvin"@en-us ; - rdfs:label "Cubic Centimetre Per Kelvin"@en ; -. -unit:CentiM3-PER-M3 - a qudt:Unit ; - dcterms:description "volume ratio consisting of the 0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA394" ; - qudt:plainTextDescription "volume ratio consisting of the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "cm³/m³" ; - qudt:ucumCode "cm3.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J87" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Cubic Meter"@en-us ; - rdfs:label "Cubic Centimetre Per Cubic Metre"@en ; -. -unit:CentiM3-PER-MIN - a qudt:Unit ; - dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA395" ; - qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit minute" ; - qudt:symbol "cm³/min" ; - qudt:ucumCode "cm3.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G49" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Minute"@en-us ; - rdfs:label "Cubic Centimetre Per Minute"@en ; -. -unit:CentiM3-PER-MOL - a qudt:Unit ; - dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarRefractivity ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:iec61360Code "0112/2///62720#UAA398" ; - qudt:plainTextDescription "0.000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; - qudt:symbol "cm³/mol" ; - qudt:ucumCode "cm3.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A36" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Mole"@en-us ; - rdfs:label "Cubic Centimetre Per Mole"@en ; -. -unit:CentiM3-PER-MOL-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit that is the 0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000001 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate ; - qudt:hasQuantityKind quantitykind:SecondOrderReactionRateConstant ; - qudt:symbol "cm³/(mol⋅s)" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter per Mole Second"@en ; - rdfs:label "Cubic Centimeter per Mole Second"@en-us ; -. -unit:CentiM3-PER-SEC - a qudt:Unit ; - dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA399" ; - qudt:plainTextDescription "0,000 001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "cm³/s" ; - qudt:ucumCode "cm3.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "cm3/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2J" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter Per Second"@en-us ; - rdfs:label "Cubic Centimetre Per Second"@en ; -. -unit:CentiMOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasQuantityKind quantitykind:ExtentOfReaction ; - qudt:symbol "cmol" ; - rdfs:isDefinedBy ; - rdfs:label "CentiMole"@en ; -. -unit:CentiMOL-PER-KiloGM - a qudt:Unit ; - dcterms:description "1/100 of SI unit of amount of substance per kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:hasQuantityKind quantitykind:MolalityOfSolute ; - qudt:plainTextDescription "1/100 of SI unit of amount of substance per kilogram" ; - qudt:symbol "cmol/kg" ; - qudt:ucumCode "cmol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "cmol/kg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centimole per kilogram"@en ; -. -unit:CentiMOL-PER-L - a qudt:Unit ; - dcterms:description "1/100 of SI unit of amount of substance per litre"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:symbol "cmol/L" ; - qudt:ucumCode "cmol.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "cmol/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Centimole per litre"@en ; -. -unit:CentiM_H2O - a qudt:Unit ; - dcterms:description "\\(\\textbf{Centimeter of Water}\\) is a C.G.S System unit for 'Force Per Area' expressed as \\(cm_{H2O}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 98.0665 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Centimetre_of_water"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA402" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Centimetre_of_water?oldid=487656894"^^xsd:anyURI ; - qudt:plainTextDescription "non SI conforming unit of pressure that corresponds to the static pressure generated by a water column with a height of 1 centimetre" ; - qudt:symbol "cmH₂0" ; - qudt:ucumCode "cm[H2O]"^^qudt:UCUMcs ; - qudt:udunitsCode "cmH2O" ; - qudt:udunitsCode "cm_H2O" ; - qudt:uneceCommonCode "H78" ; - rdfs:isDefinedBy ; - rdfs:label "Conventional Centimeter Of Water"@en-us ; - rdfs:label "Conventional Centimetre Of Water"@en ; -. -unit:CentiM_HG - a qudt:Unit ; - dcterms:description "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre"^^rdf:HTML ; - qudt:conversionMultiplier 1333.224 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA403" ; - qudt:plainTextDescription "not SI conform unit of the pressure, that corresponds with the static pressure generated by a mercury column with the height of 1 centimetre" ; - qudt:symbol "cmHg" ; - qudt:ucumCode "cm[Hg]"^^qudt:UCUMcs ; - qudt:udunitsCode "cmHg" ; - qudt:udunitsCode "cm_Hg" ; - qudt:uneceCommonCode "J89" ; - rdfs:isDefinedBy ; - rdfs:label "Centimeter Of Mercury"@en-us ; - rdfs:label "Centimetre Of Mercury"@en ; -. -unit:CentiN - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:symbol "cN" ; - rdfs:isDefinedBy ; - rdfs:label "CentiNewton"@en ; -. -unit:CentiN-M - a qudt:Unit ; - dcterms:description "0,01-fold of the product of the SI derived unit newton and SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA355" ; - qudt:plainTextDescription "0,01-fold of the product of the SI derived unit newton and SI base unit metre" ; - qudt:symbol "cN⋅m" ; - qudt:ucumCode "cN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J72" ; - rdfs:isDefinedBy ; - rdfs:label "Centinewton Meter"@en-us ; - rdfs:label "Centinewton Metre"@en ; -. -unit:CentiPOISE - a qudt:Unit ; - dcterms:description "\\(\\textbf{Centipoise}\\) is a C.G.S System unit for 'Dynamic Viscosity' expressed as \\(cP\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA356" ; - qudt:plainTextDescription "0,01-fold of the CGS unit of the dynamic viscosity poise" ; - qudt:symbol "cP" ; - qudt:ucumCode "cP"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C7" ; - rdfs:isDefinedBy ; - rdfs:label "Centipoise"@en ; -. -unit:CentiPOISE-PER-BAR - a qudt:Unit ; - dcterms:description "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA358" ; - qudt:plainTextDescription "0.01-fold of the CGS unit of the dynamic viscosity poise divided by the unit of the pressure bar" ; - qudt:symbol "cP/bar" ; - qudt:ucumCode "cP.bar-1"^^qudt:UCUMcs ; - qudt:ucumCode "cP/bar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J74" ; - rdfs:isDefinedBy ; - rdfs:label "Centipoise Per Bar"@en ; -. -unit:CentiST - a qudt:Unit ; - dcterms:description "\\(\\textbf{Centistokes}\\) is a C.G.S System unit for 'Kinematic Viscosity' expressed as \\(cSt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:KinematicViscosity ; - qudt:iec61360Code "0112/2///62720#UAA359" ; - qudt:symbol "cSt" ; - qudt:ucumCode "cSt"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4C" ; - rdfs:isDefinedBy ; - rdfs:label "Centistokes"@en ; -. -unit:Ci - a qudt:Unit ; - dcterms:description "The curie (symbol Ci) is a non-SI unit of radioactivity, named after Marie and Pierre Curie. It is defined as \\(1Ci = 3.7 \\times 10^{10} decays\\ per\\ second\\). Its continued use is discouraged. One Curie is roughly the activity of 1 gram of the radium isotope Ra, a substance studied by the Curies. The SI derived unit of radioactivity is the becquerel (Bq), which equates to one decay per second. Therefore: \\(1Ci = 3.7 \\times 10^{10} Bq= 37 GBq\\) and \\(1Bq \\equiv 2.703 \\times 10^{-11}Ci \\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.70e10 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA138" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Ci" ; - qudt:ucumCode "Ci"^^qudt:UCUMcs ; - qudt:udunitsCode "Ci" ; - qudt:uneceCommonCode "CUR" ; - rdfs:isDefinedBy ; - rdfs:label "Curie"@en ; -. -unit:DARCY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length2.

"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier .0000000000009869233 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Darcy_(unit)"^^xsd:anyURI ; - qudt:expression "\\(d\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; - qudt:plainTextDescription "The darcy (d) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A darcy has dimensional units of length²." ; - qudt:symbol "d" ; - rdfs:isDefinedBy ; - rdfs:label "Darcy"@en ; -. -unit:DAY - a qudt:Unit ; - dcterms:description "Mean solar day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 86400.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Day"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:BiodegredationHalfLife ; - qudt:hasQuantityKind quantitykind:FishBiotransformationHalfLife ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA407" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Day?oldid=494970012"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "day" ; - qudt:ucumCode "d"^^qudt:UCUMcs ; - qudt:udunitsCode "d" ; - qudt:uneceCommonCode "DAY" ; - rdfs:isDefinedBy ; - rdfs:label "Day"@en ; -. -unit:DAY_Sidereal - a qudt:Unit ; - dcterms:description "The length of time which passes between a given fixed star in the sky crossing a given projected meridian (line of longitude). The sidereal day is \\(23 h 56 m 4.1 s\\), slightly shorter than the solar day because the Earth 's orbital motion about the Sun means the Earth has to rotate slightly more than one turn with respect to the \"fixed\" stars in order to reach the same Earth-Sun orientation. Another way of thinking about the difference is that it amounts to \\(1/365.2425^{th}\\) of a day per day, since even if the Earth did not spin on its axis at all, the Sun would appear to make one rotation around the Earth as the Earth completed a single orbit (which takes one year)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 86164.099 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; - qudt:informativeReference "http://scienceworld.wolfram.com/astronomy/SiderealDay.html"^^xsd:anyURI ; - qudt:symbol "day{sidereal}" ; - qudt:ucumCode "d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Sidereal Day"@en ; -. -unit:DEATHS-PER-1000000I-YR - a qudt:Unit ; - dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; - dcterms:isReplacedBy unit:DEATHS-PER-MegaINDIV-YR ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MortalityRate ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; - qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; - qudt:symbol "deaths/million individuals/yr" ; - rdfs:isDefinedBy ; - rdfs:label "Deaths per Million individuals per year"@en ; -. -unit:DEATHS-PER-1000I-YR - a qudt:Unit ; - dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; - dcterms:isReplacedBy unit:DEATHS-PER-KiloINDIV-YR ; - qudt:conversionMultiplier 0.001 ; - qudt:deprecated true ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MortalityRate ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; - qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; - qudt:symbol "deaths/1000 individuals/yr" ; - rdfs:isDefinedBy ; - rdfs:label "Deaths per 1000 individuals per year"@en ; -. -unit:DEATHS-PER-KiloINDIV-YR - a qudt:Unit ; - dcterms:description "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year."^^rdf:HTML ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MortalityRate ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; - qudt:plainTextDescription "The typical expression of mortality rate, expressed as deaths per 1000 individuals, per year." ; - qudt:symbol "deaths/1000 individuals/yr" ; - rdfs:isDefinedBy ; - rdfs:label "Deaths per 1000 individuals per year"@en ; -. -unit:DEATHS-PER-MegaINDIV-YR - a qudt:Unit ; - dcterms:description "The expression of mortality rate, expressed as deaths per 1,000,000 individuals, per year."^^rdf:HTML ; - qudt:conversionMultiplier 0.000001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MortalityRate ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mortality_rate"^^xsd:anyURI ; - qudt:plainTextDescription "The expression of mortality rate, expressed as deaths per Million individuals, per year." ; - qudt:symbol "deaths/million individuals/yr" ; - rdfs:isDefinedBy ; - rdfs:label "Deaths per Million individuals per year"@en ; -. -unit:DECADE - a qudt:DimensionlessUnit ; - a qudt:LogarithmicUnit ; - a qudt:Unit ; - dcterms:description "One decade is a factor of 10 difference between two numbers (an order of magnitude difference) measured on a logarithmic scale. It is especially useful when referring to frequencies and when describing frequency response of electronic systems, such as audio amplifiers and filters. The factor-of-ten in a decade can be in either direction: so one decade up from 100 Hz is 1000 Hz, and one decade down is 10 Hz. The factor-of-ten is what is important, not the unit used, so \\(3.14 rad/s\\) is one decade down from \\(31.4 rad/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Decade_(log_scale)"^^xsd:anyURI ; - qudt:symbol "dec" ; - rdfs:isDefinedBy ; - rdfs:label "Dec"@en ; -. -unit:DEG - a qudt:Unit ; - dcterms:description "A degree (in full, a degree of arc, arc degree, or arcdegree), usually denoted by \\(^\\circ\\) (the degree symbol), is a measurement of plane angle, representing 1/360 of a full rotation; one degree is equivalent to \\(2\\pi /360 rad\\), \\(0.017453 rad\\). It is not an SI unit, as the SI unit for angles is radian, but is an accepted SI unit."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0174532925 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA024" ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-331"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "°" ; - qudt:ucumCode "deg"^^qudt:UCUMcs ; - qudt:udunitsCode "°" ; - qudt:uneceCommonCode "DD" ; - rdfs:isDefinedBy ; - rdfs:label "Degree"@en ; -. -unit:DEG-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Degree per Hour\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/h\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 4.84813681e-06 ; - qudt:expression "\\(deg/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "°/h" ; - qudt:ucumCode "deg.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "deg/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree per Hour"@en ; -. -unit:DEG-PER-M - a qudt:Unit ; - dcterms:description "A change of angle in one SI unit of length."@en ; - qudt:conversionMultiplier 0.0174532925199433 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "°/m" ; - qudt:ucumCode "deg.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H27" ; - rdfs:isDefinedBy ; - rdfs:label "Degrees per metre"@en ; -. -unit:DEG-PER-MIN - a qudt:Unit ; - dcterms:description "A unit of measure for the rate of change of plane angle, \\(d\\omega / dt\\), in durations of one minute.The vector \\(\\omega\\) is directed along the axis of rotation in the direction for which the rotation is clockwise."^^qudt:LatexString ; - qudt:conversionMultiplier 0.000290888209 ; - qudt:expression "\\(deg-per-min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "°/min" ; - qudt:ucumCode "deg.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "deg/min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree per Minute"@en ; -. -unit:DEG-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Degree per Second\" is an Imperial unit for 'Angular Velocity' expressed as \\(deg/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0174532925 ; - qudt:expression "\\(deg/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:iec61360Code "0112/2///62720#UAA026" ; - qudt:symbol "°/s" ; - qudt:ucumCode "deg.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "deg/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E96" ; - rdfs:isDefinedBy ; - rdfs:label "Degree per Second"@en ; -. -unit:DEG-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Degree per Square Second}\\) is an Imperial unit for \\(\\textit{Angular Acceleration}\\) expressed as \\(deg/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0174532925 ; - qudt:expression "\\(deg/s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AngularAcceleration ; - qudt:iec61360Code "0112/2///62720#UAB407" ; - qudt:symbol "°/s²" ; - qudt:ucumCode "deg.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "deg/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M45" ; - rdfs:isDefinedBy ; - rdfs:label "Degree per Square Second"@en ; -. -unit:DEG2 - a qudt:Unit ; - dcterms:description "A square degree is a non-SI unit measure of solid angle. It is denoted in various ways, including deg, sq. deg. and \\(\\circ^2\\). Just as degrees are used to measure parts of a circle, square degrees are used to measure parts of a sphere. Analogous to one degree being equal to \\(\\pi /180 radians\\), a square degree is equal to (\\(\\pi /180)\\) or about 1/3283 steradian. The number of square degrees in a whole sphere is or approximately 41 253 deg. This is the total area of the 88 constellations in the list of constellations by area. For example, observed from the surface of the Earth, the Moon has a diameter of approximately \\(0.5^\\circ\\), so it covers a solid angle of approximately 0.196 deg, which is \\(4.8 \\times 10\\) of the total sky sphere."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.00030461742 ; - qudt:expression "\\(deg^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SolidAngle ; - qudt:symbol "°²" ; - qudt:ucumCode "deg2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square degree"@en ; -. -unit:DEGREE_API - a qudt:Unit ; - dcterms:description "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)"^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Gravity_API ; - qudt:iec61360Code "0112/2///62720#UAA027" ; - qudt:plainTextDescription "unit for the determination of the density of petroleum at 60 degrees F (15.56 degrees C)" ; - qudt:symbol "°API" ; - qudt:uneceCommonCode "J13" ; - rdfs:isDefinedBy ; - rdfs:label "Degree API"@en ; -. -unit:DEGREE_BALLING - a qudt:Unit ; - dcterms:description "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA031" ; - qudt:plainTextDescription "unit for the mixing ratio of a soluble dry substance in water at 17.5 degrees C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/ water solution corresponds to 1 degree Balling and respectively a one percent solution" ; - qudt:symbol "°Balling" ; - qudt:uneceCommonCode "J17" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Balling"@en ; -. -unit:DEGREE_BAUME - a qudt:Unit ; - dcterms:description """graduation of the areometer scale for determination of densitiy of fluids. - -The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA028" ; - qudt:plainTextDescription """graduation of the areometer scale for determination of densitiy of fluids. - -The Baumé scale is a pair of hydrometer scales developed by French pharmacist Antoine Baumé in 1768 to measure density of various liquids. The unit of the Baumé scale has been notated variously as degrees Baumé, B°, Bé° and simply Baumé (the accent is not always present). One scale measures the density of liquids heavier than water and the other, liquids lighter than water. The Baumé of distilled water is 0. The API gravity scale is based on errors in early implementations of the Baumé scale.""" ; - qudt:symbol "°Bé{origin}" ; - qudt:uneceCommonCode "J14" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Baume (origin Scale)"@en ; -. -unit:DEGREE_BAUME_US_HEAVY - a qudt:Unit ; - dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA029" ; - qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are heavier than water" ; - qudt:symbol "°Bé{US Heavy}" ; - qudt:uneceCommonCode "J15" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Baume (US Heavy)"@en ; -. -unit:DEGREE_BAUME_US_LIGHT - a qudt:Unit ; - dcterms:description "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA030" ; - qudt:plainTextDescription "graduation of the areometer scale for determination of density of fluids according to the Anglo-American system of units, which are lighter than water" ; - qudt:symbol "°Bé{US Light}" ; - qudt:uneceCommonCode "J16" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Baume (US Light)"@en ; -. -unit:DEGREE_BRIX - a qudt:Unit ; - dcterms:description "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA032" ; - qudt:plainTextDescription "unit named according to Adolf Brix for the mixing ratio of a soluble dry substance in water with 15.5 °C similar to the percent designation for solutions, in which a solution of 1 g saccharose in 100 g saccharose/water solution corresponds to 1 °Brix and respectively an one percent solution" ; - qudt:symbol "°Bx" ; - qudt:uneceCommonCode "J18" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Brix"@en ; -. -unit:DEGREE_OECHSLE - a qudt:Unit ; - dcterms:description "unit of the density of the must, as measure for the proportion of the soluble material in the grape must"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA048" ; - qudt:plainTextDescription "unit of the density of the must, as measure for the proportion of the soluble material in the grape must" ; - qudt:symbol "°Oe" ; - qudt:uneceCommonCode "J27" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Oechsle"@en ; -. -unit:DEGREE_PLATO - a qudt:Unit ; - dcterms:description "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA049" ; - qudt:plainTextDescription "unit for the mixing ratio of the original gravity in the beer brew at 17,5 °C before the fermentation" ; - qudt:symbol "°P" ; - qudt:uneceCommonCode "PLA" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Plato"@en ; -. -unit:DEGREE_TWADDELL - a qudt:Unit ; - dcterms:description "unit of the density of fluids, which are heavier than water"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA054" ; - qudt:plainTextDescription "unit of the density of fluids, which are heavier than water" ; - qudt:symbol "°Tw" ; - qudt:uneceCommonCode "J31" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Twaddell"@en ; -. -unit:DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Celsius}\\), also known as centigrade, is a scale and unit of measurement for temperature. It can refer to a specific temperature on the Celsius scale as well as a unit to indicate a temperature interval, a difference between two temperatures or an uncertainty. This definition fixes the magnitude of both the degree Celsius and the kelvin as precisely 1 part in 273.16 (approximately 0.00366) of the difference between absolute zero and the triple point of water. Thus, it sets the magnitude of one degree Celsius and that of one kelvin as exactly the same. Additionally, it establishes the difference between the two scales' null points as being precisely \\(273.15\\,^{\\circ}{\\rm C}\\).

"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 273.15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; - qudt:expression "\\(degC\\)"^^qudt:LatexString ; - qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML ; - qudt:guidance "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:iec61360Code "0112/2///62720#UAA033" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\,^{\\circ}{\\rm C}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "°C" ; - qudt:ucumCode "Cel"^^qudt:UCUMcs ; - qudt:udunitsCode "°C" ; - qudt:udunitsCode "℃" ; - qudt:uneceCommonCode "CEL" ; - rdfs:isDefinedBy ; - rdfs:label "Celsius-fok"@hu ; - rdfs:label "Grad Celsius"@de ; - rdfs:label "celsius"@tr ; - rdfs:label "darjah celsius"@ms ; - rdfs:label "degree Celsius"@en ; - rdfs:label "degré celsius"@fr ; - rdfs:label "grad celsius"@ro ; - rdfs:label "grado celsius"@es ; - rdfs:label "grado celsius"@it ; - rdfs:label "gradus celsii"@la ; - rdfs:label "grau celsius"@pt ; - rdfs:label "stopień celsjusza"@pl ; - rdfs:label "stopinja Celzija"@sl ; - rdfs:label "stupně celsia"@cs ; - rdfs:label "βαθμός Κελσίου"@el ; - rdfs:label "градус Целзий"@bg ; - rdfs:label "градус Цельсия"@ru ; - rdfs:label "צלזיוס"@he ; - rdfs:label "درجة مئوية"@ar ; - rdfs:label "درجه سانتی گراد/سلسیوس"@fa ; - rdfs:label "सेल्सियस"@hi ; - rdfs:label "セルシウス度"@ja ; - rdfs:label "摄氏度"@zh ; - skos:altLabel "degree-centigrade" ; -. -unit:DEG_C-CentiM - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Celsius Centimeter} is a C.G.S System unit for 'Length Temperature' expressed as \\(cm-degC\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(cm-degC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:LengthTemperature ; - qudt:symbol "°C⋅cm" ; - qudt:ucumCode "Cel.cm"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius Centimeter"@en-us ; - rdfs:label "Degree Celsius Centimetre"@en ; -. -unit:DEG_C-KiloGM-PER-M2 - a qudt:Unit ; - dcterms:description "Derived unit for the product of the temperature in degrees Celsius and the mass density of a medium, integrated over vertical depth or height in metres."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H1T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "°C⋅kg/m²" ; - qudt:ucumCode "Cel.kg.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degrees Celsius kilogram per square metre"@en ; -. -unit:DEG_C-PER-HR - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Celsius per Hour} is a unit for 'Temperature Per Time' expressed as \\(degC / hr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(degC / hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA036" ; - qudt:symbol "°C/hr" ; - qudt:ucumCode "Cel.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "Cel/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H12" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius per Hour"@en ; -. -unit:DEG_C-PER-K - a qudt:Unit ; - dcterms:description "unit with the name Degree Celsius divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:TemperatureRatio ; - qudt:iec61360Code "0112/2///62720#UAA034" ; - qudt:plainTextDescription "unit with the name Degree Celsius divided by the SI base unit kelvin" ; - qudt:symbol "°C/K" ; - qudt:ucumCode "Cel.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "Cel/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E98" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius Per Kelvin"@en ; -. -unit:DEG_C-PER-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:TemperatureGradient ; - qudt:symbol "°C/m" ; - qudt:ucumCode "Cel.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degrees Celsius per metre"@en ; -. -unit:DEG_C-PER-MIN - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Celsius per Minute} is a unit for 'Temperature Per Time' expressed as \\(degC / m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(degC / m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA037" ; - qudt:symbol "°C/m" ; - qudt:ucumCode "Cel.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "Cel/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H13" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius per Minute"@en ; -. -unit:DEG_C-PER-SEC - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Celsius per Second} is a unit for 'Temperature Per Time' expressed as \\(degC / s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(degC / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA038" ; - qudt:symbol "°C/s" ; - qudt:ucumCode "Cel.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "Cel/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H14" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius per Second"@en ; -. -unit:DEG_C-PER-YR - a qudt:Unit ; - dcterms:description "A rate of change of temperature expressed on the Celsius scale over a period of an average calendar year (365.25 days)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.16880878140289e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:symbol "°C/yr" ; - qudt:ucumCode "Cel.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degrees Celsius per year"@en ; -. -unit:DEG_C-WK - a qudt:Unit ; - dcterms:description "temperature multiplied by unit of time."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 6.04800e05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:TimeTemperature ; - qudt:symbol "°C/wk" ; - qudt:ucumCode "Cel.wk"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree Celsius week"@en ; -. -unit:DEG_C2-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "°C²⋅s" ; - qudt:ucumCode "K2.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Degrees Celsius per second"@en ; -. -unit:DEG_C_GROWING_CEREAL-DAY - a qudt:Unit ; - dcterms:description "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops."^^rdf:HTML ; - qudt:conversionMultiplier "86400"^^xsd:double ; - qudt:conversionOffset "0.0"^^xsd:double ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:GrowingDegreeDay_Cereal ; - qudt:plainTextDescription "The sum of excess temperature over 5.5°C, where the temperature is the mean of the minimum and maximum atmospheric temperature in a day. This measure is appropriate for most cereal crops." ; - qudt:symbol "GDD" ; - rdfs:isDefinedBy ; - rdfs:label "Growing Degree Days (Cereals)"@en ; -. -unit:DEG_F - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Fahrenheit} is an Imperial unit for 'Thermodynamic Temperature' expressed as \\(\\,^{\\circ}{\\rm F}\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.5555555555555556 ; - qudt:conversionOffset 459.67 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:iec61360Code "0112/2///62720#UAA039" ; - qudt:omUnit ; - qudt:symbol "°F" ; - qudt:ucumCode "[degF]"^^qudt:UCUMcs ; - qudt:udunitsCode "°F" ; - qudt:udunitsCode "℉" ; - qudt:uneceCommonCode "FAH" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit"@en ; -. -unit:DEG_F-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description ""^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF-hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:symbol "°F⋅hr" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit Hour"@en ; -. -unit:DEG_F-HR-FT2-PER-BTU_IT - a qudt:Unit ; - dcterms:description "unit of the thermal resistor according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.89563 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:iec61360Code "0112/2///62720#UAA043" ; - qudt:plainTextDescription "unit of the thermal resistor according to the Imperial system of units" ; - qudt:symbol "°F⋅hr⋅ft²/Btu{IT}" ; - qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_IT]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/(h.[ft_i]2.[Btu_IT])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J22" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (international Table)"@en ; -. -unit:DEG_F-HR-FT2-PER-BTU_TH - a qudt:Unit ; - dcterms:description "unit of the thermal resistor according to the according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.8969 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:iec61360Code "0112/2///62720#UAA040" ; - qudt:plainTextDescription "unit of the thermal resistor according to the according to the Imperial system of units" ; - qudt:symbol "°F⋅hr⋅ft²/Btu{th}" ; - qudt:ucumCode "[degF].h-1.[ft_i]-2.[Btu_th]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/(h.[ft_i]2.[Btu_th])"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J19" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit Hour Square Foot per British Thermal Unit (thermochemical)"@en ; -. -unit:DEG_F-HR-PER-BTU_IT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Fahrenheit Hour per BTU} is an Imperial unit for 'Thermal Resistance' expressed as \\(degF-hr/Btu\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF-hr/Btu\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistance ; - qudt:symbol "°F⋅hr/Btu" ; - qudt:ucumCode "[degF].h.[Btu_IT]-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF].h/[Btu_IT]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit Hour per BTU"@en ; -. -unit:DEG_F-PER-HR - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Fahrenheit per Hour} is a unit for 'Temperature Per Time' expressed as \\(degF / h\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF / h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA044" ; - qudt:symbol "°F/h" ; - qudt:ucumCode "[degF].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J23" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit per Hour"@en ; -. -unit:DEG_F-PER-K - a qudt:Unit ; - dcterms:description "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.5555556 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:TemperatureRatio ; - qudt:iec61360Code "0112/2///62720#UAA041" ; - qudt:plainTextDescription "traditional unit degree Fahrenheit for temperature according to the Anglo-American system of units divided by the SI base unit Kelvin" ; - qudt:symbol "°F/K" ; - qudt:ucumCode "[degF].K-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J20" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit Per Kelvin"@en ; -. -unit:DEG_F-PER-MIN - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Fahrenheit per Minute} is a unit for 'Temperature Per Time' expressed as \\(degF / m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF / m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA045" ; - qudt:symbol "°F/m" ; - qudt:ucumCode "[degF].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J24" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit per Minute"@en ; -. -unit:DEG_F-PER-SEC - a qudt:Unit ; - dcterms:description "\\(\\textbf{Degree Fahrenheit per Second} is a unit for 'Temperature Per Time' expressed as \\(degF / s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA046" ; - qudt:symbol "°F/s" ; - qudt:ucumCode "[degF].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J25" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit per Second"@en ; -. -unit:DEG_F-PER-SEC2 - a qudt:Unit ; - dcterms:description "\\(\\textit{Degree Fahrenheit per Square Second}\\) is a C.G.S System unit for expressing the acceleration of a temperature expressed as \\(degF / s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.5555555555555556 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(degF / s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; - qudt:plainTextDescription "'Degree Fahrenheit per Square Second' is a unit for expressing the acceleration of a temperature expressed as 'degF /s2'." ; - qudt:symbol "°F/s²" ; - qudt:ucumCode "[degF].s-2"^^qudt:UCUMcs ; - qudt:ucumCode "[degF]/s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Degree Fahrenheit per Square Second"@en ; -. -unit:DEG_R - a qudt:Unit ; - dcterms:description "Rankine is a thermodynamic (absolute) temperature scale. The symbol for degrees Rankine is \\(^\\circ R\\) or \\(^\\circ Ra\\) if necessary to distinguish it from the Rømer and Réaumur scales). Zero on both the Kelvin and Rankine scales is absolute zero, but the Rankine degree is defined as equal to one degree Fahrenheit, rather than the one degree Celsius used by the Kelvin scale. A temperature of \\(-459.67 ^\\circ F\\) is exactly equal to \\(0 ^\\circ R\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.5555555555555556 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:iec61360Code "0112/2///62720#UAA050" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rankine_scale"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "°R" ; - qudt:ucumCode "[degR]"^^qudt:UCUMcs ; - qudt:udunitsCode "°R" ; - qudt:uneceCommonCode "A48" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Rankine"@en ; -. -unit:DEG_R-PER-HR - a qudt:Unit ; - dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one hour.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:expression "\\(degR / h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA051" ; - qudt:symbol "°R/h" ; - qudt:ucumCode "[degR].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degR]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J28" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Rankine per Hour"@en ; -. -unit:DEG_R-PER-MIN - a qudt:Unit ; - dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one minute\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:expression "\\(degR / m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA052" ; - qudt:symbol "°R/m" ; - qudt:ucumCode "[degR].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degR]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J29" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Rankine per Minute"@en ; -. -unit:DEG_R-PER-SEC - a qudt:Unit ; - dcterms:description "\\(A rate of change of temperature measured in degree Rankine in periods of one second.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:expression "\\(degR / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA053" ; - qudt:symbol "°R/s" ; - qudt:ucumCode "[degR].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[degR]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J30" ; - rdfs:isDefinedBy ; - rdfs:label "Degree Rankine per Second"@en ; -. -unit:DIOPTER - a qudt:Unit ; - dcterms:description "A dioptre, or diopter, is a unit of measurement for the optical power of a lens or curved mirror, which is equal to the reciprocal of the focal length measured in metres (that is, \\(1/metre\\)). For example, a \\(3 \\; dioptre\\) lens brings parallel rays of light to focus at \\(1/3\\,metre\\). The same unit is also sometimes used for other reciprocals of distance, particularly radii of curvature and the vergence of optical beams. Though the diopter is based on the SI-metric system it has not been included in the standard so that there is no international name or abbreviation for this unit of measurement within the international system of units this unit for optical power would need to be specified explicitly as the inverse metre."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dioptre"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Curvature ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dioptre?oldid=492506920"^^xsd:anyURI ; - qudt:symbol "D" ; - qudt:ucumCode "[diop]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q25" ; - rdfs:isDefinedBy ; - rdfs:label "Diopter"@en ; -. -unit:DPI - a qudt:Unit ; - dcterms:description "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; - qudt:conversionMultiplier 39.37008 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:iec61360Code "0112/2///62720#UAA421" ; - qudt:plainTextDescription "point density as amount of the picture base element divided by the unit inch according to the Anglo-American and the Imperial system of units" ; - qudt:symbol "DPI" ; - qudt:ucumCode "{dot}/[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E39" ; - rdfs:isDefinedBy ; - rdfs:label "Dots Per Inch"@en ; -. -unit:DRAM_UK - a qudt:Unit ; - dcterms:description "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0017718451953125 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB181" ; - qudt:plainTextDescription "non SI-conforming unit of mass comes from the Anglo-American Troy or Apothecaries' Weight System of units which is mainly used in England, in the Netherlands and in the USA as a commercial weight" ; - qudt:symbol "dr{UK}" ; - qudt:ucumCode "[dr_ap]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DRI" ; - rdfs:isDefinedBy ; - rdfs:label "Dram (UK)"@en ; -. -unit:DRAM_US - a qudt:Unit ; - dcterms:description "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0038879346 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB180" ; - qudt:plainTextDescription "non SI-conform unit of the mass according to the avoirdupois system of units: 1 dram (av. ) = 1/16 ounce (av. ) = 1/256 pound (av.)" ; - qudt:symbol "dr{US}" ; - qudt:ucumCode "[dr_av]"^^qudt:UCUMcs ; - qudt:udunitsCode "dr" ; - qudt:udunitsCode "fldr" ; - qudt:uneceCommonCode "DRA" ; - rdfs:isDefinedBy ; - rdfs:label "Dram (US)"@en ; -. -unit:DWT - a qudt:Unit ; - dcterms:description "\"Penny Weight\" is a unit for 'Mass' expressed as \\(dwt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00155517384 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pennyweight"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pennyweight?oldid=486693644"^^xsd:anyURI ; - qudt:symbol "dwt" ; - qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DWT" ; - rdfs:isDefinedBy ; - rdfs:label "Penny Weight"@en ; - skos:altLabel "dryquartus" ; -. -unit:DYN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to In physics, the dyne is a unit of force specified in the centimetre-gram-second (CGS) system of units. One dyne is equal to \\SI{10}{\\micro\\newton}. Equivalently, the dyne is defined as 'the force required to accelerate a mass of one gram at a rate of one centimetre per square second'. The dyne per centimetre is the unit traditionally used to measure surface tension."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dyne"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA422" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dyne?oldid=494703827"^^xsd:anyURI ; - qudt:latexDefinition "\\(g\\cdot cm/s^{2}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "dyn" ; - qudt:ucumCode "dyn"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DU" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne"@en ; -. -unit:DYN-CentiM - a qudt:Unit ; - dcterms:description "\"Dyne Centimeter\" is a C.G.S System unit for 'Torque' expressed as \\(dyn-cm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(dyn-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA423" ; - qudt:symbol "dyn⋅cm" ; - qudt:ucumCode "dyn.cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J94" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne Centimeter"@en-us ; - rdfs:label "Dyne Centimetre"@en ; -. -unit:DYN-PER-CentiM - a qudt:Unit ; - dcterms:description "CGS unit of the surface tension"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAB106" ; - qudt:plainTextDescription "CGS unit of the surface tension" ; - qudt:symbol "dyn/cm" ; - qudt:ucumCode "dyn.cm-1"^^qudt:UCUMcs ; - qudt:ucumCode "dyn/cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DX" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne Per Centimeter"@en-us ; - rdfs:label "Dyne Per Centimetre"@en ; -. -unit:DYN-PER-CentiM2 - a qudt:Unit ; - dcterms:description "\"Dyne per Square Centimeter\" is a C.G.S System unit for 'Force Per Area' expressed as \\(dyn/cm^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.1 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(dyn/cm^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA424" ; - qudt:symbol "dyn/cm²" ; - qudt:ucumCode "dyn.cm-2"^^qudt:UCUMcs ; - qudt:ucumCode "dyn/cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D9" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne per Square Centimeter"@en-us ; - rdfs:label "Dyne per Square Centimetre"@en ; -. -unit:DYN-SEC-PER-CentiM - a qudt:Unit ; - dcterms:description "CGS unit of the mechanical impedance"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB144" ; - qudt:plainTextDescription "CGS unit of the mechanical impedance" ; - qudt:symbol "dyn⋅s/cm" ; - qudt:ucumCode "dyn.s.cm-1"^^qudt:UCUMcs ; - qudt:ucumCode "dyn.s/cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A51" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne Second Per Centimeter"@en-us ; - rdfs:label "Dyne Second Per Centimetre"@en ; -. -unit:DYN-SEC-PER-CentiM3 - a qudt:Unit ; - dcterms:description "CGS unit of the acoustic image impedance of the medium"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:iec61360Code "0112/2///62720#UAB102" ; - qudt:plainTextDescription "CGS unit of the acoustic image impedance of the medium" ; - qudt:symbol "dyn⋅s/cm³" ; - qudt:ucumCode "dyn.s.cm-3"^^qudt:UCUMcs ; - qudt:ucumCode "dyn.s/cm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A50" ; - rdfs:isDefinedBy ; - rdfs:label "Dyne Second Per Cubic Centimeter"@en-us ; - rdfs:label "Dyne Second Per Cubic Centimetre"@en ; -. -unit:Da - a qudt:Unit ; - dcterms:description "The unified atomic mass unit (symbol: \\(\\mu\\)) or dalton (symbol: Da) is a unit that is used for indicating mass on an atomic or molecular scale. It is defined as one twelfth of the rest mass of an unbound atom of carbon-12 in its nuclear and electronic ground state, and has a value of \\(1.660538782(83) \\times 10^{-27} kg\\). One \\(Da\\) is approximately equal to the mass of one proton or one neutron. The CIPM have categorised it as a \"non-SI unit whose values in SI units must be obtained experimentally\"."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.66053878283e-27 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dalton"^^xsd:anyURI ; - qudt:exactMatch unit:AMU ; - qudt:exactMatch unit:U ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolecularMass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dalton?oldid=495038954"^^xsd:anyURI ; - qudt:symbol "Da" ; - qudt:ucumCode "u"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D43" ; - rdfs:isDefinedBy ; - rdfs:label "Dalton"@en ; - skos:altLabel "atomic-mass-unit" ; -. -unit:Debye - a qudt:Unit ; - dcterms:description "\"Debye\" is a C.G.S System unit for 'Electric Dipole Moment' expressed as \\(D\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.33564e-30 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Debye"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricDipoleMoment ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Debye?oldid=492149112"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "D" ; - rdfs:isDefinedBy ; - rdfs:label "Debye"@en ; -. -unit:DecaARE - a qudt:Unit ; - dcterms:description "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAB049" ; - qudt:plainTextDescription "unit of the area which is mainly common in the agriculture and forestry: 1 da = 10 a" ; - qudt:symbol "daa" ; - qudt:ucumCode "daar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DAA" ; - rdfs:isDefinedBy ; - rdfs:label "Decare"@en ; -. -unit:DecaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A DecaCoulomb is \\(10 C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Deca ; - qudt:symbol "daC" ; - qudt:ucumCode "daC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "DecaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:DecaGM - a qudt:Unit ; - dcterms:description "0,01-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB075" ; - qudt:plainTextDescription "0,01-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Deca ; - qudt:symbol "dag" ; - qudt:ucumCode "dag"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DJ" ; - rdfs:isDefinedBy ; - rdfs:label "Decagram"@en ; -. -unit:DecaL - a qudt:Unit ; - dcterms:description "10-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB115" ; - qudt:plainTextDescription "10-fold of the unit litre" ; - qudt:symbol "daL" ; - qudt:ucumCode "daL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A44" ; - rdfs:isDefinedBy ; - rdfs:label "Decalitre"@en ; - rdfs:label "Decalitre"@en-us ; -. -unit:DecaM - a qudt:Unit ; - dcterms:description "10-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB064" ; - qudt:plainTextDescription "10-fold of the SI base unit metre" ; - qudt:prefix prefix:Deca ; - qudt:symbol "dam" ; - qudt:ucumCode "dam"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A45" ; - rdfs:isDefinedBy ; - rdfs:label "Decameter"@en-us ; - rdfs:label "Decametre"@en ; -. -unit:DecaM3 - a qudt:Unit ; - dcterms:description "1 000-fold of the power of the SI base unit metre by exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB179" ; - qudt:plainTextDescription "1 000-fold of the power of the SI base unit metre by exponent 3" ; - qudt:prefix prefix:Deca ; - qudt:symbol "dam³" ; - qudt:ucumCode "dam3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DMA" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decameter"@en-us ; - rdfs:label "Cubic Decametre"@en ; -. -unit:DecaPA - a qudt:Unit ; - dcterms:description "10-fold of the derived SI unit pascal"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB375" ; - qudt:plainTextDescription "10-fold of the derived SI unit pascal" ; - qudt:prefix prefix:Deca ; - qudt:symbol "daPa" ; - qudt:ucumCode "daPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H75" ; - rdfs:isDefinedBy ; - rdfs:label "Decapascal"@en ; -. -unit:DeciB - a qudt:DimensionlessUnit ; - a qudt:LogarithmicUnit ; - a qudt:Unit ; - dcterms:description "A customary logarithmic measure most commonly used (in various ways) for measuring sound.Sound is measured on a logarithmic scale. Informally, if one sound is \\(1\\,bel\\) (10 decibels) \"louder\" than another, this means the louder sound is 10 times louder than the fainter one. A difference of 20 decibels corresponds to an increase of 10 x 10 or 100 times in intensity. The beginning of the scale, 0 decibels, can be set in different ways, depending on exactly the aspect of sound being measured. For sound intensity (the power of the sound waves per unit of area) \\(0\\,decibel\\) is equal to \\(1\\,picoWatts\\,per\\,Metre\\,Squared\\). This corresponds approximately to the faintest sound that can be detected by a person who has good hearing. For sound pressure (the pressure exerted by the sound waves) 0 decibels equals \\(20\\,micropascals\\,RMS\\), and for sound power \\(0\\,decibels\\) sometimes equals \\(1\\,picoWatt\\). In all cases, one decibel equals \\(\\approx\\,0.115129\\,neper\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Decibel"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SoundExposureLevel ; - qudt:hasQuantityKind quantitykind:SoundPowerLevel ; - qudt:hasQuantityKind quantitykind:SoundPressureLevel ; - qudt:hasQuantityKind quantitykind:SoundReductionIndex ; - qudt:iec61360Code "0112/2///62720#UAA409" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Decibel?oldid=495380648"^^xsd:anyURI ; - qudt:symbol "dB" ; - qudt:ucumCode "dB"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2N" ; - rdfs:isDefinedBy ; - rdfs:label "Decibel"@en ; -. -unit:DeciBAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 10000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:prefix prefix:Deci ; - qudt:symbol "dbar" ; - qudt:ucumCode "dbar"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Decibar"@en ; -. -unit:DeciBAR-PER-YR - a qudt:Unit ; - dcterms:description "A rate of change of pressure expressed in decibars over a period of an average calendar year (365.25 days)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.00031688 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "dbar/yr" ; - qudt:ucumCode "dbar.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Decibars per year"@en ; -. -unit:DeciB_C - a qudt:Unit ; - dcterms:description "\"Decibel Carrier Unit\" is a unit for 'Signal Detection Threshold' expressed as \\(dBc\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SignalDetectionThreshold ; - qudt:symbol "dBc" ; - rdfs:isDefinedBy ; - rdfs:label "Decibel Carrier Unit"@en ; -. -unit:DeciB_M - a qudt:DimensionlessUnit ; - a qudt:Unit ; - dcterms:description "\"Decibel Referred to 1mw\" is a 'Dimensionless Ratio' expressed as \\(dBm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SoundExposureLevel ; - qudt:hasQuantityKind quantitykind:SoundPowerLevel ; - qudt:hasQuantityKind quantitykind:SoundPressureLevel ; - qudt:hasQuantityKind quantitykind:SoundReductionIndex ; - qudt:symbol "dBmW" ; - qudt:udunitsCode "Bm" ; - qudt:uneceCommonCode "DBM" ; - rdfs:isDefinedBy ; - rdfs:label "Decibel Referred to 1mw"@en ; -. -unit:DeciC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A DeciCoulomb is \\(10^{-1} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Deci ; - qudt:symbol "dC" ; - qudt:ucumCode "dC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "DeciCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:DeciGM - a qudt:Unit ; - dcterms:description "0.0001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB076" ; - qudt:plainTextDescription "0.0001-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Deci ; - qudt:symbol "dg" ; - qudt:ucumCode "dg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DG" ; - rdfs:isDefinedBy ; - rdfs:label "Decigram"@en ; -. -unit:DeciL - a qudt:Unit ; - dcterms:description "0.1-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB113" ; - qudt:plainTextDescription "0.1-fold of the unit litre" ; - qudt:symbol "dL" ; - qudt:ucumCode "dL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DLT" ; - rdfs:isDefinedBy ; - rdfs:label "Decilitre"@en ; - rdfs:label "Decilitre"@en-us ; -. -unit:DeciL-PER-GM - a qudt:Unit ; - dcterms:description "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:iec61360Code "0112/2///62720#UAB094" ; - qudt:plainTextDescription "0.1-fold of the unit of the volume litre divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "dL/g" ; - qudt:ucumCode "dL.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "dL/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "22" ; - rdfs:isDefinedBy ; - rdfs:label "Decilitre Per Gram"@en ; - rdfs:label "Decilitre Per Gram"@en-us ; -. -unit:DeciM - a qudt:Unit ; - dcterms:description "A decimeter is a tenth of a meter."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA412" ; - qudt:prefix prefix:Deci ; - qudt:symbol "dm" ; - qudt:ucumCode "dm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DMT" ; - rdfs:isDefinedBy ; - rdfs:label "Decimeter"@en-us ; - rdfs:label "Decimetre"@en ; -. -unit:DeciM2 - a qudt:Unit ; - dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA413" ; - qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:prefix prefix:Deci ; - qudt:symbol "dm²" ; - qudt:ucumCode "dm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DMK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Decimeter"@en-us ; - rdfs:label "Square Decimetre"@en ; -. -unit:DeciM3 - a qudt:Unit ; - dcterms:description "0.1-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA414" ; - qudt:plainTextDescription "0.1-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:prefix prefix:Deci ; - qudt:symbol "dm³" ; - qudt:ucumCode "dm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DMQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter"@en-us ; - rdfs:label "Cubic Decimetre"@en ; -. -unit:DeciM3-PER-DAY - a qudt:Unit ; - dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407407e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA415" ; - qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time day" ; - qudt:symbol "dm³/day" ; - qudt:ucumCode "dm3.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J90" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Day"@en-us ; - rdfs:label "Cubic Decimetre Per Day"@en ; -. -unit:DeciM3-PER-HR - a qudt:Unit ; - dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA416" ; - qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit hour" ; - qudt:symbol "dm³/hr" ; - qudt:ucumCode "dm3.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E92" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Hour"@en-us ; - rdfs:label "Cubic Decimetre Per Hour"@en ; -. -unit:DeciM3-PER-M3 - a qudt:Unit ; - dcterms:description "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA417" ; - qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "dm³/m³" ; - qudt:ucumCode "dm3.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J91" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Cubic Meter"@en-us ; - rdfs:label "Cubic Decimetre Per Cubic Metre"@en ; -. -unit:DeciM3-PER-MIN - a qudt:Unit ; - dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA418" ; - qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time minute" ; - qudt:symbol "dm³/min" ; - qudt:ucumCode "dm3.min-3"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/min3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J92" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Minute"@en-us ; - rdfs:label "Cubic Decimetre Per Minute"@en ; -. -unit:DeciM3-PER-MOL - a qudt:Unit ; - dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarRefractivity ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:iec61360Code "0112/2///62720#UAA419" ; - qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the SI base unit mol" ; - qudt:symbol "dm³/mol" ; - qudt:ucumCode "dm3.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A37" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Mole"@en-us ; - rdfs:label "Cubic Decimetre Per Mole"@en ; -. -unit:DeciM3-PER-SEC - a qudt:Unit ; - dcterms:description "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA420" ; - qudt:plainTextDescription "0,001-fold of the power of the SI base unit metre with the exponent 3 divided by the unit for time second" ; - qudt:symbol "dm³/s" ; - qudt:ucumCode "dm3.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "dm3/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J93" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Decimeter Per Second"@en-us ; - rdfs:label "Cubic Decimetre Per Second"@en ; -. -unit:DeciN - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:symbol "dN" ; - rdfs:isDefinedBy ; - rdfs:label "DeciNewton"@en ; -. -unit:DeciN-M - a qudt:Unit ; - dcterms:description "0.1-fold of the product of the derived SI unit joule and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAB084" ; - qudt:plainTextDescription "0.1-fold of the product of the derived SI unit joule and the SI base unit metre" ; - qudt:symbol "dN⋅m" ; - qudt:ucumCode "dN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DN" ; - rdfs:isDefinedBy ; - rdfs:label "Decinewton Meter"@en-us ; - rdfs:label "Decinewton Metre"@en ; -. -unit:DeciS - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:symbol "dS" ; - rdfs:isDefinedBy ; - rdfs:label "DeciSiemens"@en ; -. -unit:DeciS-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Decisiemens per metre."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:plainTextDescription "Decisiemens per metre." ; - qudt:symbol "dS/m" ; - qudt:ucumCode "dS.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "dS/m"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "decisiemens per meter"@en-us ; - rdfs:label "decisiemens per metre"@en ; -. -unit:DeciTONNE - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:exactMatch unit:DeciTON_Metric ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "dt" ; - qudt:uneceCommonCode "DTN" ; - rdfs:isDefinedBy ; - rdfs:label "DeciTonne"@en ; -. -unit:DeciTON_Metric - a qudt:Unit ; - dcterms:description "100-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:exactMatch unit:DeciTONNE ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB078" ; - qudt:plainTextDescription "100-fold of the SI base unit kilogram" ; - qudt:symbol "dt" ; - qudt:ucumCode "dt"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DTN" ; - rdfs:isDefinedBy ; - rdfs:label "Metric DeciTON"@en ; -. -unit:Denier - a qudt:Unit ; - dcterms:description "Denier or den is a unit of measure for the linear mass density of fibers. It is defined as the mass in grams per 9,000 meters. In the International System of Units the tex is used instead (see below). The denier is based on a natural standard: a single strand of silk is approximately one denier. A 9,000-meter strand of silk weighs about one gram. The term denier is from the French denier, a coin of small value (worth 1/12 of a sou). Applied to yarn, a denier was held to be equal in weight to 1/24 of an ounce. The term microdenier is used to describe filaments that weigh less than one gram per 9,000 meter length."^^rdf:HTML ; - qudt:conversionMultiplier 1.1e-07 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Denier"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAB244" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Denier?oldid=463382291"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Units_of_textile_measurement#Denier"^^xsd:anyURI ; - qudt:symbol "D" ; - qudt:ucumCode "[den]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A49" ; - rdfs:isDefinedBy ; - rdfs:label "Denier"@en ; -. -unit:E - a qudt:Unit ; - dcterms:description "\"Elementary Charge\", usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:symbol "e" ; - qudt:ucumCode "[e]"^^qudt:UCUMcs ; - qudt:udunitsCode "e" ; - rdfs:isDefinedBy ; - rdfs:label "Elementary Charge"@en ; -. -unit:ERG - a qudt:Unit ; - dcterms:description "An erg is the unit of energy and mechanical work in the centimetre-gram-second (CGS) system of units, symbol 'erg'. Its name is derived from the Greek ergon, meaning 'work'. An erg is the amount of work done by a force of one dyne exerted for a distance of one centimeter. In the CGS base units, it is equal to one gram centimeter-squared per second-squared (\\(g \\cdot cm^2/s^2\\)). It is thus equal to \\(10^{-7}\\) joules or 100 nanojoules in SI units. \\(1 erg = 10^{-7} J = 100 nJ\\), \\(1 erg = 624.15 GeV = 6.2415 \\times 10^{11} eV\\), \\(1 erg = 1 dyne\\cdot cm = 1 g \\cdot cm^2/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Erg"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA429" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Erg?oldid=490293432"^^xsd:anyURI ; - qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{2}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "erg" ; - qudt:ucumCode "erg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A57" ; - rdfs:isDefinedBy ; - rdfs:label "Erg"@en ; -. -unit:ERG-PER-CentiM - a qudt:Unit ; - dcterms:description "CGS unit of the length-related energy"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; - qudt:iec61360Code "0112/2///62720#UAB145" ; - qudt:plainTextDescription "CGS unit of the length-related energy" ; - qudt:symbol "erg/cm" ; - qudt:ucumCode "erg.cm-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A58" ; - rdfs:isDefinedBy ; - rdfs:label "Erg Per Centimeter"@en-us ; - rdfs:label "Erg Per Centimetre"@en ; -. -unit:ERG-PER-CentiM2-SEC - a qudt:Unit ; - dcterms:description "\"Erg per Square Centimeter Second\" is a C.G.S System unit for 'Power Per Area' expressed as \\(erg/(cm^{2}-s)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.001 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(erg/(cm^{2}-s)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAB055" ; - qudt:symbol "erg/(cm²⋅s)" ; - qudt:ucumCode "erg.cm-2.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/(cm2.s)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A65" ; - rdfs:isDefinedBy ; - rdfs:label "Erg per Square Centimeter Second"@en-us ; - rdfs:label "Erg per Square Centimetre Second"@en ; -. -unit:ERG-PER-CentiM3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.1 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(erg-per-cm3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:iec61360Code "0112/2///62720#UAB146" ; - qudt:symbol "erg/cm³" ; - qudt:ucumCode "erg.cm-3"^^qudt:UCUMcs ; - qudt:ucumCode "erg/cm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A60" ; - rdfs:isDefinedBy ; - rdfs:label "Erg per Cubic Centimeter"@en-us ; - rdfs:label "Erg per Cubic Centimetre"@en ; -. -unit:ERG-PER-G - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.0001 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(erg-per-g\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB061" ; - qudt:symbol "erg/g" ; - qudt:ucumCode "erg.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A61" ; - rdfs:isDefinedBy ; - rdfs:label "Erg per Gram"@en ; -. -unit:ERG-PER-GM - a qudt:Unit ; - dcterms:description "CGS unit of the mass-related energy"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB061" ; - qudt:plainTextDescription "CGS unit of the mass-related energy" ; - qudt:symbol "erg/g" ; - qudt:ucumCode "erg.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A61" ; - rdfs:isDefinedBy ; - rdfs:label "Erg Per Gram"@en ; -. -unit:ERG-PER-GM-SEC - a qudt:Unit ; - dcterms:description "CGS unit of the mass-related power"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:hasQuantityKind quantitykind:SpecificPower ; - qudt:iec61360Code "0112/2///62720#UAB147" ; - qudt:plainTextDescription "CGS unit of the mass-related power" ; - qudt:symbol "erg/(g⋅s)" ; - qudt:ucumCode "erg.g-1.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/(g.s)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A62" ; - rdfs:isDefinedBy ; - rdfs:label "Erg Per Gram Second"@en ; -. -unit:ERG-PER-SEC - a qudt:Unit ; - dcterms:description "\"Erg per Second\" is a C.G.S System unit for 'Power' expressed as \\(erg/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(erg/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA430" ; - qudt:latexDefinition "\\(g\\cdot cm^{2}/s^{3}\\)"^^qudt:LatexString ; - qudt:symbol "erg/s" ; - qudt:ucumCode "erg.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "erg/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A63" ; - rdfs:isDefinedBy ; - rdfs:label "Erg per Second"@en ; -. -unit:ERG-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:symbol "erg⋅s" ; - qudt:ucumCode "erg.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Erg Second"@en ; -. -unit:ERLANG - a qudt:Unit ; - dcterms:description "The \"Erlang\" is a dimensionless unit that is used in telephony as a measure of offered load or carried load on service-providing elements such as telephone circuits or telephone switching equipment."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Erlang_(unit)"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB340" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Erlang_(unit)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:symbol "E" ; - qudt:uneceCommonCode "Q11" ; - rdfs:isDefinedBy ; - rdfs:label "Erlang"@en ; -. -unit:EV - a qudt:Unit ; - dcterms:description "An electron volt (eV) is the energy that an electron gains when it travels through a potential of one volt. You can imagine that the electron starts at the negative plate of a parallel plate capacitor and accelerates to the positive plate, which is at one volt higher potential. Numerically \\(1 eV\\) approximates \\(1.6x10^{-19} joules\\), where \\(1 joule\\) is \\(6.2x10^{18} eV\\). For example, it would take \\(6.2x10^{20} eV/sec\\) to light a 100 watt light bulb."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Electron_volt"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Electron_volt?oldid=344021738"^^xsd:anyURI ; - qudt:informativeReference "http://physics.nist.gov/cuu/Constants/bibliography.html"^^xsd:anyURI ; - qudt:symbol "eV" ; - qudt:ucumCode "eV"^^qudt:UCUMcs ; - qudt:udunitsCode "eV" ; - qudt:uneceCommonCode "A53" ; - rdfs:isDefinedBy ; - rdfs:label "Electron Volt"@en ; -. -unit:EV-PER-ANGSTROM - a qudt:Unit ; - dcterms:description "unit electronvolt divided by the unit angstrom"^^rdf:HTML ; - qudt:conversionMultiplier 1.602176634e-09 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; - qudt:latexSymbol "\\(ev/\\AA\\)"^^qudt:LatexString ; - qudt:plainTextDescription "unit electronvolt divided by the unit angstrom" ; - qudt:symbol "eV/Å" ; - qudt:ucumCode "eV.Ao-1"^^qudt:UCUMcs ; - qudt:ucumCode "eV/Ao"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Electronvolt Per Angstrom"@en ; -. -unit:EV-PER-K - a qudt:Unit ; - dcterms:description "\\(\\textbf{Electron Volt per Kelvin} is a unit for 'Heat Capacity' expressed as \\(ev/K\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:expression "\\(ev/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:symbol "ev/K" ; - qudt:ucumCode "eV.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "eV/K"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Electron Volt per Kelvin"@en ; -. -unit:EV-PER-M - a qudt:Unit ; - dcterms:description "unit electronvolt divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; - qudt:iec61360Code "0112/2///62720#UAA426" ; - qudt:plainTextDescription "unit electronvolt divided by the SI base unit metre" ; - qudt:symbol "eV/m" ; - qudt:ucumCode "eV.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "eV/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A54" ; - rdfs:isDefinedBy ; - rdfs:label "Electronvolt Per Meter"@en-us ; - rdfs:label "Electronvolt Per Metre"@en ; -. -unit:EV-PER-T - a qudt:Unit ; - dcterms:description "\"Electron Volt per Tesla\" is a unit for 'Magnetic Dipole Moment' expressed as \\(eV T^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:expression "\\(eV T^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; - qudt:hasQuantityKind quantitykind:MagneticMoment ; - qudt:symbol "eV/T" ; - qudt:ucumCode "eV.T-1"^^qudt:UCUMcs ; - qudt:ucumCode "eV/T"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Electron Volt per Tesla"@en ; -. -unit:EV-SEC - a qudt:Unit ; - dcterms:description "\"Electron Volt Second\" is a unit for 'Angular Momentum' expressed as \\(eV s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:symbol "eV⋅s" ; - qudt:ucumCode "eV.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Electron Volt Second"@en ; -. -unit:E_h - a qudt:Unit ; - dcterms:description """

The \\(\\textit{Hartree}\\) (symbol: \\(E_h\\) or \\(Ha\\)), also known as the \\(\\text{Hartree\\,Energy}\\), is the atomic unit of energy. The hartree energy is equal to the absolute value of the electric potential energy of the hydrogen atom in its ground state. The energy of the electron in an H-atom in its ground state is \\(-E_H\\), where \\(E_H= 2 R_\\infty \\cdot hc_0\\). The 2006 CODATA recommended value was \\(E_H = 4.35974394(22) \\times 10^{-18} J = 27.21138386(68) eV\\).

-
Definition:
-
\\(E_H= \\frac{e^2}{4\\pi \\epsilon_0 a_0 }\\)
-where, \\(e\\) is the elementary charge, \\(\\epsilon_0\\) is the electric constant, and \\(a_0\\) is the Bohr radius.'
"""^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 4.35974394e-18 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hartree"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hartree?oldid=489318053"^^xsd:anyURI ; - qudt:symbol "Ha" ; - rdfs:isDefinedBy ; - rdfs:label "Hartree"@en ; -. -unit:EarthMass - a qudt:Unit ; - dcterms:description "Earth mass (\\(M_{\\oplus}\\)) is the unit of mass equal to that of the Earth. In SI Units, \\(1 M_{\\oplus} = 5.9722 \\times 10^{24} kg\\). Earth mass is often used to describe masses of rocky terrestrial planets. The four terrestrial planets of the Solar System, Mercury, Venus, Earth, and Mars, have masses of 0.055, 0.815, 1.000, and 0.107 Earth masses respectively."^^qudt:LatexString ; - qudt:conversionMultiplier 5.97219e24 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Earth_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Earth_mass?oldid=495457885"^^xsd:anyURI ; - qudt:latexDefinition """One Earth mass can be converted to related units: - -81.3 Lunar mass (ML) -0.00315 Jupiter mass (MJ) (Jupiter has 317.83 Earth masses)[1] -0.0105 Saturn mass (Saturn has 95.16 Earth masses)[3] -0.0583 Neptune mass (Neptune has 17.147 Earth masses)[4] -0.000 003 003 Solar mass (\\(M_{\\odot}\\)) (The Sun has 332946 Earth masses)"""^^qudt:LatexString ; - qudt:symbol "M⊕" ; - rdfs:isDefinedBy ; - rdfs:label "Earth mass"@en ; -. -unit:ElementaryCharge - a qudt:Unit ; - dcterms:description "\\(\\textbf{Elementary Charge}, usually denoted as \\(e\\), is the electric charge carried by a single proton, or equivalently, the negation (opposite) of the electric charge carried by a single electron. This elementary charge is a fundamental physical constant. To avoid confusion over its sign, e is sometimes called the elementary positive charge. This charge has a measured value of approximately \\(1.602176634 \\times 10^{-19} coulombs\\). In the cgs system, \\(e\\) is \\(4.80320471257026372 \\times 10^{-10} statcoulombs\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-19 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:symbol "e" ; - qudt:ucumCode "[e]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Elementary Charge"@en ; -. -unit:ExaBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The exabyte is a multiple of the unit byte for digital information. The prefix exa means 10^18 in the International System of Units (SI), so ExaByte is 10^18 Bytes."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.5451774444795624753378569716654e18 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Exabyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Exa ; - qudt:symbol "EB" ; - qudt:ucumCode "EBy"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "ExaByte"@en ; -. -unit:ExaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "An ExaCoulomb is \\(10^{18} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e18 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Exa ; - qudt:symbol "EC" ; - qudt:ucumCode "EC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "ExaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:ExaJ - a qudt:Unit ; - dcterms:description "1 000 000 000 000 000 000-fold of the derived SI unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e18 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB122" ; - qudt:plainTextDescription "1,000,000,000,000,000,000-fold of the derived SI unit joule" ; - qudt:prefix prefix:Exa ; - qudt:symbol "EJ" ; - qudt:ucumCode "EJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A68" ; - rdfs:isDefinedBy ; - rdfs:label "Exajoule"@en ; -. -unit:ExbiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The exbibyte is a multiple of the unit byte for digital information. The prefix exbi means 1024^6"^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 6.3931543226013278298943153498712e18 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Exbibyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Exbi ; - qudt:symbol "EiB" ; - qudt:uneceCommonCode "E59" ; - rdfs:isDefinedBy ; - rdfs:label "ExbiByte"@en ; -. -unit:F - a qudt:Unit ; - dcterms:description "\"Faraday\" is a unit for 'Electric Charge' expressed as \\(F\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 96485.3399 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:omUnit ; - qudt:symbol "F" ; - rdfs:isDefinedBy ; - rdfs:label "Faraday"@en ; -. -unit:FA - a qudt:Unit ; - dcterms:description "\"Fractional area\" is a unit for 'Solid Angle' expressed as \\(fa\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 12.5663706 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SolidAngle ; - qudt:symbol "fa" ; - rdfs:isDefinedBy ; - rdfs:label "Fractional area"@en ; -. -unit:FARAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of electric capacitance. Very early in the study of electricity scientists discovered that a pair of conductors separated by an insulator can store a much larger charge than an isolated conductor can store. The better the insulator, the larger the charge that the conductors can hold. This property of a circuit is called capacitance, and it is measured in farads. One farad is defined as the ability to store one coulomb of charge per volt of potential difference between the two conductors. This is a natural definition, but the unit it defines is very large. In practical circuits, capacitance is often measured in microfarads, nanofarads, or sometimes even in picofarads (10-12 farad, or trillionths of a farad). The unit is named for the British physicist Michael Faraday (1791-1867), who was known for his work in electricity and electrochemistry."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA144" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "C/V" ; - qudt:symbol "F" ; - qudt:ucumCode "F"^^qudt:UCUMcs ; - qudt:udunitsCode "F" ; - qudt:uneceCommonCode "FAR" ; - rdfs:isDefinedBy ; - rdfs:label "Farad"@de ; - rdfs:label "farad"@cs ; - rdfs:label "farad"@en ; - rdfs:label "farad"@fr ; - rdfs:label "farad"@hu ; - rdfs:label "farad"@it ; - rdfs:label "farad"@ms ; - rdfs:label "farad"@pl ; - rdfs:label "farad"@pt ; - rdfs:label "farad"@ro ; - rdfs:label "farad"@sl ; - rdfs:label "farad"@tr ; - rdfs:label "faradio"@es ; - rdfs:label "faradium"@la ; - rdfs:label "φαράντ"@el ; - rdfs:label "фарад"@bg ; - rdfs:label "фарада"@ru ; - rdfs:label "פאראד"@he ; - rdfs:label "فاراد"@ar ; - rdfs:label "فاراد"@fa ; - rdfs:label "फैराड"@hi ; - rdfs:label "ファラド"@ja ; - rdfs:label "法拉"@zh ; -. -unit:FARAD-PER-KiloM - a qudt:Unit ; - dcterms:description "SI derived unit farad divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA145" ; - qudt:plainTextDescription "SI derived unit farad divided by the 1 000-fold of the SI base unit metre" ; - qudt:symbol "F/km" ; - qudt:ucumCode "F.km-1"^^qudt:UCUMcs ; - qudt:ucumCode "F/km"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H33" ; - rdfs:isDefinedBy ; - rdfs:label "Farad Per Kilometer"@en-us ; - rdfs:label "Farad Per Kilometre"@en ; -. -unit:FARAD-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Farad Per Meter (\\(F/m\\)) is a unit in the category of Electric permittivity. It is also known as farad/meter. This unit is commonly used in the SI unit system. Farad Per Meter has a dimension of M-1L-3T4I2 where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(F/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA146" ; - qudt:symbol "F/m" ; - qudt:ucumCode "F.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "F/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A69" ; - rdfs:isDefinedBy ; - rdfs:label "Farad je Meter"@de ; - rdfs:label "Farad per Meter"@en-us ; - rdfs:label "farad al metro"@it ; - rdfs:label "farad bölü metre"@tr ; - rdfs:label "farad na meter"@sl ; - rdfs:label "farad na metr"@pl ; - rdfs:label "farad par mètre"@fr ; - rdfs:label "farad pe metru"@ro ; - rdfs:label "farad per meter"@ms ; - rdfs:label "farad per metre"@en ; - rdfs:label "farad por metro"@pt ; - rdfs:label "faradio por metro"@es ; - rdfs:label "faradů na metr"@cs ; - rdfs:label "фарада на метр"@ru ; - rdfs:label "فاراد بر متر"@fa ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "प्रति मीटर फैराड"@hi ; - rdfs:label "ファラド毎メートル"@ja ; - rdfs:label "法拉每米"@zh ; -. -unit:FARAD_Ab - a qudt:Unit ; - dcterms:description "An abfarad is an obsolete electromagnetic (CGS) unit of capacitance equal to \\(10^{9}\\) farads (1,000,000,000 F or 1 GF). The absolute farad of the e.m.u. system, for a steady current identically \\(abC/abV\\), and identically reciprocal abdaraf. 1 abF = 1 GF."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abfarad"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abfarad?oldid=407124018"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-13"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "abF" ; - qudt:ucumCode "GF"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abfarad"@en ; -. -unit:FARAD_Ab-PER-CentiM - a qudt:Unit ; - dcterms:description "The absolute dielectric constant of free space is defined as the ratio of displacement to the electric field intensity. The unit of measure is the abfarad per centimeter, a derived CGS unit."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e11 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:expression "\\(abf-per-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:symbol "abf/cm" ; - qudt:ucumCode "GF.cm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abfarad per Centimeter"@en-us ; - rdfs:label "Abfarad per Centimetre"@en ; -. -unit:FARAD_Stat - a qudt:Unit ; - dcterms:description "Statfarad (statF) is a unit in the category of Electric capacitance. It is also known as statfarads. This unit is commonly used in the cgs unit system. Statfarad (statF) has a dimension of \\(M^{-1}L^{-2}T^4I^2\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit F by multiplying its value by a factor of 1.11265E-012."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 1.112650056053618432174089964848e-18 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_capacitance--statfarad.cfm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "statF" ; - rdfs:isDefinedBy ; - rdfs:label "Statfarad"@en ; -. -unit:FATH - a qudt:Unit ; - dcterms:description "A fathom = 1.8288 meters, is a unit of length in the imperial and the U.S. customary systems, used especially for measuring the depth of water. There are two yards in an imperial or U.S. fathom. Originally based on the distance between the man's outstretched arms, the size of a fathom has varied slightly depending on whether it was defined as a thousandth of an (Admiralty) nautical mile or as a multiple of the imperial yard. Abbreviations: f, fath, fm, fth, fthm."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.8288 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Fathom"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fathom?oldid=493265429"^^xsd:anyURI ; - qudt:symbol "fathom" ; - qudt:ucumCode "[fth_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "AK" ; - rdfs:isDefinedBy ; - rdfs:label "Fathom"@en ; -. -unit:FBM - a qudt:Unit ; - dcterms:description "The board-foot is a specialized unit of measure for the volume of lumber in the United States and Canada. It is the volume of a one-foot length of a board one foot wide and one inch thick. Board-foot can be abbreviated FBM (for 'foot, board measure'), BDFT, or BF. Thousand board-feet can be abbreviated as MFBM, MBFT or MBF. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00236 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "BDFT" ; - qudt:ucumCode "[bf_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "BFT" ; - rdfs:isDefinedBy ; - rdfs:label "Board Foot"@en ; -. -unit:FC - a qudt:Unit ; - dcterms:description "\"Foot Candle\" is a unit for 'Luminous Flux Per Area' expressed as \\(fc\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 10.764 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-candle"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-candle?oldid=475579268"^^xsd:anyURI ; - qudt:symbol "fc" ; - qudt:uneceCommonCode "P27" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Candle"@en ; -. -unit:FM - a qudt:Unit ; - dcterms:description "The \\(\\textit{fermi}\\), or \\(\\textit{femtometer}\\) (other spelling \\(femtometre\\), symbol \\(fm\\)) is an SI unit of length equal to \\(10^{-15} metre\\). This distance is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:exactMatch unit:FemtoM ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fermi_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "fm" ; - qudt:uneceCommonCode "A71" ; - rdfs:isDefinedBy ; - rdfs:label "fermi"@en ; -. -unit:FR - a qudt:Unit ; - dcterms:description "\"Franklin\" is a unit for 'Electric Charge' expressed as \\(Fr\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 3.335641e-10 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Franklin"^^xsd:anyURI ; - qudt:exactMatch unit:C_Stat ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAB212" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Franklin?oldid=495090654"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Fr" ; - qudt:uneceCommonCode "N94" ; - rdfs:isDefinedBy ; - rdfs:label "Franklin"@en ; -. -unit:FRACTION - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:hasQuantityKind quantitykind:Reflectance ; - qudt:plainTextDescription "Fraction is a unit for 'Dimensionless Ratio' expressed as the value of the ratio itself." ; - qudt:symbol "÷" ; - qudt:ucumCode "{fraction}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Fraction"@en ; -. -unit:FRAME-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Frame per Second\" is a unit for 'Video Frame Rate' expressed as \\(fps\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VideoFrameRate ; - qudt:symbol "fps" ; - qudt:ucumCode "/s{frame}"^^qudt:UCUMcs ; - qudt:ucumCode "s-1{frame}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Frame per Second"@en ; -. -unit:FT - a qudt:Unit ; - dcterms:description "A foot is a unit of length defined as being 0.3048 m exactly and used in the imperial system of units and United States customary units. It is subdivided into 12 inches. The foot is still officially used in Canada and still commonly used in the United Kingdom, although the latter has partially metricated its units of measurement. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.3048 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_%28length%29"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA440" ; - qudt:symbol "ft" ; - qudt:ucumCode "[ft_i]"^^qudt:UCUMcs ; - qudt:udunitsCode "ft" ; - qudt:uneceCommonCode "FOT" ; - rdfs:isDefinedBy ; - rdfs:label "Foot"@en ; -. -unit:FT-LA - a qudt:Unit ; - dcterms:description "\"Foot Lambert\" is a C.G.S System unit for 'Luminance' expressed as \\(ft-L\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.4262591 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-L\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Luminance ; - qudt:symbol "ft⋅L" ; - qudt:ucumCode "[ft_i].Lmb"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P29" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Lambert"@en ; -. -unit:FT-LB_F - a qudt:Unit ; - dcterms:description "\"Foot Pound Force\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-lbf\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.35581807 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Foot-pound_force"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Foot-pound_force?oldid=453269257"^^xsd:anyURI ; - qudt:symbol "ft⋅lbf" ; - qudt:ucumCode "[ft_i].[lbf_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "85" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force"@en ; -. -unit:FT-LB_F-PER-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Foot Pound per Square Foot\" is an Imperial unit for 'Energy Per Area' expressed as \\(ft-lbf/ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 14.5939042 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:symbol "ft⋅lbf/ft²" ; - qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound per Square Foot"@en ; -. -unit:FT-LB_F-PER-FT2-SEC - a qudt:Unit ; - dcterms:description "\"Foot Pound Force per Square Foot Second\" is an Imperial unit for 'Power Per Area' expressed as \\(ft \\cdot lbf/(ft^2 \\cdot s)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 14.5939042 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf/ft^2s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:latexSymbol "\\(ft \\cdot lbf/(ft^2 \\cdot s)\\)"^^qudt:LatexString ; - qudt:symbol "ft⋅lbf/ft²s" ; - qudt:ucumCode "[ft_i].[lbf_av].[sft_i]-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force per Square Foot Second"@en ; -. -unit:FT-LB_F-PER-HR - a qudt:Unit ; - dcterms:description "\"Foot Pound Force per Hour\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/hr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00376616129 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "ft⋅lbf/hr" ; - qudt:ucumCode "[ft_i].[lbf_av].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K15" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force per Hour"@en ; -. -unit:FT-LB_F-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Foot Pound Force per Square Meter\" is a unit for 'Energy Per Area' expressed as \\(ft-lbf/m^{2}\\)."^^qudt:LatexString ; - qudt:expression "\\(ft-lbf/m^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:symbol "ft⋅lbf/m²" ; - qudt:ucumCode "[ft_i].[lbf_av].m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force per Square Meter"@en-us ; - rdfs:label "Foot Pound Force per Square Metre"@en ; -. -unit:FT-LB_F-PER-MIN - a qudt:Unit ; - dcterms:description "\"Foot Pound Force per Minute\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0225969678 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "ft⋅lbf/min" ; - qudt:ucumCode "[ft_i].[lbf_av].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K16" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force per Minute"@en ; -. -unit:FT-LB_F-PER-SEC - a qudt:Unit ; - dcterms:description "\"Foot Pound Force per Second\" is an Imperial unit for 'Power' expressed as \\(ft-lbf/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.35581807 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft-lbf/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "ft⋅lbf/s" ; - qudt:ucumCode "[ft_i].[lbf_av].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A74" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force per Second"@en ; -. -unit:FT-LB_F-SEC - a qudt:Unit ; - dcterms:description "\"Foot Pound Force Second\" is a unit for 'Angular Momentum' expressed as \\(lbf / s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(lbf / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:symbol "lbf/s" ; - qudt:ucumCode "[ft_i].[lbf_av].s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Foot Pound Force Second"@en ; -. -unit:FT-PDL - a qudt:Unit ; - dcterms:description "\"Foot Poundal\" is an Imperial unit for 'Energy And Work' expressed as \\(ft-pdl\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0421401100938048 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB220" ; - qudt:omUnit ; - qudt:symbol "ft⋅pdl" ; - qudt:uneceCommonCode "N46" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Poundal"@en ; -. -unit:FT-PER-DAY - a qudt:Unit ; - dcterms:description "\"Foot per Day\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/d\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.52777777777778e-06 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft/d\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "ft/day" ; - qudt:ucumCode "[ft_i].d-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]/d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Foot per Day"@en ; -. -unit:FT-PER-DEG_F - a qudt:Unit ; - dcterms:description "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.54864 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA441" ; - qudt:plainTextDescription "unit foot as a linear measure according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; - qudt:symbol "ft/°F" ; - qudt:ucumCode "[ft_i].[lbf_av].[degF]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K13" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Per Degree Fahrenheit"@en ; -. -unit:FT-PER-HR - a qudt:Unit ; - dcterms:description "\"Foot per Hour\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/hr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 8.466666666666667e-05 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA442" ; - qudt:symbol "ft/hr" ; - qudt:ucumCode "[ft_i].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K14" ; - rdfs:isDefinedBy ; - rdfs:label "Foot per Hour"@en ; -. -unit:FT-PER-MIN - a qudt:Unit ; - dcterms:description "\"Foot per Minute\" is an Imperial unit for 'Linear Velocity' expressed as \\(ft/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00508 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA448" ; - qudt:symbol "ft/min" ; - qudt:ucumCode "[ft_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FR" ; - rdfs:isDefinedBy ; - rdfs:label "Foot per Minute"@en ; -. -unit:FT-PER-SEC - a qudt:Unit ; - dcterms:description "\\(\\textit{foot per second}\\) (plural \\(\\textit{feet per second}\\)) is a unit of both speed (scalar) and velocity (vector quantity, which includes direction). It expresses the distance in feet (\\(ft\\)) traveled or displaced, divided by the time in seconds (\\(s\\), or \\(sec\\)). The corresponding unit in the International System of Units (SI) is the \\(\\textit{metre per second}\\). Abbreviations include \\(ft/s\\), \\(ft/sec\\) and \\(fps\\), and the rarely used scientific notation \\(ft\\,s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.3048 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Foot_per_second"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA449" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Foot_per_second?oldid=491316573"^^xsd:anyURI ; - qudt:symbol "ft/s" ; - qudt:ucumCode "[ft_i].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FS" ; - rdfs:isDefinedBy ; - rdfs:label "Foot per Second"@en ; -. -unit:FT-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Foot per Square Second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(ft/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.3048 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft/s^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAA452" ; - qudt:symbol "ft/s²" ; - qudt:ucumCode "[ft_i].s-2"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A73" ; - rdfs:isDefinedBy ; - rdfs:label "Foot per Square Second"@en ; -. -unit:FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The square foot (plural square feet; abbreviated \\(ft^2\\) or \\(sq \\, ft\\)) is an imperial unit and U.S. customary unit of area, used mainly in the United States, Canada, United Kingdom, Hong Kong, Bangladesh, India, Pakistan and Afghanistan. It is defined as the area of a square with sides of 1 foot in length."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.09290304 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA454" ; - qudt:symbol "ft²" ; - qudt:ucumCode "[ft_i]2"^^qudt:UCUMcs ; - qudt:ucumCode "[sft_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FTK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot"@en ; -. -unit:FT2-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Foot Degree Fahrenheit} is an Imperial unit for 'Area Temperature' expressed as \\(ft^{2}-degF\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:AreaTemperature ; - qudt:symbol "ft²⋅°F" ; - qudt:ucumCode "[sft_i].[degF]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot Degree Fahrenheit"@en ; -. -unit:FT2-HR-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}-hr-degF\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}-hr-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; - qudt:symbol "ft²⋅hr⋅°F" ; - qudt:ucumCode "[sft_i].h.[degF]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot Hour Degree Fahrenheit"@en ; -. -unit:FT2-HR-DEG_F-PER-BTU_IT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Foot Hour Degree Fahrenheit per BTU} is an Imperial unit for 'Thermal Insulance' expressed as \\((degF-hr-ft^{2})/Btu\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(sqft-hr-degF/btu\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:symbol "sqft⋅hr⋅°F/btu" ; - qudt:ucumCode "[sft_i].h.[degF].[Btu_IT]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot Hour Degree Fahrenheit per BTU"@en ; -. -unit:FT2-PER-BTU_IT-IN - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00346673589 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft2-per-btu-in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:symbol "ft²/btu⋅in" ; - qudt:ucumCode "[sft_i].[Btu_IT]-1.[in_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot per BTU Inch"@en ; -. -unit:FT2-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Foot per Hour} is an Imperial unit for \\(\\textit{Kinematic Viscosity}\\) and \\(\\textit{Thermal Diffusivity}\\) expressed as \\(ft^{2}/hr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.58064e-05 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:iec61360Code "0112/2///62720#UAB247" ; - qudt:symbol "ft²/hr" ; - qudt:ucumCode "[sft_i].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M79" ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot per Hour"@en ; -. -unit:FT2-PER-SEC - a qudt:Unit ; - dcterms:description "\"Square Foot per Second\" is an Imperial unit for 'Kinematic Viscosity' expressed as \\(ft^{2}/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.09290304 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:iec61360Code "0112/2///62720#UAA455" ; - qudt:symbol "ft²/s" ; - qudt:ucumCode "[sft_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "S3" ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot per Second"@en ; -. -unit:FT2-SEC-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Foot Second Degree Fahrenheit} is an Imperial unit for 'Area Time Temperature' expressed as \\(ft^{2}\\cdot s\\cdot degF\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{2}-s-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTimeTemperature ; - qudt:symbol "ft²⋅s⋅°F" ; - qudt:ucumCode "[sft_i].s.[degF]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Foot Second Degree Fahrenheit"@en ; -. -unit:FT3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The cubic foot is an Imperial and US customary unit of volume, used in the United States and the United Kingdom. It is defined as the volume of a cube with sides of one foot (0.3048 m) in length. To calculate cubic feet multiply length X width X height. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.028316846592 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA456" ; - qudt:symbol "ft³" ; - qudt:ucumCode "[cft_i]"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FTQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot"@en ; -. -unit:FT3-PER-DAY - a qudt:Unit ; - dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.277413e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA458" ; - qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; - qudt:symbol "ft³/day" ; - qudt:ucumCode "[cft_i].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K22" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot Per Day"@en ; -. -unit:FT3-PER-DEG_F - a qudt:Unit ; - dcterms:description "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.05097033 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA457" ; - qudt:plainTextDescription "power of the unit foot as a linear measure according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; - qudt:symbol "ft³/°F" ; - qudt:ucumCode "[cft_i].[degF]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K21" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot Per Degree Fahrenheit"@en ; -. -unit:FT3-PER-HR - a qudt:Unit ; - dcterms:description "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 7.865792e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA459" ; - qudt:plainTextDescription "power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; - qudt:symbol "ft³/hr" ; - qudt:ucumCode "[cft_i].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2K" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot Per Hour"@en ; -. -unit:FT3-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Cubic Foot per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(ft^3/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0004719474432000001 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{3}/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA461" ; - qudt:symbol "ft³/min" ; - qudt:ucumCode "[cft_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[cft_i]/min"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]3.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]3/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2L" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot per Minute"@en ; -. -unit:FT3-PER-MIN-FT2 - a qudt:Unit ; - dcterms:description "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00508 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:iec61360Code "0112/2///62720#UAB086" ; - qudt:plainTextDescription "unit of the volume flow rate according to the Anglio-American and imperial system of units cubic foot per minute related to the transfer area according to the Anglian American and Imperial system of units square foot" ; - qudt:symbol "ft³/(min⋅ft²)" ; - qudt:ucumCode "[cft_i].min-1.[sft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "36" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot Per Minute Square Foot"@en ; -. -unit:FT3-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Cubic Foot per Second\" is an Imperial unit for \\( \\textit{Volume Per Unit Time}\\) expressed as \\(ft^3/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.028316846592000004 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(ft^{3}/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA462" ; - qudt:symbol "ft³/s" ; - qudt:ucumCode "[cft_i].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[cft_i]/s"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]3.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[ft_i]3/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E17" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Foot per Second"@en ; -. -unit:FT_H2O - a qudt:Unit ; - dcterms:description "\"Foot of Water\" is a unit for 'Force Per Area' expressed as \\(ftH2O\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 2989.067 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA463" ; - qudt:symbol "ftH₂0" ; - qudt:ucumCode "[ft_i'H2O]"^^qudt:UCUMcs ; - qudt:udunitsCode "ftH2O" ; - qudt:udunitsCode "fth2o" ; - qudt:uneceCommonCode "K24" ; - rdfs:isDefinedBy ; - rdfs:label "Foot of Water"@en ; -. -unit:FT_HG - a qudt:Unit ; - dcterms:description "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot"^^rdf:HTML ; - qudt:conversionMultiplier 40636.66 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA464" ; - qudt:plainTextDescription "not SI conform unit of the pressure, at which 1 ftHg corresponds to the static pressure, which is excited by a mercury column with a height of 1 foot" ; - qudt:symbol "ftHg" ; - qudt:ucumCode "[ft_i'Hg]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K25" ; - rdfs:isDefinedBy ; - rdfs:label "Foot Of Mercury"@en ; -. -unit:FT_US - a qudt:Unit ; - dcterms:description "\\(\\textit{US Survey Foot}\\) is a unit for 'Length' expressed as \\(ftUS\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.3048006 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB286" ; - qudt:symbol "ft{US Survey}" ; - qudt:ucumCode "[ft_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M51" ; - rdfs:isDefinedBy ; - rdfs:label "US Survey Foot"@en ; -. -unit:FUR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A furlong is a measure of distance in imperial units and U.S. customary units equal to one-eighth of a mile, equivalent to 220 yards, 660 feet, 40 rods, or 10 chains. The exact value of the furlong varies slightly among English-speaking countries. Five furlongs are approximately 1 kilometre (1.0058 km is a closer approximation). Since the original definition of the metre was one-quarter of one ten-millionth of the circumference of the Earth (along the great circle coincident with the meridian of longitude passing through Paris), the circumference of the Earth is about 40,000 km or about 200,000 furlongs. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 201.168 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Furlong"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB204" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Furlong?oldid=492237369"^^xsd:anyURI ; - qudt:symbol "furlong" ; - qudt:ucumCode "[fur_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M50" ; - rdfs:comment "Check if this is US-Survey or International Customary definition (multiplier)" ; - rdfs:isDefinedBy ; - rdfs:label "Furlong"@en ; -. -unit:FUR_Long - a qudt:Unit ; - qudt:expression "\\(longfur\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:symbol "furlong{long}" ; - rdfs:isDefinedBy ; - rdfs:label "Long Furlong"@en ; -. -unit:FemtoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A FemtoCoulomb is \\(10^{-15} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Femto ; - qudt:symbol "fC" ; - qudt:ucumCode "fC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "FemtoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:FemtoGM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000000000001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "fg" ; - rdfs:isDefinedBy ; - rdfs:label "FemtoGram"@en ; -. -unit:FemtoGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "One part per 10**18 by mass of the measurand in the matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "fg/kg" ; - qudt:ucumCode "fg.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Femtograms per kilogram"@en ; -. -unit:FemtoGM-PER-L - a qudt:Unit ; - dcterms:description "One 10**18 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "fg/L" ; - qudt:ucumCode "fg.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Femtograms per litre"@en ; -. -unit:FemtoJ - a qudt:Unit ; - dcterms:description "0,000 000 000 000 001-fold of the derived SI unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB124" ; - qudt:plainTextDescription "0.000000000000001-fold of the derived SI unit joule" ; - qudt:prefix prefix:Femto ; - qudt:symbol "fJ" ; - qudt:ucumCode "fJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A70" ; - rdfs:isDefinedBy ; - rdfs:label "Femtojoule"@en ; -. -unit:FemtoL - a qudt:Unit ; - dcterms:description "0.000000000000001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:plainTextDescription "0.000000000000001-fold of the unit litre" ; - qudt:symbol "fL" ; - qudt:ucumCode "fL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q32" ; - rdfs:isDefinedBy ; - rdfs:label "Femtolitre"@en ; - rdfs:label "Femtolitre"@en-us ; -. -unit:FemtoM - a qudt:Unit ; - dcterms:description "The \\(\\textit{femtometre}\\) is an SI unit of length equal to \\(10^{-15} meter\\). This distance can also be called \\(\\textit{fermi}\\) and was so named in honour of Enrico Fermi. It is often encountered in nuclear physics as a characteristic of this scale. The symbol for the fermi is also \\(fm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:exactMatch unit:FM ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB063" ; - qudt:prefix prefix:Femto ; - qudt:symbol "fm" ; - qudt:ucumCode "fm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A71" ; - rdfs:isDefinedBy ; - rdfs:label "Femtometer"@en-us ; - rdfs:label "Femtometre"@en ; -. -unit:FemtoMOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000000001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasQuantityKind quantitykind:ExtentOfReaction ; - qudt:symbol "fmol" ; - qudt:ucumCode "fmol"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "FemtoMole"@en ; -. -unit:FemtoMOL-PER-KiloGM - a qudt:Unit ; - dcterms:description "A 10**15 part quantity of substance of the measurand per kilogram mass of matrix."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:symbol "fmol/kg" ; - qudt:ucumCode "fmol.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Femtomoles per kilogram"@en ; -. -unit:FemtoMOL-PER-L - a qudt:Unit ; - dcterms:description "A 10**18 part quantity of substance of the measurand per litre volume of matrix."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "fmol/L" ; - qudt:ucumCode "fmol.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Femtomoles per litre"@en ; -. -unit:Flight - a qudt:Unit ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:symbol "flight" ; - rdfs:isDefinedBy ; - rdfs:label "Flight"@en ; -. -unit:G - a qudt:Unit ; - dcterms:description "\"Gravity\" is a unit for 'Linear Acceleration' expressed as \\(G\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:symbol "G" ; - qudt:ucumCode "[g]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K40" ; - rdfs:isDefinedBy ; - rdfs:label "Gravity"@en ; -. -unit:GALILEO - a qudt:Unit ; - dcterms:description "The \\(\\textit{Galileo}\\) is the unit of acceleration of free fall used extensively in the science of gravimetry. The Galileo is defined as \\(1 \\textit{centimeter per square second}\\) (\\(1 cm/s^2\\)). Unfortunately, the Galileo is often denoted with the symbol Gal, not to be confused with the Gallon that also uses the same symbol."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.01 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gal"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gal?oldid=482010741"^^xsd:anyURI ; - qudt:omUnit ; - qudt:plainTextDescription "CGS unit of acceleration called gal with the definition: 1 Gal = 1 cm/s" ; - qudt:symbol "Gal" ; - qudt:ucumCode "Gal"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A76" ; - rdfs:isDefinedBy ; - rdfs:label "Galileo"@en ; -. -unit:GAL_IMP - a qudt:Unit ; - dcterms:description "A British gallon used in liquid and dry measurement approximately 1.2 U.S. gallons, or 4.54 liters"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00454609 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:symbol "gal{Imp}" ; - qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GLI" ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Gallon"@en ; -. -unit:GAL_UK - a qudt:Unit ; - dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00454609 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:iec61360Code "0112/2///62720#UAA500" ; - qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; - qudt:symbol "gal{UK}" ; - qudt:ucumCode "[gal_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GLI" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (UK)"@en ; -. -unit:GAL_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 5.261678e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA501" ; - qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit day" ; - qudt:symbol "gal{UK}/day" ; - qudt:ucumCode "[gal_br].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K26" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (UK) Per Day"@en ; -. -unit:GAL_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.262803e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA502" ; - qudt:plainTextDescription "unit gallon (UK dry or Liq.) according to the Imperial system of units divided by the SI unit hour" ; - qudt:symbol "gal{UK}/hr" ; - qudt:ucumCode "[gal_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K27" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (UK) Per Hour"@en ; -. -unit:GAL_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 7.576817e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA503" ; - qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI unit minute" ; - qudt:symbol "gal{UK}/min" ; - qudt:ucumCode "[gal_br].m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G3" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (UK) Per Minute"@en ; -. -unit:GAL_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00454609 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA504" ; - qudt:plainTextDescription "unit gallon (UK dry or liq.) according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "gal{UK}/s" ; - qudt:ucumCode "[gal_br].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K28" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (UK) Per Second"@en ; -. -unit:GAL_US - a qudt:Unit ; - dcterms:description "\"US Gallon\" is a unit for 'Liquid Volume' expressed as \\(galUS\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.003785412 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:symbol "gal{US}" ; - qudt:ucumCode "[gal_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GLL" ; - rdfs:isDefinedBy ; - rdfs:label "US Gallon"@en ; - skos:altLabel "Queen Anne's wine gallon" ; -. -unit:GAL_US-PER-DAY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"US Gallon per Day\" is a unit for 'Volume Per Unit Time' expressed as \\(gal/d\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.38126389e-08 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(gal/d\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:symbol "gal/day" ; - qudt:ucumCode "[gal_us].d-1"^^qudt:UCUMcs ; - qudt:ucumCode "[gal_us]/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GB" ; - rdfs:isDefinedBy ; - rdfs:label "US Gallon per Day"@en ; -. -unit:GAL_US-PER-HR - a qudt:Unit ; - dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.051503e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA507" ; - qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI unit hour" ; - qudt:symbol "gal{US}/hr" ; - qudt:ucumCode "[gal_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G50" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (US) Per Hour"@en ; -. -unit:GAL_US-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"US Gallon per Minute\" is a C.G.S System unit for 'Volume Per Unit Time' expressed as \\(gal/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6.30902e-05 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(gal/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:symbol "gal/min" ; - qudt:ucumCode "[gal_us].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[gal_us]/min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "US Gallon per Minute"@en ; -. -unit:GAL_US-PER-SEC - a qudt:Unit ; - dcterms:description "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.003785412 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA509" ; - qudt:plainTextDescription "unit gallon (US, liq.) according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "gal{US}/s" ; - qudt:ucumCode "[gal_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K30" ; - rdfs:isDefinedBy ; - rdfs:label "Gallon (US Liquid) Per Second"@en ; -. -unit:GAL_US_DRY - a qudt:Unit ; - dcterms:description "\"Dry Gallon US\" is a unit for 'Dry Volume' expressed as \\(dry_gal\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00440488377 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:symbol "gal{US Dry}" ; - qudt:ucumCode "[gal_wi]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GLD" ; - rdfs:isDefinedBy ; - rdfs:label "Dry Gallon US"@en ; - skos:altLabel "Winchester gallon" ; - skos:altLabel "corn gallon" ; -. -unit:GAUGE_FR - a qudt:Unit ; - dcterms:description "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)."^^rdf:HTML ; - qudt:conversionMultiplier 0.0003333333 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB377" ; - qudt:plainTextDescription "unit for the diameter of thin tubes in the medical technology (e.g. catheter) and telecommunications engineering (e.g. fiberglasses)." ; - qudt:symbol "French gauge" ; - qudt:ucumCode "[Ch]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H79" ; - rdfs:isDefinedBy ; - rdfs:label "French Gauge"@en ; -. -unit:GAUSS - a qudt:Unit ; - dcterms:description "CGS unit of the magnetic flux density B"^^rdf:HTML ; - qudt:conversionMultiplier 0.0001 ; - qudt:exactMatch unit:Gs ; - qudt:exactMatch unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAB135" ; - qudt:plainTextDescription "CGS unit of the magnetic flux density B" ; - qudt:symbol "Gs" ; - qudt:ucumCode "G"^^qudt:UCUMcs ; - qudt:uneceCommonCode "76" ; - rdfs:isDefinedBy ; - rdfs:label "Gauss"@en ; -. -unit:GI - a qudt:Unit ; - dcterms:description "The fundamental unit of magnetomotive force (\\(mmf\\)) in electromagnetic units is called a Gilbert. It is the \\(mmf\\) which will produce a magnetic field strength of one Gauss (Maxwell per Square Centimeter) in a path one centimeter long."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 0.795774715 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gilbert"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; - qudt:iec61360Code "0112/2///62720#UAB211" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gilbert?oldid=492755037"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Gb" ; - qudt:ucumCode "Gb"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N97" ; - rdfs:isDefinedBy ; - rdfs:label "Gilbert"@en ; -. -unit:GI_UK - a qudt:Unit ; - dcterms:description "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0001420653 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA511" ; - qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units (1/32 Imperial Gallon)" ; - qudt:symbol "gill{UK}" ; - qudt:ucumCode "[gil_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GII" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (UK)"@en ; -. -unit:GI_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.644274e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA512" ; - qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "gill{UK}/day" ; - qudt:ucumCode "[gil_br].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K32" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (UK) Per Day"@en ; -. -unit:GI_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 3.946258e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA513" ; - qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "gill{UK}/hr" ; - qudt:ucumCode "[gil_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K33" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (UK) Per Hour"@en ; -. -unit:GI_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 2.367755e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA514" ; - qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "gill{UK}/min" ; - qudt:ucumCode "[gil_br].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K34" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (UK) Per Minute"@en ; -. -unit:GI_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0001420653 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA515" ; - qudt:plainTextDescription "unit of the volume gill (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "gill{UK}/s" ; - qudt:ucumCode "[gil_br].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K35" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (UK) Per Second"@en ; -. -unit:GI_US - a qudt:Unit ; - dcterms:description "unit of the volume according the Anglo-American system of units (1/32 US Gallon)"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000118294125 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA516" ; - qudt:plainTextDescription "unit of the volume according the Anglo-American system of units (1/32 US Gallon)" ; - qudt:symbol "gill{US}" ; - qudt:ucumCode "[gil_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GIA" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (US)"@en ; -. -unit:GI_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.369145e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA517" ; - qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time day" ; - qudt:symbol "gill{US}/day" ; - qudt:ucumCode "[gil_us].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K36" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (US) Per Day"@en ; -. -unit:GI_US-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.285947e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA518" ; - qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "gill{US}/hr" ; - qudt:ucumCode "[gil_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K37" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (US) Per Hour"@en ; -. -unit:GI_US-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.971568e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA519" ; - qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "gill{US}/min" ; - qudt:ucumCode "[gil_us].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K38" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (US) Per Minute"@en ; -. -unit:GI_US-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0001182941 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA520" ; - qudt:plainTextDescription "unit of the volume gill (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "gill{US}/s" ; - qudt:ucumCode "[gil_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K39" ; - rdfs:isDefinedBy ; - rdfs:label "Gill (US) Per Second"@en ; -. -unit:GM - a qudt:Unit ; - dcterms:description "A unit of mass in the metric system. The name comes from the Greek gramma, a small weight identified in later Roman and Byzantine times with the Latin scripulum or scruple (the English scruple is equal to about 1.3 grams). The gram was originally defined to be the mass of one cubic centimeter of pure water, but to provide precise standards it was necessary to construct physical objects of specified mass. One gram is now defined to be 1/1000 of the mass of the standard kilogram, a platinum-iridium bar carefully guarded by the International Bureau of Weights and Measures in Paris for more than a century. (The kilogram, rather than the gram, is considered the base unit of mass in the SI.) The gram is a small mass, equal to about 15.432 grains or 0.035 273 966 ounce. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gram"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA465" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gram?oldid=493995797"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "g" ; - qudt:ucumCode "g"^^qudt:UCUMcs ; - qudt:udunitsCode "g" ; - qudt:uneceCommonCode "GRM" ; - rdfs:isDefinedBy ; - rdfs:label "Gram"@en ; -. -unit:GM-MilliM - a qudt:Unit ; - dcterms:description "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LengthMass ; - qudt:iec61360Code "0112/2///62720#UAB381" ; - qudt:plainTextDescription "unit of the imbalance as product of the 0.001-fold of the SI base unit kilogram and the 0.001-fold of the SI base unit metre" ; - qudt:symbol "g/mm" ; - qudt:ucumCode "g.mm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H84" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Millimeter"@en-us ; - rdfs:label "Gram Millimetre"@en ; -. -unit:GM-PER-CentiM2 - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAB103" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre and exponent 2" ; - qudt:symbol "g/cm²" ; - qudt:ucumCode "g.cm-2"^^qudt:UCUMcs ; - qudt:ucumCode "g/cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "25" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Square Centimeter"@en-us ; - rdfs:label "Gram Per Square Centimetre"@en ; -. -unit:GM-PER-CentiM2-YR - a qudt:Unit ; - dcterms:description "A rate of change of 0.001 of the SI unit of mass over 0.00001 of the SI unit of area in a period of an average calendar year (365.25 days)"@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.16880878140289e-07 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "g/(cm²⋅yr)" ; - qudt:ucumCode "g.cm-2.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Grams per square centimetre per year"@en ; -. -unit:GM-PER-CentiM3 - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA469" ; - qudt:plainTextDescription "0.001-fold of the SI base unit kilogram divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "g/cm³" ; - qudt:ucumCode "g.cm-3"^^qudt:UCUMcs ; - qudt:ucumCode "g/cm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "23" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Cubic Centimeter"@en-us ; - rdfs:label "Gram Per Cubic Centimetre"@en ; -. -unit:GM-PER-DAY - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA472" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit day" ; - qudt:symbol "g/day" ; - qudt:ucumCode "g.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F26" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Day"@en ; -. -unit:GM-PER-DEG_C - a qudt:Unit ; - dcterms:description "\\(\\textbf{Gram Degree Celsius} is a C.G.S System unit for 'Mass Temperature' expressed as \\(g \\cdot degC\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(g-degC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:symbol "g/°C" ; - qudt:ucumCode "d.Cel-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Gram Degree Celsius"@en ; -. -unit:GM-PER-DeciL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A derived unit for amount-of-substance concentration measured in g/dL."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10.0 ; - qudt:expression "\\(g/dL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "g/dL" ; - qudt:ucumCode "g.dL-1"^^qudt:UCUMcs ; - qudt:ucumCode "g/dL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "grams per decilitre"@en ; - rdfs:label "grams per decilitre"@en-us ; -. -unit:GM-PER-DeciM3 - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA475" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "g/dm³" ; - qudt:ucumCode "g.dm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F23" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Cubic Decimeter"@en-us ; - rdfs:label "Gram Per Cubic Decimetre"@en ; -. -unit:GM-PER-GM - a qudt:Unit ; - dcterms:description "mass ratio consisting of the 0.001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "g/g" ; - qudt:ucumCode "g.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "g/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Gram"@en ; -. -unit:GM-PER-HR - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA478" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit hour" ; - qudt:symbol "g/hr" ; - qudt:ucumCode "g.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F27" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Hour"@en ; -. -unit:GM-PER-KiloGM - a qudt:Unit ; - dcterms:description "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA481" ; - qudt:plainTextDescription "0,001 fold of the SI base unit kilogram divided by the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "g/kg" ; - qudt:ucumCode "g.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "g/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GK" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Kilogram"@en ; -. -unit:GM-PER-KiloM - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 1000-fold of the SI base unit metre" ; - qudt:symbol "g/km" ; - qudt:ucumCode "g.km-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Kilometer"@en-us ; - rdfs:label "Gram Per Kilometre"@en ; -. -unit:GM-PER-L - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA482" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit litre" ; - qudt:symbol "g/L" ; - qudt:ucumCode "g.L-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GL" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Liter"@en-us ; - rdfs:label "Gram Per Litre"@en ; -. -unit:GM-PER-M - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAA485" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the SI base unit metre" ; - qudt:symbol "g/m" ; - qudt:ucumCode "g.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GF" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Meter"@en-us ; - rdfs:label "Gram Per Metre"@en ; -. -unit:GM-PER-M2 - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAA486" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "g/m²" ; - qudt:ucumCode "g.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "g/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GM" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Square Meter"@en-us ; - rdfs:label "Gram Per Square Metre"@en ; -. -unit:GM-PER-M2-DAY - a qudt:Unit ; - dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.1574073e-08 ; - qudt:expression "\\(g-m^{-2}-day^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day." ; - qudt:symbol "g/(m²⋅day)" ; - qudt:ucumCode "g.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "grams per square meter per day"@en-us ; - rdfs:label "grams per square metre per day"@en ; -. -unit:GM-PER-M3 - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA487" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "g/m³" ; - qudt:ucumCode "g.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "g/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A93" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Cubic Meter"@en-us ; - rdfs:label "Gram Per Cubic Metre"@en ; -. -unit:GM-PER-MIN - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA490" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the unit minute" ; - qudt:symbol "g/min" ; - qudt:ucumCode "g.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F28" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Minute"@en ; -. -unit:GM-PER-MOL - a qudt:Unit ; - dcterms:description "0,01-fold of the SI base unit kilogram divided by the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:iec61360Code "0112/2///62720#UAA496" ; - qudt:plainTextDescription "0,01-fold of the SI base unit kilogram divided by the SI base unit mol" ; - qudt:symbol "g/mol" ; - qudt:ucumCode "g.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A94" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Mole"@en ; -. -unit:GM-PER-MilliL - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA493" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold of the unit litre" ; - qudt:symbol "g/mL" ; - qudt:ucumCode "g.mL-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GJ" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Millilitre"@en ; - rdfs:label "Gram Per Millilitre"@en-us ; -. -unit:GM-PER-MilliM - a qudt:Unit ; - dcterms:description "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAB376" ; - qudt:plainTextDescription "0,001-fold of the SI base unit kilogram divided by the 0.001-fold the SI base unit meter" ; - qudt:symbol "g/mm" ; - qudt:ucumCode "g.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H76" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Millimeter"@en-us ; - rdfs:label "Gram Per Millimetre"@en ; -. -unit:GM-PER-SEC - a qudt:Unit ; - dcterms:description "0,001fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA497" ; - qudt:plainTextDescription "0,001fold of the SI base unit kilogram divided by the SI base unit second" ; - qudt:symbol "g/s" ; - qudt:ucumCode "g.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F29" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Per Second"@en ; -. -unit:GM_Carbon-PER-M2-DAY - a qudt:Unit ; - dcterms:description "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; - qudt:conversionMultiplier 1.1574073e-08 ; - qudt:expression "\\(g C-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:plainTextDescription "A metric unit of volume over time indicating the amount generated across one square meter over a day. Used to express productivity of an ecosystem." ; - qudt:symbol "g{carbon}/(m²⋅day)" ; - qudt:ucumCode "g.m-2.d-1{C}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "grams Carbon per square meter per day"@en-us ; - rdfs:label "grams Carbon per square metre per day"@en ; -. -unit:GM_F - a qudt:Unit ; - dcterms:description "\"Gram Force\" is a unit for 'Force' expressed as \\(gf\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.00980665 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; - qudt:symbol "gf" ; - qudt:ucumCode "gf"^^qudt:UCUMcs ; - qudt:udunitsCode "gf" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Force"@en ; -. -unit:GM_F-PER-CentiM2 - a qudt:Unit ; - dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; - qudt:conversionMultiplier 98.0665 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA510" ; - qudt:plainTextDescription "not SI conform unit of the pressure" ; - qudt:symbol "gf/cm²" ; - qudt:ucumCode "gf.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K31" ; - rdfs:isDefinedBy ; - rdfs:label "Gram Force Per Square Centimeter"@en-us ; - rdfs:label "Gram Force Per Square Centimetre"@en ; -. -unit:GM_Nitrogen-PER-M2-DAY - a qudt:Unit ; - dcterms:description "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem."^^rdf:HTML ; - qudt:conversionMultiplier 1.1574073e-08 ; - qudt:expression "\\(g N-m^{-2}-day^{-1}\\)."^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:plainTextDescription "A metric unit of volume over time indicating the amount of Nitrogen generated across one square meter over a day. Used to express productivity of an ecosystem." ; - qudt:symbol "g{nitrogen}/(m²⋅day)" ; - qudt:ucumCode "g.m-2.d-1{N}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "grams Nitrogen per square meter per day"@en-us ; - rdfs:label "grams Nitrogen per square metre per day"@en ; -. -unit:GON - a qudt:Unit ; - dcterms:description "\"Gon\" is a C.G.S System unit for 'Plane Angle' expressed as \\(gon\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.015707963267949 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gon"^^xsd:anyURI ; - qudt:exactMatch unit:GRAD ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA522" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gon?oldid=424098171"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "gon" ; - qudt:ucumCode "gon"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A91" ; - rdfs:isDefinedBy ; - rdfs:label "Gon"@en ; -. -unit:GR - a qudt:DimensionlessUnit ; - a qudt:Unit ; - dcterms:description "the tangent of an angle of inclination multiplied by 100"^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Grade"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Grade?oldid=485504533"^^xsd:anyURI ; - qudt:symbol "gr" ; - rdfs:isDefinedBy ; - rdfs:label "Grade"@en ; -. -unit:GRAD - a qudt:Unit ; - dcterms:description "\"Grad\" is a unit for 'Plane Angle' expressed as \\(grad\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0157079633 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Grad"^^xsd:anyURI ; - qudt:exactMatch unit:GON ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA522" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Grad?oldid=490906645"^^xsd:anyURI ; - qudt:symbol "grad" ; - qudt:uneceCommonCode "A91" ; - rdfs:isDefinedBy ; - rdfs:label "Grad"@en ; -. -unit:GRAIN - a qudt:Unit ; - dcterms:description "A grain is a unit of measurement of mass that is nominally based upon the mass of a single seed of a cereal. The grain is the only unit of mass measure common to the three traditional English mass and weight systems; the obsolete Tower grain was, by definition, exactly /64 of a troy grain. Since 1958, the grain or troy grain measure has been defined in terms of units of mass in the International System of Units as precisely 64.79891 milligrams. Thus, \\(1 gram \\approx 15.4323584 grains\\). There are precisely 7,000 grains per avoirdupois pound in the imperial and U.S. customary units, and 5,760 grains in the Troy pound."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6.479891e-05 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cereal"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA523" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cereal?oldid=495222949"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "gr{UK}" ; - qudt:ucumCode "[gr]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GRN" ; - rdfs:isDefinedBy ; - rdfs:label "Grain"@en ; -. -unit:GRAIN-PER-GAL - a qudt:Unit ; - dcterms:description "\"Grain per Gallon\" is an Imperial unit for 'Density' expressed as \\(gr/gal\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.017118061 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(gr/gal\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "grain{UK}/gal" ; - qudt:ucumCode "[gr].[gal_br]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K41" ; - rdfs:isDefinedBy ; - rdfs:label "Grain per Gallon"@en ; -. -unit:GRAIN-PER-GAL_US - a qudt:Unit ; - dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.01711806 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA524" ; - qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; - qudt:symbol "grain{US}/gal" ; - qudt:ucumCode "[gr].[gal_us]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K41" ; - rdfs:isDefinedBy ; - rdfs:label "Grain Per Gallon (US)"@en ; -. -unit:GRAIN-PER-M3 - a qudt:Unit ; - dcterms:description "Grains per cubic metre of volume"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.00006479891 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:plainTextDescription "Grains per cubic metre of volume" ; - qudt:symbol "Grain/m³" ; - qudt:ucumCode "[gr]/m3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Grains per Cubic Meter"@en-us ; - rdfs:label "Grains per Cubic Metre"@en ; -. -unit:GRAY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDose ; - qudt:hasQuantityKind quantitykind:Kerma ; - qudt:iec61360Code "0112/2///62720#UAA163" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "J/kg" ; - qudt:symbol "Gy" ; - qudt:ucumCode "Gy"^^qudt:UCUMcs ; - qudt:udunitsCode "Gy" ; - qudt:uneceCommonCode "A95" ; - rdfs:isDefinedBy ; - rdfs:label "Gray"@de ; - rdfs:label "graium"@la ; - rdfs:label "gray"@cs ; - rdfs:label "gray"@en ; - rdfs:label "gray"@es ; - rdfs:label "gray"@fr ; - rdfs:label "gray"@hu ; - rdfs:label "gray"@it ; - rdfs:label "gray"@ms ; - rdfs:label "gray"@pt ; - rdfs:label "gray"@ro ; - rdfs:label "gray"@sl ; - rdfs:label "gray"@tr ; - rdfs:label "grej"@pl ; - rdfs:label "γκρέι"@el ; - rdfs:label "грей"@bg ; - rdfs:label "грэй"@ru ; - rdfs:label "גריי"@he ; - rdfs:label "جراي; غراي"@ar ; - rdfs:label "گری"@fa ; - rdfs:label "ग्रेय"@hi ; - rdfs:label "グレイ"@ja ; - rdfs:label "戈瑞"@zh ; -. -unit:GRAY-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Gray per Second\" is a unit for 'Absorbed Dose Rate' expressed as \\(Gy/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(Gy/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:hasQuantityKind quantitykind:KermaRate ; - qudt:hasQuantityKind quantitykind:SpecificPower ; - qudt:iec61360Code "0112/2///62720#UAA164" ; - qudt:symbol "Gy/s" ; - qudt:ucumCode "Gy.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A96" ; - rdfs:isDefinedBy ; - rdfs:label "Gray per Second"@en ; -. -unit:GT - a qudt:Unit ; - dcterms:description "The formula for calculating GT is given by \\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\)"^^qudt:LatexString ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:informativeReference "http://www.imo.org/en/About/Conventions/ListOfConventions/Pages/International-Convention-on-Tonnage-Measurement-of-Ships.aspx"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Gross_tonnage"^^xsd:anyURI ; - qudt:latexDefinition "\\({ GT=V\\times (0.2+0.02\\times \\log _{10}(V))}\\) where V is measured in cubic meters."^^qudt:LatexString ; - qudt:plainTextDescription "Gross tonnage (GT, G.T. or gt) is a nonlinear measure of a ship's overall internal volume. Gross tonnage is different from gross register tonnage. Gross tonnage is used to determine things such as a ship's manning regulations, safety rules, registration fees, and port dues, whereas the older gross register tonnage is a measure of the volume of only certain enclosed spaces." ; - qudt:symbol "G.T." ; - qudt:ucumCode "t{gross}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GT" ; - rdfs:isDefinedBy ; - rdfs:label "Gross Tonnage"@en ; - rdfs:seeAlso unit:RT ; -. -unit:Gamma - a qudt:Unit ; - dcterms:description "\"Gamma\" is a C.G.S System unit for 'Magnetic Field'."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gamma"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticField ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAB213" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gamma?oldid=494680973"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "γ" ; - qudt:uneceCommonCode "P12" ; - rdfs:isDefinedBy ; - rdfs:label "Gamma"@en ; -. -unit:GibiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The gibibyte is a multiple of the unit byte for digital information storage. The prefix gibi means 1024^3"^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.9540889436391441429912255610071e09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gibibyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Gibi ; - qudt:symbol "GiB" ; - qudt:uneceCommonCode "E62" ; - rdfs:isDefinedBy ; - rdfs:label "GibiByte"@en ; -. -unit:GigaBIT-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A gigabit per second (Gbit/s or Gb/s) is a unit of data transfer rate equal to 1,000,000,000 bits per second."^^rdf:HTML ; - qudt:conversionMultiplier 6.9314718055994530941723212145818e08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DataRate ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data-rate_units#Gigabit_per_second"^^xsd:anyURI ; - qudt:symbol "Gbps" ; - qudt:ucumCode "Gbit.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B80" ; - rdfs:isDefinedBy ; - rdfs:label "Gigabit per Second"@en ; -. -unit:GigaBQ - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the derived SI unit becquerel"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAB047" ; - qudt:plainTextDescription "1 000 000 000-fold of the derived SI unit becquerel" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GBq" ; - qudt:ucumCode "GBq"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GBQ" ; - rdfs:isDefinedBy ; - rdfs:label "Gigabecquerel"@en ; -. -unit:GigaBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The gigabyte is a multiple of the unit byte for digital information storage. The prefix giga means \\(10^9\\) in the International System of Units (SI), therefore 1 gigabyte is \\(1,000,000,000 \\; bytes\\). The unit symbol for the gigabyte is \\(GB\\) or \\(Gbyte\\), but not \\(Gb\\) (lower case b) which is typically used for the gigabit. Historically, the term has also been used in some fields of computer science and information technology to denote the \\(gibibyte\\), or \\(1073741824 \\; bytes\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.54517744447956e09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gigabyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB185" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gigabyte?oldid=493019145"^^xsd:anyURI ; - qudt:prefix prefix:Giga ; - qudt:symbol "GB" ; - qudt:ucumCode "GBy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E34" ; - rdfs:isDefinedBy ; - rdfs:label "GigaByte"@en ; - skos:altLabel "gbyte" ; -. -unit:GigaBasePair - a qudt:Unit ; - dcterms:description "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. "^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:informativeReference "https://www.genome.gov/genetics-glossary/Gigabase"^^xsd:anyURI ; - qudt:plainTextDescription "A gigabase (abbreviated Gb, or Gbp for gigabase pairs.) is a unit of measurement used to help designate the length of DNA. One gigabase is equal to 1 billion bases. " ; - qudt:symbol "Gbp" ; - rdfs:isDefinedBy ; - rdfs:label "Gigabase Pair"@en ; - skos:altLabel "Gigabase" ; -. -unit:GigaC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Giga ; - qudt:symbol "GC" ; - qudt:ucumCode "GC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "GigaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:GigaC-PER-M3 - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:iec61360Code "0112/2///62720#UAA149" ; - qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "GC/m³" ; - qudt:ucumCode "GC.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A84" ; - rdfs:isDefinedBy ; - rdfs:label "Gigacoulomb Per Cubic Meter"@en-us ; - rdfs:label "Gigacoulomb Per Cubic Metre"@en ; -. -unit:GigaEV - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Giga Electron Volt\" is a unit for 'Energy And Work' expressed as \\(GeV\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-10 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:symbol "GeV" ; - qudt:ucumCode "GeV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A85" ; - rdfs:isDefinedBy ; - rdfs:label "Giga Electron Volt"@en ; -. -unit:GigaHZ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. A GigaHertz is \\(10^{9} hz\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA150" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GHz" ; - qudt:ucumCode "GHz"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A86" ; - rdfs:isDefinedBy ; - rdfs:label "Gigahertz"@en ; -. -unit:GigaHZ-M - a qudt:Unit ; - dcterms:description "product of the 1,000,000,000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ConductionSpeed ; - qudt:hasQuantityKind quantitykind:GroupSpeedOfSound ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; - qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA151" ; - qudt:plainTextDescription "product of the 1 000 000 000-fold of the SI derived unit hertz and the SI base unit metre" ; - qudt:symbol "GHz⋅M" ; - qudt:ucumCode "GHz.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M18" ; - rdfs:isDefinedBy ; - rdfs:label "Gigahertz Meter"@en-us ; - rdfs:label "Gigahertz Metre"@en ; -. -unit:GigaJ - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the SI derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA152" ; - qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit joule" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GJ" ; - qudt:ucumCode "GJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GV" ; - rdfs:isDefinedBy ; - rdfs:label "Gigajoule"@en ; -. -unit:GigaJ-PER-HR - a qudt:Unit ; - dcterms:description "SI derived unit Gigajoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600000000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:plainTextDescription "SI derived unit gigajoule divided by the 3600 times the SI base unit second" ; - qudt:symbol "GJ/hr" ; - qudt:ucumCode "GJ.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P16" ; - rdfs:isDefinedBy ; - rdfs:label "Gigajoule Per Hour"@en ; -. -unit:GigaJ-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Gigajoule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as Gigajoules per square meter, Gigajoule per square metre, Gigajoule/square meter, Gigajoule/square metre."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000000000.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(GJ/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyFluence ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:RadiantFluence ; - qudt:iec61360Code "0112/2///62720#UAA179" ; - qudt:symbol "GJ/m²" ; - qudt:ucumCode "GJ.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "GJ/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B13" ; - rdfs:isDefinedBy ; - rdfs:label "Gigajoule per Square Meter"@en-us ; - rdfs:label "Gigajoule per Square Metre"@en ; -. -unit:GigaOHM - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA147" ; - qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit ohm" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GΩ" ; - qudt:ucumCode "GOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A87" ; - rdfs:isDefinedBy ; - rdfs:label "Gigaohm"@en ; -. -unit:GigaPA - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the SI derived unit pascal"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA153" ; - qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit pascal" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GPa" ; - qudt:ucumCode "GPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A89" ; - rdfs:isDefinedBy ; - rdfs:label "Gigapascal"@en ; -. -unit:GigaW - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA154" ; - qudt:plainTextDescription "1 000 000 000-fold of the SI derived unit watt" ; - qudt:prefix prefix:Giga ; - qudt:symbol "GW" ; - qudt:ucumCode "GW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A90" ; - rdfs:isDefinedBy ; - rdfs:label "Gigawatt"@en ; -. -unit:GigaW-HR - a qudt:Unit ; - dcterms:description "1,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.6e12 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA155" ; - qudt:plainTextDescription "1 000 000 000-fold of the product of the SI derived unit watt and the unit hour" ; - qudt:symbol "GW⋅hr" ; - qudt:ucumCode "GW.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GWH" ; - rdfs:isDefinedBy ; - rdfs:label "Gigawatt Hour"@en ; -. -unit:Gs - a qudt:Unit ; - dcterms:description "The gauss, abbreviated as \\(G\\), is the cgs unit of measurement of a magnetic field \\(B\\), which is also known as the \"magnetic flux density\" or the \"magnetic induction\". One gauss is defined as one maxwell per square centimeter; it equals \\(10^{-4} tesla\\) (or \\(100 micro T\\)). The Gauss is identical to maxwells per square centimetre; technically defined in a three-dimensional system, it corresponds in the SI, with its extra base unit the ampere. The gauss is quite small by earthly standards, 1 Gs being only about four times Earth's flux density, but it is subdivided, with \\(1 gauss = 105 gamma\\). This unit of magnetic induction is also known as the \\(\\textit{abtesla}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 0.0001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gauss_%28unit%29"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:exactMatch unit:GAUSS ; - qudt:exactMatch unit:T_Ab ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gauss_(unit)"^^xsd:anyURI ; - qudt:informativeReference "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-526?rskey=HAbfz2"^^xsd:anyURI ; - qudt:symbol "G" ; - qudt:ucumCode "G"^^qudt:UCUMcs ; - qudt:uneceCommonCode "76" ; - rdfs:isDefinedBy ; - rdfs:label "Gs"@en ; -. -unit:H - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of electric inductance. A changing magnetic field induces an electric current in a loop of wire (or in a coil of many loops) located in the field. Although the induced voltage depends only on the rate at which the magnetic flux changes, measured in webers per second, the amount of the current depends also on the physical properties of the coil. A coil with an inductance of one henry requires a flux of one weber for each ampere of induced current. If, on the other hand, it is the current which changes, then the induced field will generate a potential difference within the coil: if the inductance is one henry a current change of one ampere per second generates a potential difference of one volt. The henry is a large unit; inductances in practical circuits are measured in millihenrys (mH) or microhenrys (u03bc H). The unit is named for the American physicist Joseph Henry (1797-1878), one of several scientists who discovered independently how magnetic fields can be used to generate alternating currents. \\(\\text{H} \\; \\equiv \\; \\text{henry}\\; \\equiv\\; \\frac{\\text{Wb}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{weber}}{\\text{amp}}\\; \\equiv\\ \\frac{\\text{V}\\cdot\\text{s}}{\\text{A}}\\; \\equiv\\; \\frac{\\text{volt} \\cdot \\text{second}}{\\text{amp}}\\; \\equiv\\ \\Omega\\cdot\\text{s}\\; \\equiv\\; \\text{ohm.second}\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Henry"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:iec61360Code "0112/2///62720#UAA165" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "Wb/A" ; - qudt:symbol "H" ; - qudt:ucumCode "H"^^qudt:UCUMcs ; - qudt:uneceCommonCode "81" ; - rdfs:isDefinedBy ; - rdfs:label "Henry"@de ; - rdfs:label "henr"@pl ; - rdfs:label "henrio"@es ; - rdfs:label "henrium"@la ; - rdfs:label "henry"@cs ; - rdfs:label "henry"@en ; - rdfs:label "henry"@fr ; - rdfs:label "henry"@hu ; - rdfs:label "henry"@it ; - rdfs:label "henry"@ms ; - rdfs:label "henry"@pt ; - rdfs:label "henry"@ro ; - rdfs:label "henry"@sl ; - rdfs:label "henry"@tr ; - rdfs:label "χένρι"@el ; - rdfs:label "генри"@ru ; - rdfs:label "хенри"@bg ; - rdfs:label "הנרי"@he ; - rdfs:label "هنري"@ar ; - rdfs:label "هنری"@fa ; - rdfs:label "हेनरी"@hi ; - rdfs:label "ヘンリー"@ja ; - rdfs:label "亨利"@zh ; -. -unit:H-PER-KiloOHM - a qudt:Unit ; - dcterms:description "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA167" ; - qudt:plainTextDescription "SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; - qudt:symbol "H/kΩ" ; - qudt:ucumCode "H.kOhm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H03" ; - rdfs:isDefinedBy ; - rdfs:label "Henry Per Kiloohm"@en ; -. -unit:H-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The henry per meter (symbolized \\(H/m\\)) is the unit of magnetic permeability in the International System of Units ( SI ). Reduced to base units in SI, \\(1\\,H/m\\) is the equivalent of one kilogram meter per square second per square ampere."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(H/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; - qudt:hasQuantityKind quantitykind:Permeability ; - qudt:iec61360Code "0112/2///62720#UAA168" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Henry?oldid=491435978"^^xsd:anyURI ; - qudt:symbol "H/m" ; - qudt:ucumCode "H.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A98" ; - rdfs:isDefinedBy ; - rdfs:label "Henry per Meter"@en-us ; - rdfs:label "Henry per Metre"@en ; -. -unit:H-PER-OHM - a qudt:Unit ; - dcterms:description "SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA166" ; - qudt:plainTextDescription "SI derived unit henry divided by the SI derived unit ohm" ; - qudt:symbol "H/Ω" ; - qudt:ucumCode "H.Ohm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H04" ; - rdfs:isDefinedBy ; - rdfs:label "Henry Per Ohm"@en ; -. -unit:HA - a qudt:Unit ; - dcterms:description "The customary metric unit of land area, equal to 100 ares. One hectare is a square hectometer, that is, the area of a square 100 meters on each side: exactly 10 000 square meters or approximately 107 639.1 square feet, 11 959.9 square yards, or 2.471 054 acres."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hectare"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAA532" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hectare?oldid=494256954"^^xsd:anyURI ; - qudt:symbol "ha" ; - qudt:ucumCode "har"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HAR" ; - rdfs:isDefinedBy ; - rdfs:label "Hectare"@en ; -. -unit:HART - a qudt:Unit ; - dcterms:description "The \"Hartley\" is a unit of information."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.3025850929940456840179914546844 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB344" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Hart" ; - qudt:uneceCommonCode "Q15" ; - rdfs:isDefinedBy ; - rdfs:label "Hartley"@en ; -. -unit:HART-PER-SEC - a qudt:Unit ; - dcterms:description "The \"Hartley per Second\" is a unit of information rate."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Hart/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:InformationFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB347" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:symbol "Hart/s" ; - qudt:uneceCommonCode "Q18" ; - rdfs:isDefinedBy ; - rdfs:label "Hartley per Second"@en ; -. -unit:HP - a qudt:Unit ; - dcterms:description "550 foot-pound force per second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 745.6999 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Horsepower"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Horsepower?oldid=495510329"^^xsd:anyURI ; - qudt:symbol "HP" ; - qudt:ucumCode "[HP]"^^qudt:UCUMcs ; - qudt:udunitsCode "hp" ; - qudt:uneceCommonCode "K43" ; - rdfs:isDefinedBy ; - rdfs:label "Horsepower"@en ; -. -unit:HP_Boiler - a qudt:Unit ; - dcterms:description "\"Boiler Horsepower\" is a unit for 'Power' expressed as \\(hp_boiler\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 9809.5 ; - qudt:expression "\\(boiler_hp\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "HP{boiler}" ; - qudt:uneceCommonCode "K42" ; - rdfs:isDefinedBy ; - rdfs:label "Boiler Horsepower"@en ; -. -unit:HP_Brake - a qudt:Unit ; - dcterms:description "unit of the power according to the Imperial system of units"^^rdf:HTML ; - qudt:conversionMultiplier 9809.5 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA536" ; - qudt:plainTextDescription "unit of the power according to the Imperial system of units" ; - qudt:symbol "HP{brake}" ; - qudt:uneceCommonCode "K42" ; - rdfs:isDefinedBy ; - rdfs:label "Horsepower (brake)"@en ; -. -unit:HP_Electric - a qudt:Unit ; - dcterms:description "unit of the power according to the Anglo-American system of units"^^rdf:HTML ; - qudt:conversionMultiplier 746.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA537" ; - qudt:plainTextDescription "unit of the power according to the Anglo-American system of units" ; - qudt:symbol "HP{electric}" ; - qudt:uneceCommonCode "K43" ; - rdfs:isDefinedBy ; - rdfs:label "Horsepower (electric)"@en ; -. -unit:HP_Metric - a qudt:Unit ; - dcterms:description "unit of the mechanical power according to the Anglo-American system of units"^^rdf:HTML ; - qudt:conversionMultiplier 735.4988 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA534" ; - qudt:plainTextDescription "unit of the mechanical power according to the Anglo-American system of units" ; - qudt:symbol "HP{metric}" ; - qudt:uneceCommonCode "HJ" ; - rdfs:isDefinedBy ; - rdfs:label "Horsepower (metric)"@en ; -. -unit:HR - a qudt:Unit ; - dcterms:description "The hour (common symbol: h or hr) is a unit of measurement of time. In modern usage, an hour comprises 60 minutes, or 3,600 seconds. It is approximately 1/24 of a mean solar day. An hour in the Universal Coordinated Time (UTC) time standard can include a negative or positive leap second, and may therefore have a duration of 3,599 or 3,601 seconds for adjustment purposes. Although it is not a standard defined by the International System of Units, the hour is a unit accepted for use with SI, represented by the symbol h."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3600.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hour"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA525" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hour?oldid=495040268"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "hr" ; - qudt:ucumCode "h"^^qudt:UCUMcs ; - qudt:udunitsCode "h" ; - qudt:uneceCommonCode "HUR" ; - rdfs:isDefinedBy ; - rdfs:label "Hour"@en ; -. -unit:HR-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Hour Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(hr-ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 334.450944 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(hr-ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:symbol "hr⋅ft²" ; - qudt:ucumCode "h.[ft_i]2"^^qudt:UCUMcs ; - qudt:ucumCode "h.[sft_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hour Square Foot"@en ; -. -unit:HR_Sidereal - a qudt:Unit ; - dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about 23 h 56 m 4.1 s in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Hour is \\(1/24^{th}\\) of a Sidereal Day. A mean sidereal day is 23 hours, 56 minutes, 4.0916 seconds (23.9344699 hours or 0.99726958 mean solar days), the time it takes Earth to make one rotation relative to the vernal equinox. (Due to nutation, an actual sidereal day is not quite so constant.) The vernal equinox itself precesses slowly westward relative to the fixed stars, completing one revolution in about 26,000 years, so the misnamed sidereal day (\"sidereal\" is derived from the Latin sidus meaning \"star\") is 0.0084 seconds shorter than Earth's period of rotation relative to the fixed stars."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3590.17 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; - qudt:symbol "hr{sidereal}" ; - qudt:ucumCode "h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Sidereal Hour"@en ; -. -unit:HZ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The hertz (symbol Hz) is the SI unit of frequency defined as the number of cycles per second of a periodic phenomenon. One of its most common uses is the description of the sine wave, particularly those used in radio and audio applications, such as the frequency of musical tones. The word \"hertz\" is named for Heinrich Rudolf Hertz, who was the first to conclusively prove the existence of electromagnetic waves."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hertz"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:exactMatch unit:PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA170" ; - qudt:omUnit ; - qudt:symbol "Hz" ; - qudt:ucumCode "Hz"^^qudt:UCUMcs ; - qudt:udunitsCode "Hz" ; - qudt:uneceCommonCode "HTZ" ; - rdfs:isDefinedBy ; - rdfs:label "Hertz"@de ; - rdfs:label "herc"@pl ; - rdfs:label "hercio"@es ; - rdfs:label "hertz"@cs ; - rdfs:label "hertz"@en ; - rdfs:label "hertz"@fr ; - rdfs:label "hertz"@hu ; - rdfs:label "hertz"@it ; - rdfs:label "hertz"@ms ; - rdfs:label "hertz"@pt ; - rdfs:label "hertz"@ro ; - rdfs:label "hertz"@sl ; - rdfs:label "hertz"@tr ; - rdfs:label "hertzium"@la ; - rdfs:label "χερτζ"@el ; - rdfs:label "герц"@ru ; - rdfs:label "херц"@bg ; - rdfs:label "הרץ"@he ; - rdfs:label "هرتز"@ar ; - rdfs:label "هرتز"@fa ; - rdfs:label "हर्ट्ज"@hi ; - rdfs:label "ヘルツ"@ja ; - rdfs:label "赫兹"@zh ; -. -unit:HZ-M - a qudt:Unit ; - dcterms:description "product of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:iec61360Code "0112/2///62720#UAA171" ; - qudt:plainTextDescription "product of the SI derived unit hertz and the SI base unit metre" ; - qudt:symbol "Hz⋅M" ; - qudt:ucumCode "Hz.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H34" ; - rdfs:isDefinedBy ; - rdfs:label "Hertz Meter"@en-us ; - rdfs:label "Hertz Metre"@en ; -. -unit:HZ-PER-K - a qudt:Unit ; - dcterms:description "\\(\\textbf{Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(Hz K^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(Hz K^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; - qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; - qudt:symbol "Hz/K" ; - qudt:ucumCode "Hz.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hertz je Kelvin"@de ; - rdfs:label "herc na kelwin"@pl ; - rdfs:label "hercio por kelvin"@es ; - rdfs:label "hertz al kelvin"@it ; - rdfs:label "hertz bölü kelvin"@tr ; - rdfs:label "hertz na kelvin"@cs ; - rdfs:label "hertz par kelvin"@fr ; - rdfs:label "hertz pe kelvin"@ro ; - rdfs:label "hertz per kelvin"@en ; - rdfs:label "hertz per kelvin"@ms ; - rdfs:label "hertz por kelvin"@pt ; - rdfs:label "герц на кельвин"@ru ; - rdfs:label "هرتز بر کلوین"@fa ; - rdfs:label "هرتز لكل كلفن"@ar ; - rdfs:label "हर्ट्ज प्रति कैल्विन"@hi ; - rdfs:label "ヘルツ毎立方メートル"@ja ; -. -unit:HZ-PER-T - a qudt:Unit ; - dcterms:description "\"Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(Hz T^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(Hz T^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:symbol "Hz/T" ; - qudt:ucumCode "Hz.T-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hertz per Tesla"@en ; -. -unit:HZ-PER-V - a qudt:Unit ; - dcterms:description "In the Hertz per Volt standard the frequency of the note is directly related to the voltage. A pitch of a note goes up one octave when its frequency doubles, meaning that the voltage will have to double for every octave rise. Depending on the footage (octave) selected, nominally one volt gives 1000Hz, two volts 2000Hz and so on. In terms of notes, bottom C would be 0.25 volts, the next C up would be 0.5 volts, then 1V, 2V, 4V, 8V for the following octaves. This system was used mainly by Yamaha and Korg."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(Hz V^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; - qudt:symbol "Hz/V" ; - qudt:ucumCode "Hz.V-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hertz per Volt"@en ; -. -unit:H_Ab - a qudt:Unit ; - dcterms:description "Abhenry is the centimeter-gram-second electromagnetic unit of inductance, equal to one billionth of a henry."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abhenry"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abhenry?oldid=477198643"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "abH" ; - qudt:ucumCode "nH"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abhenry"@en ; -. -unit:H_Stat - a qudt:Unit ; - dcterms:description "\"Stathenry\" (statH) is a unit in the category of Electric inductance. It is also known as stathenries. This unit is commonly used in the cgs unit system. Stathenry (statH) has a dimension of \\(ML^2T^{-2}I^{-2}\\) where M is mass, L is length, T is time, and I is electric current. It can be converted to the corresponding standard SI unit H by multiplying its value by a factor of \\(8.987552 \\times 10^{11}\\) ."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 8.9876e11 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_inductance--stathenry.cfm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "statH" ; - rdfs:isDefinedBy ; - rdfs:label "Stathenry"@en ; -. -unit:H_Stat-PER-CentiM - a qudt:Unit ; - dcterms:description "The Stathenry per Centimeter is a unit of measure for the absolute permeability of free space."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 8.9876e13 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:expression "\\(stath-per-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; - qudt:hasQuantityKind quantitykind:Permeability ; - qudt:symbol "statH/cm" ; - rdfs:isDefinedBy ; - rdfs:label "Stathenry per Centimeter"@en-us ; - rdfs:label "Stathenry per Centimetre"@en ; -. -unit:HeartBeat - a qudt:Unit ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - rdfs:isDefinedBy ; - rdfs:label "Heart Beat"@en ; -. -unit:HectoBAR - a qudt:Unit ; - dcterms:description "100-fold of the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e07 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB087" ; - qudt:plainTextDescription "100-fold of the unit bar" ; - qudt:symbol "hbar" ; - qudt:ucumCode "hbar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HBA" ; - rdfs:isDefinedBy ; - rdfs:label "Hectobar"@en ; -. -unit:HectoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"HectoCoulomb\" is a unit for 'Electric Charge' expressed as \\(hC\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Hecto ; - qudt:symbol "hC" ; - qudt:ucumCode "hC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "HectoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:HectoGM - a qudt:Unit ; - dcterms:description "0.1-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB079" ; - qudt:plainTextDescription "0.1-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Hecto ; - qudt:symbol "hg" ; - qudt:ucumCode "hg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HGM" ; - rdfs:isDefinedBy ; - rdfs:label "Hectogram"@en ; -. -unit:HectoL - a qudt:Unit ; - dcterms:description "100-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA533" ; - qudt:plainTextDescription "100-fold of the unit litre" ; - qudt:symbol "hL" ; - qudt:ucumCode "hL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HLT" ; - rdfs:isDefinedBy ; - rdfs:label "Hectolitre"@en ; - rdfs:label "Hectolitre"@en-us ; -. -unit:HectoM - a qudt:Unit ; - dcterms:description "100-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB062" ; - qudt:plainTextDescription "100-fold of the SI base unit metre" ; - qudt:prefix prefix:Hecto ; - qudt:symbol "hm" ; - qudt:ucumCode "hm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HMT" ; - rdfs:isDefinedBy ; - rdfs:label "Hectometer"@en-us ; - rdfs:label "Hectometre"@en ; -. -unit:HectoPA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Hectopascal is a unit of pressure. 1 Pa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 1013 hPa = 1 atm. There are 100 pascals in 1 hectopascal."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:exactMatch unit:MilliBAR ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA527" ; - qudt:symbol "hPa" ; - qudt:ucumCode "hPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A97" ; - rdfs:comment "Hectopascal is commonly used in meteorology to report values for atmospheric pressure. It is equivalent to millibar." ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascal"@en ; -. -unit:HectoPA-L-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerArea ; - qudt:iec61360Code "0112/2///62720#UAA530" ; - qudt:plainTextDescription "product out of the 100-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; - qudt:symbol "hPa⋅L/s" ; - qudt:ucumCode "hPa.L.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F93" ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascal Liter Per Second"@en-us ; - rdfs:label "Hectopascal Litre Per Second"@en ; -. -unit:HectoPA-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerArea ; - qudt:iec61360Code "0112/2///62720#UAA531" ; - qudt:plainTextDescription "product out of the 100-fold of the SI unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "hPa⋅m³/s" ; - qudt:ucumCode "hPa.m3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F94" ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascal Cubic Meter Per Second"@en-us ; - rdfs:label "Hectopascal Cubic Metre Per Second"@en ; -. -unit:HectoPA-PER-BAR - a qudt:Unit ; - dcterms:description "100-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA529" ; - qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the unit bar" ; - qudt:symbol "hPa/bar" ; - qudt:ucumCode "hPa.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E99" ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascal Per Bar"@en ; -. -unit:HectoPA-PER-HR - a qudt:Unit ; - dcterms:description "A change in pressure of one hundred Newtons per square metre (100 Pascals) per hour. Equivalent to a change of one millibar per hour."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0277777777777778 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "hPa/hr" ; - qudt:ucumCode "hPa.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascals per hour"@en ; -. -unit:HectoPA-PER-K - a qudt:Unit ; - dcterms:description "100-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA528" ; - qudt:plainTextDescription "100-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; - qudt:symbol "hPa/K" ; - qudt:ucumCode "hPa.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F82" ; - rdfs:isDefinedBy ; - rdfs:label "Hectopascal Per Kelvin"@en ; -. -unit:Hundredweight_UK - a qudt:Unit ; - dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 50.80235 ; - qudt:exactMatch unit:CWT_LONG ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA405" ; - qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; - qudt:symbol "cwt{long}" ; - qudt:ucumCode "[lcwt_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CWI" ; - rdfs:isDefinedBy ; - rdfs:label "Hundredweight (UK)"@en ; -. -unit:Hundredweight_US - a qudt:Unit ; - dcterms:description "out of use unit of the mass according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 45.35924 ; - qudt:exactMatch unit:CWT_SHORT ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA406" ; - qudt:plainTextDescription "out of use unit of the mass according to the Imperial system of units" ; - qudt:symbol "cwt{short}" ; - qudt:ucumCode "[scwt_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "CWA" ; - rdfs:isDefinedBy ; - rdfs:label "Hundredweight (US)"@en ; -. -unit:IN - a qudt:Unit ; - dcterms:description "An inch is the name of a unit of length in a number of different systems, including Imperial units, and United States customary units. There are 36 inches in a yard and 12 inches in a foot. Corresponding units of area and volume are the square inch and the cubic inch."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0254 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Inch"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA539" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Inch?oldid=492522790"^^xsd:anyURI ; - qudt:symbol "in" ; - qudt:ucumCode "[in_i]"^^qudt:UCUMcs ; - qudt:udunitsCode "in" ; - qudt:uneceCommonCode "INH" ; - rdfs:isDefinedBy ; - rdfs:label "Inch"@en ; -. -unit:IN-PER-DEG_F - a qudt:Unit ; - dcterms:description "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.04572 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA540" ; - qudt:plainTextDescription "unit inch according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; - qudt:symbol "in/°F" ; - qudt:ucumCode "[in_i].[degF]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K45" ; - rdfs:isDefinedBy ; - rdfs:label "Inch Per Degree Fahrenheit"@en ; -. -unit:IN-PER-MIN - a qudt:Unit ; - dcterms:description "The inch per minute is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in minutes (min). The equivalent SI unit is the metre per second." ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000423333333 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "in/," ; - qudt:ucumCode "[in_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M63" ; - rdfs:isDefinedBy ; - rdfs:label "Inch per Minute"@en ; -. -unit:IN-PER-SEC - a qudt:Unit ; - dcterms:description "The inch per second is a unit of speed or velocity. It expresses the distance in inches (in) traveled or displaced, divided by time in seconds (s, or sec). The equivalent SI unit is the metre per second. Abbreviations include in/s, in/sec, ips, and less frequently in s."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0254 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in-per-sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:PropellantBurnRate ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA542" ; - qudt:symbol "in/s" ; - qudt:ucumCode "[in_i].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "IU" ; - rdfs:isDefinedBy ; - rdfs:label "Inch per Second"@en ; -. -unit:IN-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Inch per Square second}\\) is an Imperial unit for \\(\\textit{Linear Acceleration}\\) expressed as \\(in/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0254 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in/s2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAB044" ; - qudt:symbol "in/s²" ; - qudt:ucumCode "[in_i].s-2"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "IV" ; - rdfs:isDefinedBy ; - rdfs:label "Inch per Square second"@en ; -. -unit:IN2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A square inch is a unit of area, equal to the area of a square with sides of one inch. The following symbols are used to denote square inches: square in, sq inches, sq inch, sq in inches/-2, inch/-2, in/-2, inches^2, \\(inch^2\\), \\(in^2\\), \\(inches^2\\), \\(inch^2\\), \\(in^2\\) or in some cases \\(\"^2\\). The square inch is a common unit of measurement in the United States and the United Kingdom."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00064516 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA547" ; - qudt:symbol "in²" ; - qudt:ucumCode "[in_i]2"^^qudt:UCUMcs ; - qudt:ucumCode "[sin_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "INK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Inch"@en ; -. -unit:IN2-PER-SEC - a qudt:Unit ; - dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00064516 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:iec61360Code "0112/2///62720#UAA548" ; - qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2 divided by the SI base unit second" ; - qudt:symbol "in²/s" ; - qudt:ucumCode "[sin_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G08" ; - rdfs:isDefinedBy ; - rdfs:label "Square Inch Per Second"@en ; -. -unit:IN3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The cubic inch is a unit of measurement for volume in the Imperial units and United States customary units systems. It is the volume of a cube with each of its three sides being one inch long. The cubic inch and the cubic foot are still used as units of volume in the United States, although the common SI units of volume, the liter, milliliter, and cubic meter, are continually replacing them, especially in manufacturing and high technology. One cubic foot is equal to exactly 1728 cubic inches."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.6387064e-05 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA549" ; - qudt:symbol "in³" ; - qudt:ucumCode "[cin_i]"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "INQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Inch"@en ; -. -unit:IN3-PER-HR - a qudt:Unit ; - dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.551961e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA550" ; - qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit hour" ; - qudt:symbol "in³/hr" ; - qudt:ucumCode "[cin_i].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G56" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Inch Per Hour"@en ; -. -unit:IN3-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Cubic Inch per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(in^{3}/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.7311773333333333e-07 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(in^{3}/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA551" ; - qudt:symbol "in³/min" ; - qudt:ucumCode "[cin_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[cin_i]/min"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]3.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[in_i]3/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G57" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Inch per Minute"@en ; -. -unit:IN3-PER-SEC - a qudt:Unit ; - dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.638706e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA552" ; - qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "in³/s" ; - qudt:ucumCode "[cin_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G58" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Inch Per Second"@en ; -. -unit:IN4 - a qudt:Unit ; - dcterms:description "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.162314e-07 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; - qudt:iec61360Code "0112/2///62720#UAA545" ; - qudt:plainTextDescription "power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 4" ; - qudt:symbol "in⁴" ; - qudt:ucumCode "[in_i]4"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D69" ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Inch"@en ; -. -unit:IN_H2O - a qudt:Unit ; - dcterms:description "Inches of water, wc, inch water column (inch WC), inAq, Aq, or inH2O is a non-SI unit for pressure. The units are by convention and due to the historical measurement of certain pressure differentials. It is used for measuring small pressure differences across an orifice, or in a pipeline or shaft. Inches of water can be converted to a pressure unit using the formula for pressure head. It is defined as the pressure exerted by a column of water of 1 inch in height at defined conditions for example \\(39 ^\\circ F\\) at the standard acceleration of gravity; 1 inAq is approximately equal to 249 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 249.080024 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_water"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA553" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_water?oldid=466175519"^^xsd:anyURI ; - qudt:symbol "inH₂0" ; - qudt:ucumCode "[in_i'H2O]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F78" ; - rdfs:isDefinedBy ; - rdfs:label "Inch of Water"@en ; -. -unit:IN_HG - a qudt:Unit ; - dcterms:description "Inches of mercury, (inHg) is a unit of measurement for pressure. It is still widely used for barometric pressure in weather reports, refrigeration and aviation in the United States, but is seldom used elsewhere. It is defined as the pressure exerted by a column of mercury of 1 inch in height at \\(32 ^\\circ F\\) at the standard acceleration of gravity. 1 inHg = 3,386.389 pascals at \\(0 ^\\circ C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3386.389 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Inch_of_mercury"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA554" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Inch_of_mercury?oldid=486634645"^^xsd:anyURI ; - qudt:symbol "inHg" ; - qudt:ucumCode "[in_i'Hg]"^^qudt:UCUMcs ; - qudt:udunitsCode "inHg" ; - qudt:udunitsCode "in_Hg" ; - qudt:uneceCommonCode "F79" ; - rdfs:isDefinedBy ; - rdfs:label "Inch of Mercury"@en ; -. -unit:IU - a qudt:Unit ; - dcterms:description """ -

International Unit is a unit for Amount Of Substance expressed as IU. -Note that the magnitude depends on the substance, thus there is no fixed conversion multiplier. -

"""^^rdf:HTML ; - qudt:dbpediaMatch "http://dbpedia.org/resource/International_unit"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAB603" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/International_unit?oldid=488801913"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "IU" ; - qudt:ucumCode "[IU]"^^qudt:UCUMcs ; - qudt:ucumCode "[iU]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "International Unit"@en ; -. -unit:IU-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description """ -

International Unit per Liter is a unit for 'Serum Or Plasma Level' expressed as IU/L. -The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. -(See IU for more information). -

"""^^rdf:HTML ; - qudt:expression "\\(IU/L\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; - qudt:symbol "IU/L" ; - qudt:ucumCode "[IU].L-1"^^qudt:UCUMcs ; - qudt:ucumCode "[IU]/L"^^qudt:UCUMcs ; - qudt:ucumCode "[iU].L-1"^^qudt:UCUMcs ; - qudt:ucumCode "[iU]/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "International Unit per Liter"@en-us ; - rdfs:label "International Unit per Litre"@en ; - rdfs:seeAlso unit:IU ; -. -unit:IU-PER-MilliGM - a qudt:Unit ; - dcterms:description """ -

International Unit per milligramme. -The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. -(See IU for more information). -

"""^^rdf:HTML ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:conversionOffset "0"^^xsd:double ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:plainTextDescription "International Units per milligramme." ; - qudt:symbol "IU/mg" ; - rdfs:isDefinedBy ; - rdfs:label "International Unit per milligram"@en ; -. -unit:IU-PER-MilliL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description """ -

International Unit per Milliliter is a unit for 'Serum Or Plasma Level' expressed as IU/mL. -The magnitude of one IU/L depends on the material, so there is no single conversion multiplier. -(See IU for more information). -

"""^^rdf:HTML ; - qudt:expression "\\(IU/mL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SerumOrPlasmaLevel ; - qudt:symbol "IU/mL" ; - qudt:ucumCode "[IU].mL-1"^^qudt:UCUMcs ; - qudt:ucumCode "[IU]/mL"^^qudt:UCUMcs ; - qudt:ucumCode "[iU].mL-1"^^qudt:UCUMcs ; - qudt:ucumCode "[iU]/mL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "International Unit per milliliter"@en ; - rdfs:label "International Unit per milliliter"@en-us ; -. -unit:J - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of \\(1 m/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Joule"^^xsd:anyURI ; - qudt:exactMatch unit:N-M ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ExchangeIntegral ; - qudt:hasQuantityKind quantitykind:HamiltonFunction ; - qudt:hasQuantityKind quantitykind:LagrangeFunction ; - qudt:hasQuantityKind quantitykind:LevelWidth ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA172" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Joule?oldid=494340406"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\text{J}\\ \\equiv\\ \\text{joule}\\ \\equiv\\ \\text{CV}\\ \\equiv\\ \\text{coulomb.volt}\\ \\equiv\\ \\frac{\\text{eV}}{1.602\\ 10^{-19}}\\ \\equiv\\ \\frac{\\text{electron.volt}}{1.602\\ 10^{-19}}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:plainTextDescription "The SI unit of work or energy, defined to be the work done by a force of one newton acting to move an object through a distance of one meter in the direction in which the force is applied. Equivalently, since kinetic energy is one half the mass times the square of the velocity, one joule is the kinetic energy of a mass of two kilograms moving at a velocity of 1 m/s. This is the same as 107 ergs in the CGS system, or approximately 0.737 562 foot-pound in the traditional English system. In other energy units, one joule equals about 9.478 170 x 10-4 Btu, 0.238 846 (small) calories, or 2.777 778 x 10-4 watt hour. The joule is named for the British physicist James Prescott Joule (1818-1889), who demonstrated the equivalence of mechanical and thermal energy in a famous experiment in 1843. " ; - qudt:symbol "J" ; - qudt:ucumCode "J"^^qudt:UCUMcs ; - qudt:udunitsCode "J" ; - qudt:uneceCommonCode "JOU" ; - rdfs:isDefinedBy ; - rdfs:label "Joule"@de ; - rdfs:label "dżul"@pl ; - rdfs:label "joule"@cs ; - rdfs:label "joule"@en ; - rdfs:label "joule"@fr ; - rdfs:label "joule"@hu ; - rdfs:label "joule"@it ; - rdfs:label "joule"@ms ; - rdfs:label "joule"@pt ; - rdfs:label "joule"@ro ; - rdfs:label "joule"@sl ; - rdfs:label "joule"@tr ; - rdfs:label "joulium"@la ; - rdfs:label "julio"@es ; - rdfs:label "τζάουλ"@el ; - rdfs:label "джаул"@bg ; - rdfs:label "джоуль"@ru ; - rdfs:label "ژول"@fa ; - rdfs:label "जूल"@hi ; - rdfs:label "ジュール"@ja ; - rdfs:label "焦耳"@zh ; -. -unit:J-M-PER-MOL - a qudt:Unit ; - dcterms:description "\\(\\textbf{Joule Meter per Mole} is a unit for 'Length Molar Energy' expressed as \\(J \\cdot m \\cdot mol^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J m mol^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LengthMolarEnergy ; - qudt:symbol "J⋅m/mol" ; - qudt:ucumCode "J.m.mol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule Meter per Mole"@en-us ; - rdfs:label "Joule Metre per Mole"@en ; -. -unit:J-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TotalAtomicStoppingPower ; - qudt:iec61360Code "0112/2///62720#UAA181" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "J⋅m²" ; - qudt:ucumCode "J.m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D73" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Square Meter"@en-us ; - rdfs:label "Joule Square Metre"@en ; -. -unit:J-M2-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(j-m2/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TotalMassStoppingPower ; - qudt:iec61360Code "0112/2///62720#UAB487" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "j⋅m²/kg" ; - qudt:ucumCode "J.m2.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B20" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Square Meter per Kilogram"@en-us ; - rdfs:label "Joule Square Metre per Kilogram"@en ; -. -unit:J-PER-CentiM2 - a qudt:Unit ; - dcterms:description "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:iec61360Code "0112/2///62720#UAB188" ; - qudt:plainTextDescription "derived SI unit joule divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "J/cm²" ; - qudt:ucumCode "J.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E43" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Per Square Centimeter"@en-us ; - rdfs:label "Joule Per Square Centimetre"@en ; -. -unit:J-PER-CentiM2-DAY - a qudt:Unit ; - dcterms:description "Radiant energy per 10^-4 SI unit area over a period of one day."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.115740740740741 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:hasQuantityKind quantitykind:Radiosity ; - qudt:symbol "J/(cm²⋅day)" ; - qudt:ucumCode "J.cm-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joules per square centimetre per day"@en ; -. -unit:J-PER-GM - a qudt:Unit ; - dcterms:description "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAA174" ; - qudt:plainTextDescription "SI derived unit joule divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "J/g" ; - qudt:ucumCode "J.g-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D95" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Per Gram"@en ; -. -unit:J-PER-GM-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Joule per Gram Kelvin is a unit typically used for specific heat capacity." ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEntropy ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; - qudt:iec61360Code "0112/2///62720#UAA176" ; - qudt:latexSymbol "\\(\\frac{J}{g \\cdot K}\\)"^^qudt:LatexString ; - qudt:symbol "J/(g⋅K)" ; - qudt:ucumCode "J.g-1.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Gram Kelvin"@en ; -. -unit:J-PER-HR - a qudt:Unit ; - dcterms:description "SI derived unit joule divided by the 3600 times the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:plainTextDescription "SI derived unit joule divided by the 3600 times the SI base unit second" ; - qudt:symbol "J/hr" ; - qudt:ucumCode "J.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P16" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Per Hour"@en ; -. -unit:J-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Joule Per Kelvin (J/K) is a unit in the category of Entropy. It is also known as joules per kelvin, joule/kelvin. This unit is commonly used in the SI unit system. Joule Per Kelvin (J/K) has a dimension of \\(ML^{2}T^{-2}Q^{-1}\\( where \\(M\\) is mass, L is length, T is time, and Q is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:Entropy ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA173" ; - qudt:symbol "J/K" ; - qudt:ucumCode "J.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "JE" ; - rdfs:isDefinedBy ; - rdfs:label "Joule je Kelvin"@de ; - rdfs:label "dżul na kelwin"@pl ; - rdfs:label "joule al kelvin"@it ; - rdfs:label "joule bölü kelvin"@tr ; - rdfs:label "joule na kelvin"@cs ; - rdfs:label "joule na kelvin"@sl ; - rdfs:label "joule par kelvin"@fr ; - rdfs:label "joule pe kelvin"@ro ; - rdfs:label "joule per kelvin"@en ; - rdfs:label "joule per kelvin"@ms ; - rdfs:label "joule por kelvin"@pt ; - rdfs:label "julio por kelvin"@es ; - rdfs:label "джоуль на кельвин"@ru ; - rdfs:label "جول لكل كلفن"@ar ; - rdfs:label "ژول بر کلوین"@fa ; - rdfs:label "जूल प्रति कैल्विन"@hi ; - rdfs:label "ジュール毎立方メートル"@ja ; - rdfs:label "焦耳每开尔文"@zh ; -. -unit:J-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Joule Per Kilogram} (\\(J/kg\\)) is a unit in the category of Thermal heat capacity. It is also known as \\textit{joule/kilogram}, \\textit{joules per kilogram}. This unit is commonly used in the SI unit system. The unit has a dimension of \\(L2T^{-2}\\) where \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:hasQuantityKind quantitykind:SpecificEnthalpy ; - qudt:hasQuantityKind quantitykind:SpecificGibbsEnergy ; - qudt:hasQuantityKind quantitykind:SpecificHelmholtzEnergy ; - qudt:hasQuantityKind quantitykind:SpecificInternalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA175" ; - qudt:symbol "J/kg" ; - qudt:ucumCode "J.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "J/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J2" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Kilogram"@en ; -. -unit:J-PER-KiloGM-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Specific heat capacity - The heat required to raise unit mass of a substance by unit temperature interval under specified conditions, such as constant pressure: usually measured in joules per kelvin per kilogram. Symbol \\(c_p\\) (for constant pressure) Also called specific heat."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J-per-kgK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEntropy ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtSaturation ; - qudt:iec61360Code "0112/2///62720#UAA176" ; - qudt:latexSymbol "\\(J/(kg \\cdot K)\\)"^^qudt:LatexString ; - qudt:symbol "J/(kg⋅K)" ; - qudt:ucumCode "J.kg-1.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B11" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Kilogram Kelvin"@en ; -. -unit:J-PER-KiloGM-K-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(j-per-kg-k-m3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantVolume ; - qudt:hasQuantityKind quantitykind:SpecificHeatVolume ; - qudt:symbol "J/(kg⋅K⋅m³)" ; - qudt:ucumCode "J.kg-1.K.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Kilogram Kelvin Cubic Meter"@en-us ; - rdfs:label "Joule per Kilogram Kelvin Cubic Metre"@en ; -. -unit:J-PER-KiloGM-K-PA - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(j-per-kg-k-pa\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacityAtConstantPressure ; - qudt:hasQuantityKind quantitykind:SpecificHeatPressure ; - qudt:symbol "J/(kg⋅K⋅Pa)" ; - qudt:ucumCode "J.kg-1.K-1.Pa-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Kilogram Kelvin per Pascal"@en ; -. -unit:J-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:expression "\\(j/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; - qudt:hasQuantityKind quantitykind:TotalLinearStoppingPower ; - qudt:iec61360Code "0112/2///62720#UAA178" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "J/m" ; - qudt:ucumCode "J.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "J/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B12" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Per Meter"@en-us ; - rdfs:label "Joule Per Metre"@en ; -. -unit:J-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Joule Per Square Meter (\\(J/m^2\\)) is a unit in the category of Energy density. It is also known as joules per square meter, joule per square metre, joule/square meter, joule/square metre. This unit is commonly used in the SI unit system."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyFluence ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:RadiantFluence ; - qudt:iec61360Code "0112/2///62720#UAA179" ; - qudt:symbol "J/m²" ; - qudt:ucumCode "J.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "J/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B13" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Square Meter"@en-us ; - rdfs:label "Joule per Square Metre"@en ; -. -unit:J-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Joule Per Cubic Meter}\\) (\\(J/m^{3}\\)) is a unit in the category of Energy density. It is also known as joules per cubic meter, joule per cubic metre, joules per cubic metre, joule/cubic meter, joule/cubic metre. This unit is commonly used in the SI unit system. It has a dimension of \\(ML^{-1}T^{-2}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(j-per-m3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticEnergyDensity ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:hasQuantityKind quantitykind:RadiantEnergyDensity ; - qudt:hasQuantityKind quantitykind:VolumicElectromagneticEnergy ; - qudt:iec61360Code "0112/2///62720#UAA180" ; - qudt:symbol "J/m³" ; - qudt:ucumCode "J.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "J/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B8" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Cubic Meter"@en-us ; - rdfs:label "Joule per Cubic Metre"@en ; -. -unit:J-PER-M3-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Joule per Cubic Meter Kelvin} is a unit for 'Volumetric Heat Capacity' expressed as \\(J/(m^{3} K)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/(m^{3} K)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; - qudt:symbol "J/(m³⋅K)" ; - qudt:ucumCode "J.m-3.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Cubic Meter Kelvin"@en-us ; - rdfs:label "Joule per Cubic Metre Kelvin"@en ; -. -unit:J-PER-M4 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Joule Per Quartic Meter} (\\(J/m^4\\)) is a unit for the spectral concentration of radiant energy density (in terms of wavelength), or the spectral radiant energy density (in terms of wave length). This unit is commonly used in the SI unit system."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(J/m^4\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; - qudt:iec61360Code "0112/2///62720#UAA177" ; - qudt:symbol "J/m⁴" ; - qudt:ucumCode "J.m-4"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B14" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Quartic Meter"@en-us ; - rdfs:label "Joule per Quartic Metre"@en ; -. -unit:J-PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The joule per mole (symbol: \\(J\\cdot mol^{-1}\\)) is an SI derived unit of energy per amount of material. Energy is measured in joules, and the amount of material is measured in moles. Physical quantities measured in \\(J\\cdot mol^{-1}\\)) usually describe quantities of energy transferred during phase transformations or chemical reactions. Division by the number of moles facilitates comparison between processes involving different quantities of material and between similar processes involving different types of materials. The meaning of such a quantity is always context-dependent and, particularly for chemical reactions, is dependent on the (possibly arbitrary) definition of a 'mole' for a particular process."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ChemicalAffinity ; - qudt:hasQuantityKind quantitykind:ElectricPolarizability ; - qudt:hasQuantityKind quantitykind:MolarEnergy ; - qudt:iec61360Code "0112/2///62720#UAA183" ; - qudt:symbol "J/mol" ; - qudt:ucumCode "J.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B15" ; - rdfs:isDefinedBy ; - rdfs:label "Joule je Mol"@de ; - rdfs:label "dżul na mol"@pl ; - rdfs:label "joule alla mole"@it ; - rdfs:label "joule bölü metre küp"@tr ; - rdfs:label "joule na mol"@cs ; - rdfs:label "joule na mol"@sl ; - rdfs:label "joule par mole"@fr ; - rdfs:label "joule pe mol"@ro ; - rdfs:label "joule per mole"@en ; - rdfs:label "joule per mole"@ms ; - rdfs:label "joule por mol"@pt ; - rdfs:label "julio por mol"@es ; - rdfs:label "джоуль на моль"@ru ; - rdfs:label "جول لكل مول"@ar ; - rdfs:label "ژول بر مول"@fa ; - rdfs:label "जूल प्रति मोल (इकाई)"@hi ; - rdfs:label "ジュール毎立方メートル"@ja ; - rdfs:label "焦耳每摩尔"@zh ; -. -unit:J-PER-MOL-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Energy needed to heat one mole of substance by 1 Kelvin, under standard conditions (not standard temperature and pressure STP). The standard molar entropy is usually given the symbol S, and has units of joules per mole kelvin ( \\( J\\cdot mol^{-1} K^{-1}\\)). Unlike standard enthalpies of formation, the value of S is an absolute. That is, an element in its standard state has a nonzero value of S at room temperature."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J/(mol-K)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:MolarEntropy ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA184" ; - qudt:symbol "J/(mol⋅K)" ; - qudt:ucumCode "J.mol-1.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B16" ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Mole Kelvin"@en ; -. -unit:J-PER-SEC - a qudt:Unit ; - dcterms:description "SI derived unit joule divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:plainTextDescription "SI derived unit joule divided by the SI base unit second" ; - qudt:symbol "J/s" ; - qudt:ucumCode "J.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P14" ; - rdfs:isDefinedBy ; - rdfs:label "Joule Per Second"@en ; -. -unit:J-PER-T - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The magnetic moment of a magnet is a quantity that determines the force that the magnet can exert on electric currents and the torque that a magnetic field will exert on it. A loop of electric current, a bar magnet, an electron, a molecule, and a planet all have magnetic moments. The unit for magnetic moment is not a base unit in the International System of Units (SI) and it can be represented in more than one way. For example, in the current loop definition, the area is measured in square meters and I is measured in amperes, so the magnetic moment is measured in ampere-square meters (A m2). In the equation for torque on a moment, the torque is measured in joules and the magnetic field in tesla, so the moment is measured in Joules per Tesla (J u00b7T-1). These two representations are equivalent: 1 A u00b7m2 = 1 J u00b7T-1. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(j-per-t\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticAreaMoment ; - qudt:hasQuantityKind quantitykind:MagneticMoment ; - qudt:iec61360Code "0112/2///62720#UAB336" ; - qudt:symbol "J/T" ; - qudt:ucumCode "J.T-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q10" ; - rdfs:isDefinedBy ; - rdfs:label "Joule je Tesla"@de ; - rdfs:label "dżul na tesla"@pl ; - rdfs:label "joule al tesla"@it ; - rdfs:label "joule bölü tesla"@tr ; - rdfs:label "joule na tesla"@cs ; - rdfs:label "joule par tesla"@fr ; - rdfs:label "joule pe tesla"@ro ; - rdfs:label "joule per tesla"@en ; - rdfs:label "joule per tesla"@ms ; - rdfs:label "joule por tesla"@pt ; - rdfs:label "julio por tesla"@es ; - rdfs:label "джоуль на тесла"@ru ; - rdfs:label "جول لكل تسلا"@ar ; - rdfs:label "ژول بر تسلا"@fa ; - rdfs:label "जूल प्रति टैस्ला"@hi ; - rdfs:label "ジュール毎立方メートル"@ja ; - rdfs:label "焦耳每特斯拉"@zh ; -. -unit:J-PER-T2 - a qudt:Unit ; - dcterms:description "A measure of the diamagnetic energy, for a Bohr-radius spread around a magnetic axis, per square Tesla."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J T^{-2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L2I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerMagneticFluxDensity_Squared ; - qudt:informativeReference "http://www.eng.fsu.edu/~dommelen/quantum/style_a/elecmagfld.html"^^xsd:anyURI ; - qudt:symbol "J/T²" ; - qudt:ucumCode "J.T-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule per Square Tesla"@en ; -. -unit:J-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(The joule-second is a unit equal to a joule multiplied by a second, used to measure action or angular momentum. The joule-second is the unit used for Planck's constant.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Action ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:iec61360Code "0112/2///62720#UAB151" ; - qudt:symbol "J⋅s" ; - qudt:ucumCode "J.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B18" ; - rdfs:isDefinedBy ; - rdfs:label "Joulesekunde"@de ; - rdfs:label "dżulosekunda"@pl ; - rdfs:label "joule per secondo"@it ; - rdfs:label "joule saat"@ms ; - rdfs:label "joule saniye"@tr ; - rdfs:label "joule second"@en ; - rdfs:label "joule sekunda"@cs ; - rdfs:label "joule sekunda"@sl ; - rdfs:label "joule-seconde"@fr ; - rdfs:label "joule-secundă"@ro ; - rdfs:label "joule-segundo"@pt ; - rdfs:label "julio segundo"@es ; - rdfs:label "джоуль-секунда"@ru ; - rdfs:label "جول ثانية"@ar ; - rdfs:label "ژول ثانیه"@fa ; - rdfs:label "जूल सैकण्ड"@hi ; - rdfs:label "ジュール秒"@ja ; - rdfs:label "焦耳秒"@zh ; -. -unit:J-SEC-PER-MOL - a qudt:Unit ; - dcterms:description "\\(\\textbf{Joule Second per Mole} is a unit for 'Molar Angular Momentum' expressed as \\(J s mol^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(J s mol^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarAngularMomentum ; - qudt:symbol "J⋅s/mol" ; - qudt:ucumCode "J.s.mol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Joule Second per Mole"@en ; -. -unit:K - a qudt:Unit ; - dcterms:description "\\(The SI base unit of temperature, previously called the degree Kelvin. One kelvin represents the same temperature difference as one degree Celsius. In 1967 the General Conference on Weights and Measures defined the temperature of the triple point of water (the temperature at which water exists simultaneously in the gaseous, liquid, and solid states) to be exactly 273.16 kelvins. Since this temperature is also equal to 0.01 u00b0C, the temperature in kelvins is always equal to 273.15 plus the temperature in degrees Celsius. The kelvin equals exactly 1.8 degrees Fahrenheit. The unit is named for the British mathematician and physicist William Thomson (1824-1907), later known as Lord Kelvin after he was named Baron Kelvin of Largs.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kelvin"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:CorrelatedColorTemperature ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:iec61360Code "0112/2///62720#UAA185" ; - qudt:iec61360Code "0112/2///62720#UAD721" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kelvin?oldid=495075694"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "K" ; - qudt:ucumCode "K"^^qudt:UCUMcs ; - qudt:udunitsCode "K" ; - qudt:uneceCommonCode "KEL" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin"@de ; - rdfs:label "kelvin"@cs ; - rdfs:label "kelvin"@en ; - rdfs:label "kelvin"@es ; - rdfs:label "kelvin"@fr ; - rdfs:label "kelvin"@hu ; - rdfs:label "kelvin"@it ; - rdfs:label "kelvin"@la ; - rdfs:label "kelvin"@ms ; - rdfs:label "kelvin"@pt ; - rdfs:label "kelvin"@ro ; - rdfs:label "kelvin"@sl ; - rdfs:label "kelvin"@tr ; - rdfs:label "kelwin"@pl ; - rdfs:label "κέλβιν"@el ; - rdfs:label "келвин"@bg ; - rdfs:label "кельвин"@ru ; - rdfs:label "קלווין"@he ; - rdfs:label "كلفن"@ar ; - rdfs:label "کلوین"@fa ; - rdfs:label "कैल्विन"@hi ; - rdfs:label "ケルビン"@ja ; - rdfs:label "开尔文"@zh ; -. -unit:K-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 86400.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:TimeTemperature ; - qudt:symbol "K⋅day" ; - qudt:ucumCode "K.d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin day"@en ; -. -unit:K-M - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:LengthTemperature ; - qudt:symbol "K⋅m" ; - qudt:ucumCode "K.m"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin metres"@en ; -. -unit:K-M-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "K⋅m/s" ; - qudt:ucumCode "K.m.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin metres per second"@en ; -. -unit:K-M-PER-W - a qudt:Unit ; - dcterms:description "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:iec61360Code "0112/2///62720#UAB488" ; - qudt:plainTextDescription "product of the SI base unit kelvin and the SI base unit metre divided by the derived SI unit watt" ; - qudt:symbol "K⋅m/W" ; - qudt:ucumCode "K.m.W-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H35" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin Meter Per Watt"@en-us ; - rdfs:label "Kelvin Metre Per Watt"@en ; -. -unit:K-M2-PER-KiloGM-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H1T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "K⋅m²/(kg⋅s)" ; - qudt:ucumCode "K.m2.kg-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin square metres per kilogram per second"@en ; -. -unit:K-PA-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H1T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "K⋅Pa/s" ; - qudt:ucumCode "K.Pa.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin Pascals per second"@en ; -. -unit:K-PER-HR - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kelvin per Hour} is a unit for 'Temperature Per Time' expressed as \\(K / h\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:expression "\\(K / h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA189" ; - qudt:symbol "K/h" ; - qudt:ucumCode "K.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F10" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per Hour"@en ; -. -unit:K-PER-K - a qudt:Unit ; - dcterms:description "SI base unit kelvin divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:TemperatureRatio ; - qudt:iec61360Code "0112/2///62720#UAA186" ; - qudt:plainTextDescription "SI base unit kelvin divided by the SI base unit kelvin" ; - qudt:symbol "K/K" ; - qudt:ucumCode "K.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F02" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin Per Kelvin"@en ; -. -unit:K-PER-M - a qudt:Unit ; - dcterms:description "A change of temperature on the Kelvin temperature scale in one SI unit of length."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:TemperatureGradient ; - qudt:symbol "K/m" ; - qudt:ucumCode "K.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per metre"@en ; -. -unit:K-PER-MIN - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kelvin per Minute} is a unit for 'Temperature Per Time' expressed as \\(K / m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01666667 ; - qudt:expression "\\(K / min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA191" ; - qudt:symbol "K/min" ; - qudt:ucumCode "K.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F11" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per Minute"@en ; -. -unit:K-PER-SEC - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kelvin per Second} is a unit for 'Temperature Per Time' expressed as \\(K / s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(K / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-1D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime ; - qudt:iec61360Code "0112/2///62720#UAA192" ; - qudt:symbol "K/s" ; - qudt:ucumCode "K.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "K/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F12" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per Second"@en ; -. -unit:K-PER-SEC2 - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kelvin per Square Second} is a unit for 'Temperature Per Time Squared' expressed as \\(K / s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(K / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T-2D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerTime_Squared ; - qudt:symbol "K/s²" ; - qudt:ucumCode "K.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "K/s^2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per Square Second"@en ; -. -unit:K-PER-T - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kelvin per Tesla} is a unit for 'Temperature Per Magnetic Flux Density' expressed as \\(K T^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(K T^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H1T2D0 ; - qudt:hasQuantityKind quantitykind:TemperaturePerMagneticFluxDensity ; - qudt:symbol "K/T" ; - qudt:ucumCode "K.T-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin per Tesla"@en ; -. -unit:K-PER-W - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Thermal resistance is a heat property and a measure of a temperature difference by which an object or material resists a heat flow (heat per time unit or thermal resistance). Thermal resistance is the reciprocal thermal conductance. Absolute thermal resistance is the temperature difference across a structure when a unit of heat energy flows through it in unit time. It is the reciprocal of thermal conductance. The SI units of thermal resistance are kelvins per watt or the equivalent degrees Celsius per watt (the two are the same since as intervals).

"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(K/W\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistance ; - qudt:iec61360Code "0112/2///62720#UAA187" ; - qudt:symbol "K/W" ; - qudt:ucumCode "K.W-1"^^qudt:UCUMcs ; - qudt:ucumCode "K/W"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B21" ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin je Watt"@de ; - rdfs:label "kelvin al watt"@it ; - rdfs:label "kelvin per watt"@en ; -. -unit:K-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T1D0 ; - qudt:hasQuantityKind quantitykind:TimeTemperature ; - qudt:symbol "K⋅s" ; - qudt:ucumCode "K.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kelvin second"@en ; -. -unit:K2 - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H2T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "K²" ; - qudt:ucumCode "K2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Kelvin"@en ; -. -unit:KAT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivity ; - qudt:iec61360Code "0112/2///62720#UAB196" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Katal?oldid=486431865"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "kat" ; - qudt:ucumCode "kat"^^qudt:UCUMcs ; - qudt:udunitsCode "kat" ; - qudt:uneceCommonCode "KAT" ; - rdfs:isDefinedBy ; - rdfs:label "Katal"@de ; - rdfs:label "katal"@cs ; - rdfs:label "katal"@en ; - rdfs:label "katal"@es ; - rdfs:label "katal"@fr ; - rdfs:label "katal"@hu ; - rdfs:label "katal"@it ; - rdfs:label "katal"@ms ; - rdfs:label "katal"@pl ; - rdfs:label "katal"@pt ; - rdfs:label "katal"@ro ; - rdfs:label "katal"@sl ; - rdfs:label "katal"@tr ; - rdfs:label "κατάλ"@el ; - rdfs:label "катал"@bg ; - rdfs:label "катал"@ru ; - rdfs:label "קטל"@he ; - rdfs:label "كاتال"@ar ; - rdfs:label "کاتال"@fa ; - rdfs:label "कटल"@hi ; - rdfs:label "カタール"@ja ; - rdfs:label "开特"@zh ; -. -unit:KAT-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; - qudt:symbol "kat/L" ; - qudt:ucumCode "kat/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Katal Per Liter"@en-us ; - rdfs:label "Katal Per Litre"@en ; -. -unit:KAT-PER-MicroL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Katal"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; - qudt:symbol "kat/μL" ; - qudt:ucumCode "kat/uL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Katal Per Microliter"@en-us ; - rdfs:label "Katal Per Microlitre"@en ; -. -unit:KIP_F - a qudt:Unit ; - dcterms:description "1000 pound-force"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 4448.222 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kip"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kip?oldid=492552722"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "kip" ; - qudt:ucumCode "k[lbf_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M75" ; - rdfs:isDefinedBy ; - rdfs:label "Kip"@en ; -. -unit:KIP_F-PER-IN2 - a qudt:Unit ; - dcterms:description "\"Kip per Square Inch\" is a unit for 'Force Per Area' expressed as \\(kip/in^{2}\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 6.89475789e06 ; - qudt:expression "\\(kip/in^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB242" ; - qudt:symbol "kip/in²" ; - qudt:ucumCode "k[lbf_av].[in_i]-2"^^qudt:UCUMcs ; - qudt:udunitsCode "ksi" ; - qudt:uneceCommonCode "N20" ; - rdfs:isDefinedBy ; - rdfs:label "Kip per Square Inch"@en ; -. -unit:KN - a qudt:Unit ; - dcterms:description "The knot (pronounced 'not') is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation \\(kn\\) is preferred by the International Hydrographic Organization (IHO), which includes every major sea-faring nation; however, the abbreviations kt (singular) and kts (plural) are also widely used. However, use of the abbreviation kt for knot conflicts with the SI symbol for kilotonne. The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation - for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. Etymologically, the term knot derives from counting the number of knots in the line that unspooled from the reel of a chip log in a specific time."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.5144444444444445 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Knot"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:MI_N-PER-HR ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB110" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Knot?oldid=495066194"^^xsd:anyURI ; - qudt:symbol "kn" ; - qudt:ucumCode "[kn_i]"^^qudt:UCUMcs ; - qudt:udunitsCode "kt" ; - qudt:uneceCommonCode "KNT" ; - rdfs:isDefinedBy ; - rdfs:label "Knot"@en ; - skos:altLabel "kt" ; - skos:altLabel "kts" ; -. -unit:KN-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Knot per Second}\\) is a unit for 'Linear Acceleration' expressed as \\(kt/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.5144444444444445 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kt/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:symbol "kn/s" ; - qudt:ucumCode "[kn_i].s-1"^^qudt:UCUMcs ; - qudt:ucumCode "[kn_i]/s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Knot per Second"@en ; -. -unit:KY - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 100.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kayser"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:expression "\\(\\(cm^{-1}\\)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kayser?oldid=458489166"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "K" ; - qudt:ucumCode "Ky"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kayser"@en ; -. -unit:KibiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The kibibyte is a multiple of the unit byte for digital information equivalent to 1024 bytes."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5678.2617031470719747459655389854 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Kibi ; - qudt:symbol "KiB" ; - qudt:uneceCommonCode "E64" ; - rdfs:isDefinedBy ; - rdfs:label "KibiByte"@en ; -. -unit:Kilo-FT3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "1 000-fold of the unit cubic foot. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 28.316846592 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kft^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "k.ft³" ; - qudt:ucumCode "[k.cft_i]"^^qudt:UCUMcs ; - qudt:ucumCode "k[ft_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FC" ; - rdfs:isDefinedBy ; - rdfs:label "Thousand Cubic Foot"@en ; -. -unit:KiloA - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA557" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kA" ; - qudt:ucumCode "kA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B22" ; - rdfs:isDefinedBy ; - rdfs:label "kiloampere"@en ; -. -unit:KiloA-HR - a qudt:Unit ; - dcterms:description "product of the 1 000-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAB053" ; - qudt:plainTextDescription "product of the 1 000-fold of the SI base unit ampere and the unit hour" ; - qudt:symbol "kA⋅hr" ; - qudt:ucumCode "kA.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "TAH" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloampere Hour"@en ; -. -unit:KiloA-PER-M - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit ampere divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAA558" ; - qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the SI base unit metre" ; - qudt:symbol "kA/m" ; - qudt:ucumCode "kA.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B24" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloampere Per Meter"@en-us ; - rdfs:label "Kiloampere Per Metre"@en ; -. -unit:KiloA-PER-M2 - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:iec61360Code "0112/2///62720#UAA559" ; - qudt:plainTextDescription "1 000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "kA/m²" ; - qudt:ucumCode "kA.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B23" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloampere Per Square Meter"@en-us ; - rdfs:label "Kiloampere Per Square Metre"@en ; -. -unit:KiloBAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e08 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB088" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kbar" ; - qudt:ucumCode "kbar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KBA" ; - rdfs:isDefinedBy ; - rdfs:label "Kilobar"@en ; -. -unit:KiloBIT-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A kilobit per second (kB/s) is a unit of data transfer rate equal to 1,000 bits per second."^^rdf:HTML ; - qudt:conversionMultiplier 693.14718055994530941723212145818 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DataRate ; - qudt:iec61360Code "0112/2///62720#UAA586" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobit_per_second"^^xsd:anyURI ; - qudt:symbol "kbps" ; - qudt:ucumCode "kbit.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C74" ; - rdfs:isDefinedBy ; - rdfs:label "Kilobit per Second"@en ; -. -unit:KiloBQ - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit becquerel"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA561" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit becquerel" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kBq" ; - qudt:ucumCode "kBq"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2Q" ; - rdfs:isDefinedBy ; - rdfs:label "Kilobecquerel"@en ; -. -unit:KiloBTU_IT - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.05505585262e05 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:symbol "kBtu{IT}" ; - qudt:ucumCode "k[Btu_IT]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilo British Thermal Unit (International Definition)"@en ; -. -unit:KiloBTU_IT-PER-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{kBTU per Square Foot}\\) is an Imperial unit for 'Energy Per Area' expressed as \\(kBtu/ft^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 11356526.7 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kBtu/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:plainTextDescription "kBTU per Square Foot is an Imperial unit for 'Energy Per Area." ; - qudt:symbol "kBtu{IT}/ft²" ; - qudt:ucumCode "k[Btu_IT].[ft_i]-2"^^qudt:UCUMcs ; - qudt:ucumCode "k[Btu_IT]/[ft_i]2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "kBTU per Square Foot"@en ; -. -unit:KiloBTU_IT-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 293.07107 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kBtu/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "kBtu{IT}/hr" ; - qudt:ucumCode "k[Btu_IT].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "k[Btu_IT]/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilo British Thermal Unit (International Definition) per Hour"@en ; -. -unit:KiloBTU_TH - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0543502645e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:symbol "kBtu{th}" ; - qudt:ucumCode "k[Btu_th]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilo British Thermal Unit (Thermochemical Definition)"@en ; -. -unit:KiloBTU_TH-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "unit of the heat energy according to the Imperial system of units divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 292.9 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:plainTextDescription "unit of the heat energy according to the Imperial system of units divided by the unit hour" ; - qudt:symbol "kBtu{th}/hr" ; - qudt:ucumCode "k[Btu_th].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "k[Btu_th]/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilo British Thermal Unit (thermochemical) Per Hour"@en ; -. -unit:KiloBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The kilobyte is a multiple of the unit byte for digital information equivalent to 1000 bytes. Although the prefix kilo- means 1000, the term kilobyte and symbol kB have historically been used to refer to either 1024 (210) bytes or 1000 (103) bytes, dependent upon context, in the fields of computer science and information technology. This ambiguity is removed in QUDT, with KibiBYTE used to refer to 1024 bytes."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5545.17744447956 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Byte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Byte?oldid=493588918"^^xsd:anyURI ; - qudt:prefix prefix:Kibi ; - qudt:symbol "kB" ; - qudt:ucumCode "kBy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2P" ; - rdfs:isDefinedBy ; - rdfs:label "Kilo Byte"@en ; -. -unit:KiloBYTE-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A kilobyte per second (kByte/s) is a unit of data transfer rate equal to 1000 bytes per second or 8000 bits per second."^^rdf:HTML ; - qudt:conversionMultiplier 5545.17744447956 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DataRate ; - qudt:iec61360Code "0112/2///62720#UAB306" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units#Kilobyte_per_second"^^xsd:anyURI ; - qudt:symbol "kBps" ; - qudt:ucumCode "kBy.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P94" ; - rdfs:isDefinedBy ; - rdfs:label "Kilobyte per Second"@en ; -. -unit:KiloC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA563" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kC" ; - qudt:ucumCode "kC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B26" ; - rdfs:isDefinedBy ; - rdfs:label "KiloCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:KiloC-PER-M2 - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:hasQuantityKind quantitykind:ElectricPolarization ; - qudt:iec61360Code "0112/2///62720#UAA564" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "kC/m²" ; - qudt:ucumCode "kC.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B28" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocoulomb Per Square Meter"@en-us ; - rdfs:label "Kilocoulomb Per Square Metre"@en ; -. -unit:KiloC-PER-M3 - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:iec61360Code "0112/2///62720#UAA565" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "kC/m³" ; - qudt:ucumCode "kC.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B27" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocoulomb Per Cubic Meter"@en-us ; - rdfs:label "Kilocoulomb Per Cubic Metre"@en ; -. -unit:KiloCAL - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilocalorie} is a unit for \\textit{Energy And Work} expressed as \\(kcal\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Calorie"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Calorie?oldid=494307622"^^xsd:anyURI ; - qudt:symbol "kcal" ; - qudt:ucumCode "kcal"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E14" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie"@en ; -. -unit:KiloCAL-PER-CentiM-SEC-DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(kilocal-per-cm-sec-degc\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:symbol "kcal/(cm⋅s⋅°C)" ; - qudt:ucumCode "kcal.cm-1.s-1.Cel-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Centimeter Second Degree Celsius"@en-us ; - rdfs:label "Kilocalorie per Centimetre Second Degree Celsius"@en ; -. -unit:KiloCAL-PER-CentiM2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilocalorie per Square Centimeter\" is a unit for 'Energy Per Area' expressed as \\(kcal/cm^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.184e-07 ; - qudt:expression "\\(kcal/cm^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:symbol "kcal/cm²" ; - qudt:ucumCode "kcal.cm-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Square Centimeter"@en-us ; - rdfs:label "Kilocalorie per Square Centimetre"@en ; -. -unit:KiloCAL-PER-CentiM2-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilocalorie per Square Centimeter Minute\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-min)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6.97333333e-05 ; - qudt:expression "\\(kcal/(cm^{2}-min)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:symbol "kcal/(cm²⋅min)" ; - qudt:ucumCode "kcal.cm-2.min-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Square Centimeter Minute"@en-us ; - rdfs:label "Kilocalorie per Square Centimetre Minute"@en ; -. -unit:KiloCAL-PER-CentiM2-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilocalorie per Square Centimeter Second\" is a unit for 'Power Per Area' expressed as \\(kcal/(cm^{2}-s)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.184e-07 ; - qudt:expression "\\(kcal/(cm^{2}-s)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:symbol "kcal/(cm²⋅s)" ; - qudt:ucumCode "kcal.cm-2.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Square Centimeter Second"@en-us ; - rdfs:label "Kilocalorie per Square Centimetre Second"@en ; -. -unit:KiloCAL-PER-GM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilocalorie per Gram\" is a unit for 'Specific Energy' expressed as \\(kcal/gm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.1840e06 ; - qudt:expression "\\(kcal/gm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:symbol "kcal/g" ; - qudt:ucumCode "kcal.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Gram"@en ; -. -unit:KiloCAL-PER-GM-DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Calorie per Gram Degree Celsius} is a unit for 'Specific Heat Capacity' expressed as \\(kcal/(gm-degC)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(kcal/(gm-degC)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificHeatCapacity ; - qudt:symbol "kcal/(g⋅°C)" ; - qudt:ucumCode "cal.g-1.Cel-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Calorie per Gram Degree Celsius"@en ; -. -unit:KiloCAL-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilocalorie per Minute} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 69.7333333 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kcal/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "kcal/min" ; - qudt:ucumCode "kcal.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K54" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie Per Minute"@en ; -. -unit:KiloCAL-PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The kilocalorie per mole is a derived unit of energy per Avogadro's number of particles. It is the quotient of a kilocalorie (1000 thermochemical gram calories) and a mole, mainly used in the United States. In SI units, it is equal to \\(4.184 kJ/mol\\), or \\(6.9477 \\times 10 J per molecule\\). At room temperature it is equal to 1.688 . Physical quantities measured in \\(kcal\\cdot mol\\) are usually thermodynamical quantities; mostly free energies such as: Heat of vaporization Heat of fusion

."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:expression "\\(kcal/mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MolarEnergy ; - qudt:symbol "kcal/mol" ; - qudt:ucumCode "kcal.mol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Mole"@en ; -. -unit:KiloCAL-PER-MOL-DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilocalorie per Mole Degree Celsius} is a unit for 'Molar Heat Capacity' expressed as \\(kcal/(mol-degC)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(kcal/(mol-degC)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:MolarHeatCapacity ; - qudt:symbol "kcal/(mol⋅°C)" ; - qudt:ucumCode "kcal.mol-1.Cel-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie per Mole Degree Celsius"@en ; -. -unit:KiloCAL-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilocalorie per Second} is a unit for \\textit{Heat Flow Rate} and \\textit{Power} expressed as \\(kcal/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kcal/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "kcal/s" ; - qudt:ucumCode "kcal.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K55" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie Per Second"@en ; -. -unit:KiloCAL_IT - a qudt:Unit ; - dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4186.8 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA589" ; - qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; - qudt:symbol "kcal{IT}" ; - qudt:ucumCode "kcal_IT"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E14" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (international Table)"@en ; -. -unit:KiloCAL_IT-PER-HR-M-DEG_C - a qudt:Unit ; - dcterms:description "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.163 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA588" ; - qudt:plainTextDescription "1 000-fold of the no longer approved unit international calorie for energy divided by the product of the SI base unit metre, the unit hour for time and the unit degree Celsius for temperature" ; - qudt:symbol "kcal{IT}/(hr⋅m⋅°C)" ; - qudt:ucumCode "kcal_IT.h-1.m-1.Cel-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K52" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (international Table) Per Hour Meter Degree Celsius"@en-us ; - rdfs:label "Kilocalorie (international Table) Per Hour Metre Degree Celsius"@en ; -. -unit:KiloCAL_Mean - a qudt:Unit ; - dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4190.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA587" ; - qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; - qudt:symbol "kcal{mean}" ; - qudt:ucumCode "kcal_m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K51" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (mean)"@en ; -. -unit:KiloCAL_TH - a qudt:Unit ; - dcterms:description "1000-fold of the unit calorie, which is used particularly for calorific values of food"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA590" ; - qudt:plainTextDescription "1000-fold of the unit calorie, which is used particularly for calorific values of food" ; - qudt:symbol "kcal{th}" ; - qudt:ucumCode "[Cal]"^^qudt:UCUMcs ; - qudt:ucumCode "kcal_th"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K53" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (thermochemical)"@en ; -. -unit:KiloCAL_TH-PER-HR - a qudt:Unit ; - dcterms:description "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.162230555555556 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB184" ; - qudt:plainTextDescription "1 000-fold of the non-legal unit thermochemical calorie divided by the unit hour" ; - qudt:symbol "kcal{th}/hr" ; - qudt:ucumCode "kcal_th.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E15" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (thermochemical) Per Hour"@en ; -. -unit:KiloCAL_TH-PER-MIN - a qudt:Unit ; - dcterms:description "1000-fold of the unit calorie divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 69.73383333333334 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA591" ; - qudt:plainTextDescription "1000-fold of the unit calorie divided by the unit minute" ; - qudt:symbol "kcal{th}/min" ; - qudt:ucumCode "kcal_th.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K54" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (thermochemical) Per Minute"@en ; -. -unit:KiloCAL_TH-PER-SEC - a qudt:Unit ; - dcterms:description "1000-fold of the unit calorie divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4184.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA592" ; - qudt:plainTextDescription "1000-fold of the unit calorie divided by the SI base unit second" ; - qudt:symbol "kcal{th}/s" ; - qudt:ucumCode "kcal_th.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K55" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocalorie (thermochemical) Per Second"@en ; -. -unit:KiloCi - a qudt:Unit ; - dcterms:description "1,000-fold of the unit curie"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.7e13 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:hasQuantityKind quantitykind:DecayConstant ; - qudt:iec61360Code "0112/2///62720#UAB046" ; - qudt:plainTextDescription "1 000-fold of the unit curie" ; - qudt:symbol "kCi" ; - qudt:ucumCode "kCi"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2R" ; - rdfs:isDefinedBy ; - rdfs:label "Kilocurie"@en ; -. -unit:KiloEV - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilo Electron Volt\" is a unit for 'Energy And Work' expressed as \\(keV\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-16 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:symbol "keV" ; - qudt:ucumCode "keV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B29" ; - rdfs:isDefinedBy ; - rdfs:label "Kilo Electron Volt"@en ; -. -unit:KiloEV-PER-MicroM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilo Electron Volt per Micrometer\" is a unit for 'Linear Energy Transfer' expressed as \\(keV/microM\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-10 ; - qudt:expression "\\(keV/microM\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; - qudt:symbol "keV/µM" ; - qudt:ucumCode "keV.um-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilo Electron Volt per Micrometer"@en-us ; - rdfs:label "Kilo Electron Volt per Micrometre"@en ; -. -unit:KiloGAUSS - a qudt:Unit ; - dcterms:description "1 000-fold of the CGS unit of the magnetic flux density B"^^rdf:HTML ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAB136" ; - qudt:plainTextDescription "1 000-fold of the CGS unit of the magnetic flux density B" ; - qudt:symbol "kGs" ; - qudt:ucumCode "kG"^^qudt:UCUMcs ; - qudt:uneceCommonCode "78" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogauss"@en ; -. -unit:KiloGM - a qudt:Unit ; - dcterms:description "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA594" ; - qudt:iec61360Code "0112/2///62720#UAD720" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram?oldid=493633626"^^xsd:anyURI ; - qudt:plainTextDescription "The kilogram or kilogramme (SI symbol: kg), also known as the kilo, is the base unit of mass in the International System of Units and is defined as being equal to the mass of the International Prototype Kilogram (IPK), which is almost exactly equal to the mass of one liter of water. The avoirdupois (or international) pound, used in both the Imperial system and U.S. customary units, is defined as exactly 0.45359237 kg, making one kilogram approximately equal to 2.2046 avoirdupois pounds." ; - qudt:symbol "kg" ; - qudt:ucumCode "kg"^^qudt:UCUMcs ; - qudt:udunitsCode "kg" ; - qudt:uneceCommonCode "KGM" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogramm"@de ; - rdfs:label "chiliogramma"@la ; - rdfs:label "chilogrammo"@it ; - rdfs:label "kilogram"@cs ; - rdfs:label "kilogram"@en ; - rdfs:label "kilogram"@ms ; - rdfs:label "kilogram"@pl ; - rdfs:label "kilogram"@ro ; - rdfs:label "kilogram"@sl ; - rdfs:label "kilogram"@tr ; - rdfs:label "kilogramm*"@hu ; - rdfs:label "kilogramme"@fr ; - rdfs:label "kilogramo"@es ; - rdfs:label "quilograma"@pt ; - rdfs:label "χιλιόγραμμο"@el ; - rdfs:label "килограм"@bg ; - rdfs:label "килограмм"@ru ; - rdfs:label "קילוגרם"@he ; - rdfs:label "كيلوغرام"@ar ; - rdfs:label "کیلوگرم"@fa ; - rdfs:label "किलोग्राम"@hi ; - rdfs:label "キログラム"@ja ; - rdfs:label "公斤"@zh ; -. -unit:KiloGM-CentiM2 - a qudt:Unit ; - dcterms:description "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:RotationalMass ; - qudt:iec61360Code "0112/2///62720#UAA600" ; - qudt:plainTextDescription "product of the SI base unit kilogram and the 0 0001fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "kg⋅cm²" ; - qudt:ucumCode "kg.cm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F18" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Square Centimeter"@en-us ; - rdfs:label "Kilogram Square Centimetre"@en ; -. -unit:KiloGM-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilogram Kelvin} is a unit for 'Mass Temperature' expressed as \\(kg-K\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(kg-K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:symbol "kg⋅K" ; - qudt:ucumCode "kg.K"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Kelvin"@en ; -. -unit:KiloGM-M-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilogram Meter Per Second\" is a unit for 'Linear Momentum' expressed as \\(kg-m/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(kg-m/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:iec61360Code "0112/2///62720#UAA615" ; - qudt:symbol "kg⋅m/s" ; - qudt:ucumCode "kg.m.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg.m/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B31" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Meter Per Second"@en-us ; - rdfs:label "Kilogramm mal Meter je Sekunde"@de ; - rdfs:label "chilogrammo per metro al secondo"@it ; - rdfs:label "kilogram meter na sekundo"@sl ; - rdfs:label "kilogram meter per saat"@ms ; - rdfs:label "kilogram metre per second"@en ; - rdfs:label "کیلوگرم متر بر ثانیه"@fa ; - rdfs:label "千克米每秒"@zh ; -. -unit:KiloGM-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilogram Square Meter\" is a unit for 'Moment Of Inertia' expressed as \\(kg-m^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg-m2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:RotationalMass ; - qudt:iec61360Code "0112/2///62720#UAA622" ; - qudt:symbol "kg⋅m²" ; - qudt:ucumCode "kg.m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B32" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Square Meter"@en-us ; - rdfs:label "Kilogramm mal Quadratmeter"@de ; - rdfs:label "chilogrammo metro quadrato"@it ; - rdfs:label "kilogram meter persegi"@ms ; - rdfs:label "kilogram metrekare"@tr ; - rdfs:label "kilogram square metre"@en ; - rdfs:label "kilogram čtvereční metr"@cs ; - rdfs:label "kilogram-metru pătrat"@ro ; - rdfs:label "kilogramme-mètre carré"@fr ; - rdfs:label "kilogramo metro cuadrado"@es ; - rdfs:label "quilograma-metro quadrado"@pt ; - rdfs:label "килограмм-квадратный метр"@ru ; - rdfs:label "كيلوغرام متر مربع"@ar ; - rdfs:label "نیوتون متر مربع"@fa ; - rdfs:label "किलोग्राम वर्ग मीटर"@hi ; - rdfs:label "キログラム平方メートル"@ja ; - rdfs:label "千克平方米"@zh ; -. -unit:KiloGM-M2-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilogram Square Meter Per Second\" is a unit for 'Angular Momentum' expressed as \\(kg-m^2-s^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(kg-m2/sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:iec61360Code "0112/2///62720#UAA623" ; - qudt:symbol "kg⋅m²/s" ; - qudt:ucumCode "kg.m2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B33" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Square Meter Per Second"@en-us ; - rdfs:label "Kilogram Square Metre Per Second"@en ; -. -unit:KiloGM-MilliM2 - a qudt:Unit ; - dcterms:description "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:RotationalMass ; - qudt:iec61360Code "0112/2///62720#UAA627" ; - qudt:plainTextDescription "product of the SI base kilogram and the 0.001-fold of the power of the SI base metre with the exponent 2" ; - qudt:symbol "kg⋅mm²" ; - qudt:ucumCode "kg.mm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F19" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Square Millimeter"@en-us ; - rdfs:label "Kilogram Square Millimetre"@en ; -. -unit:KiloGM-PER-CentiM2 - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAB174" ; - qudt:plainTextDescription "SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "kg/cm²" ; - qudt:ucumCode "kg.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D5" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Square Centimeter"@en-us ; - rdfs:label "Kilogram Per Square Centimetre"@en ; -. -unit:KiloGM-PER-CentiM3 - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA597" ; - qudt:plainTextDescription "SI base unit kilogram divided by the 0.000 001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "kg/cm³" ; - qudt:ucumCode "kg.cm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G31" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Cubic Centimeter"@en-us ; - rdfs:label "Kilogram Per Cubic Centimetre"@en ; -. -unit:KiloGM-PER-DAY - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA601" ; - qudt:plainTextDescription "SI base unit kilogram divided by the unit day" ; - qudt:symbol "kg/day" ; - qudt:ucumCode "kg.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F30" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Day"@en ; -. -unit:KiloGM-PER-DeciM3 - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA604" ; - qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "kg/dm³" ; - qudt:ucumCode "kg.dm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B34" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Cubic Decimeter"@en-us ; - rdfs:label "Kilogram Per Cubic Decimetre"@en ; -. -unit:KiloGM-PER-FT2 - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the square of the imperial foot"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 10.763910416709722 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:plainTextDescription "SI base unit kilogram divided by the square of the imperial foot" ; - qudt:symbol "kg/ft²" ; - qudt:ucumCode "kg.ft-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Square Foot"@en ; -. -unit:KiloGM-PER-GigaJ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the SI base unit gigajoule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier .000000001 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; - qudt:hasQuantityKind quantitykind:MassPerEnergy ; - qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit gigajoule" ; - qudt:symbol "kg/GJ" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Gigajoule"@en ; -. -unit:KiloGM-PER-HA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram Per Hectare is a unit of mass per area. Kilogram Per Hectare (kg/ha) has a dimension of ML-2 where M is mass, and L is length. It can be converted to the corresponding standard SI unit kg/m2 by multiplying its value by a factor of 0.0001."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:expression "\\(kg/hare\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:symbol "kg/ha" ; - qudt:ucumCode "kg.har-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/har"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Hectare"@en ; -. -unit:KiloGM-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram Per Hour (kg/h) is a unit in the category of Mass flow rate. It is also known as kilogram/hour. Kilogram Per Hour (kg/h) has a dimension of MT-1 where M is mass, and T is time. It can be converted to the corresponding standard SI unit kg/s by multiplying its value by a factor of 0.000277777777778."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277777778 ; - qudt:expression "\\(kg/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:iec61360Code "0112/2///62720#UAA607" ; - qudt:symbol "kg/h" ; - qudt:ucumCode "kg.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E93" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Hour"@en ; -. -unit:KiloGM-PER-J - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the SI base unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; - qudt:hasQuantityKind quantitykind:MassPerEnergy ; - qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit joule" ; - qudt:symbol "kg/J" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Joule"@en ; -. -unit:KiloGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA610" ; - qudt:plainTextDescription "SI base unit kilogram divided by the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "kg/kg" ; - qudt:ucumCode "kg.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "3H" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Kilogram"@en ; -. -unit:KiloGM-PER-KiloM2 - a qudt:Unit ; - dcterms:description "One SI standard unit of mass over the square of one thousand standard unit of length."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:SurfaceDensity ; - qudt:symbol "kg/km²" ; - qudt:ucumCode "kg.km-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per square kilometre"@en ; -. -unit:KiloGM-PER-KiloMOL - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:iec61360Code "0112/2///62720#UAA611" ; - qudt:plainTextDescription "SI base unit kilogram divided by the 1 000-fold of the SI base unit mol" ; - qudt:symbol "kg/kmol" ; - qudt:ucumCode "kg.kmol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F24" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Kilomol"@en ; -. -unit:KiloGM-PER-L - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA612" ; - qudt:plainTextDescription "SI base unit kilogram divided by the unit litre" ; - qudt:symbol "kg/L" ; - qudt:ucumCode "kg.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B35" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Liter"@en-us ; - rdfs:label "Kilogram Per Litre"@en ; -. -unit:KiloGM-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram Per Meter (kg/m) is a unit in the category of Linear mass density. It is also known as kilogram/meter, kilogram/metre, kilograms per meter, kilogram per metre, kilograms per metre. This unit is commonly used in the SI unit system. Kilogram Per Meter (kg/m) has a dimension of ML-1 where M is mass, and L is length. This unit is the standard SI unit in this category. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearDensity ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAA616" ; - qudt:symbol "kg/m" ; - qudt:ucumCode "kg.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KL" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Meter"@en-us ; - rdfs:label "Kilogram per Metre"@en ; -. -unit:KiloGM-PER-M-HR - a qudt:Unit ; - dcterms:description "One SI standard unit of mass over one SI standard unit of length over 3600 times one SI standard unit of time."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277777777777778 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "kg/(m⋅hr)" ; - qudt:ucumCode "kg.m-1.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N40" ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per metre per hour"@en ; -. -unit:KiloGM-PER-M-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "kg/(m⋅s)" ; - qudt:ucumCode "kg.m-1.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N37" ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per metre per second"@en ; -. -unit:KiloGM-PER-M-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; - qudt:exactMatch unit:N-PER-M2 ; - qudt:exactMatch unit:PA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:siUnitsExpression "kg/m/s^2" ; - qudt:symbol "kg/(m⋅s²)" ; - qudt:ucumCode "kg.m-1.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per metre per square second"@en ; -. -unit:KiloGM-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram Per Square Meter (kg/m2) is a unit in the category of Surface density. It is also known as kilograms per square meter, kilogram per square metre, kilograms per square metre, kilogram/square meter, kilogram/square metre. This unit is commonly used in the SI unit system. Kilogram Per Square Meter (kg/m2) has a dimension of ML-2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:BodyMassIndex ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:MeanMassRange ; - qudt:hasQuantityKind quantitykind:SurfaceDensity ; - qudt:iec61360Code "0112/2///62720#UAA617" ; - qudt:symbol "kg/m²" ; - qudt:ucumCode "kg.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "kg/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "28" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Square Meter"@en-us ; - rdfs:label "Kilogram per Square Metre"@en ; -. -unit:KiloGM-PER-M2-PA-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:S-PER-M ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:VaporPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; - qudt:symbol "kg/(m²⋅s⋅Pa)" ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per square metre per Pascal per second"@en ; - owl:sameAs unit:S-PER-M ; -. -unit:KiloGM-PER-M2-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:KiloGM-PER-SEC-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "kg/(m²⋅s)" ; - qudt:ucumCode "kg.m-2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H56" ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per square metre per second"@en ; -. -unit:KiloGM-PER-M2-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureLossPerLength ; - qudt:symbol "kg/(m²⋅s²)" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Square Meter Square Second"@en-us ; - rdfs:label "Kilogram per Square Metre Square Second"@en ; -. -unit:KiloGM-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is \\(kg \\cdot m^{-3}\\), or equivalently either \\(kg/m^3\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(kg/m^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassConcentration ; - qudt:hasQuantityKind quantitykind:MassConcentrationOfWater ; - qudt:hasQuantityKind quantitykind:MassConcentrationOfWaterVapour ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA619" ; - qudt:plainTextDescription "Kilogram per cubic metre is an SI derived unit of density, defined by mass in kilograms divided by volume in cubic metres. The official SI symbolic abbreviation is kg . m^-3, or equivalently either kg/m^3." ; - qudt:symbol "kg/m³" ; - qudt:ucumCode "kg.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "kg/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KMQ" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogramm je Kubikmeter"@de ; - rdfs:label "chilogrammo al metro cubo"@it ; - rdfs:label "kilogram bölü metre küp"@tr ; - rdfs:label "kilogram na kubični meter"@sl ; - rdfs:label "kilogram na metr krychlový"@cs ; - rdfs:label "kilogram na metr sześcienny"@pl ; - rdfs:label "kilogram pe metru cub"@ro ; - rdfs:label "kilogram per cubic meter"@en-us ; - rdfs:label "kilogram per cubic metre"@en ; - rdfs:label "kilogram per meter kubik"@ms ; - rdfs:label "kilogramme par mètre cube"@fr ; - rdfs:label "kilogramo por metro cúbico"@es ; - rdfs:label "quilograma por metro cúbico"@pt ; - rdfs:label "χιλιόγραμμο ανά κυβικό μέτρο"@el ; - rdfs:label "килограм на кубичен метър"@bg ; - rdfs:label "килограмм на кубический метр"@ru ; - rdfs:label "كيلوغرام لكل متر مكعب"@ar ; - rdfs:label "کیلوگرم بر متر مکعب"@fa ; - rdfs:label "किलोग्राम प्रति घन मीटर"@hi ; - rdfs:label "キログラム毎立方メートル"@ja ; - rdfs:label "千克每立方米"@zh ; -. -unit:KiloGM-PER-M3-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "kg/(m³⋅s)" ; - qudt:ucumCode "kg.m-3.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilograms per cubic metre per second"@en ; -. -unit:KiloGM-PER-MIN - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01666667 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA624" ; - qudt:plainTextDescription "SI base unit kilogram divided by the unit minute" ; - qudt:symbol "kg/min" ; - qudt:ucumCode "kg.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F31" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Minute"@en ; -. -unit:KiloGM-PER-MOL - a qudt:Unit ; - dcterms:description "

In chemistry, the molar mass M is defined as the mass of a given substance (chemical element or chemical compound) divided by its amount of substance. It is a physical property of a given substance. The base SI unit for molar mass is \\(kg/mol\\). However, for historical reasons, molar masses are almost always expressed in \\(g/mol\\). As an example, the molar mass of water is approximately: \\(18.01528(33) \\; g/mol\\)

."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg mol^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarMass ; - qudt:symbol "kg/mol" ; - qudt:ucumCode "kg.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D74" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Mol"@en ; -. -unit:KiloGM-PER-MegaBTU_IT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilogram per Mega BTU}\\) is an Imperial unit for 'Mass Per Energy' expressed as \\(kg/MBtu\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000000000947817 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(kg/MBtu\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T2D0 ; - qudt:hasQuantityKind quantitykind:MassPerEnergy ; - qudt:plainTextDescription "Kilogram per Mega BTU is an Imperial Unit for 'Mass Per Energy." ; - qudt:symbol "kg/MBtu{IT}" ; - qudt:ucumCode "k[g].[MBtu_IT]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Mega BTU"@en ; -. -unit:KiloGM-PER-MilliM - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearDensity ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAB070" ; - qudt:plainTextDescription "SI base unit kilogram divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "kg/mm" ; - qudt:ucumCode "kg.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KW" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Millimeter"@en-us ; - rdfs:label "Kilogram Per Millimetre"@en ; -. -unit:KiloGM-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilogram Per Second (kg/s) is a unit in the category of Mass flow rate. It is also known as kilogram/second, kilograms per second. This unit is commonly used in the SI unit system. Kilogram Per Second (kg/s) has a dimension of \\(MT^{-1}\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:iec61360Code "0112/2///62720#UAA629" ; - qudt:symbol "kg/s" ; - qudt:ucumCode "kg.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KGS" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Second"@en ; -. -unit:KiloGM-PER-SEC-M2 - a qudt:Unit ; - dcterms:description "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:KiloGM-PER-M2-SEC ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:iec61360Code "0112/2///62720#UAA618" ; - qudt:plainTextDescription "SI base unit kilogram divided by the product of the power of the SI base unit metre with the exponent 2 and the SI base unit second" ; - qudt:symbol "kg/(s⋅m²)" ; - qudt:ucumCode "kg.(s.m2)-1"^^qudt:UCUMcs ; - qudt:ucumCode "kg.s-1.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "kg/(s.m2)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H56" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Per Second Per Square Meter"@en-us ; - rdfs:label "Kilogram Per Second Per Square Metre"@en ; -. -unit:KiloGM-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(kg-per-sec2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:latexSymbol "\\(kg \\cdot s^2\\)"^^qudt:LatexString ; - qudt:symbol "kg/s²" ; - qudt:ucumCode "kg.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "kg/s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram per Square Second"@en ; -. -unit:KiloGM-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(kilog-sec2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "kg⋅s²" ; - qudt:ucumCode "kg.s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Square Second"@en ; -. -unit:KiloGM2-PER-SEC2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M2H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "kg²/s²" ; - qudt:ucumCode "kg2.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Kilograms per square second"@en ; -. -unit:KiloGM_F - a qudt:Unit ; - dcterms:description "\"Kilogram Force\" is a unit for 'Force' expressed as \\(kgf\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 9.80665 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilogram-force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilogram-force?oldid=493375479"^^xsd:anyURI ; - qudt:symbol "kgf" ; - qudt:ucumCode "kgf"^^qudt:UCUMcs ; - qudt:udunitsCode "kgf" ; - qudt:uneceCommonCode "B37" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Force"@en ; -. -unit:KiloGM_F-M - a qudt:Unit ; - dcterms:description "product of the unit kilogram-force and the SI base unit metre"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA634" ; - qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre" ; - qudt:symbol "kgf⋅m" ; - qudt:ucumCode "kgf.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B38" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram_force Meter"@en-us ; - rdfs:label "Kilogram_force Metre"@en ; -. -unit:KiloGM_F-M-PER-CentiM2 - a qudt:Unit ; - dcterms:description "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:conversionMultiplier 98066.5 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAB189" ; - qudt:plainTextDescription "product of the unit kilogram-force and the SI base unit metre divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "kgf⋅m/cm²" ; - qudt:ucumCode "kgf.m.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E44" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Force Meter Per Square Centimeter"@en-us ; - rdfs:label "Kilogram Force Metre Per Square Centimetre"@en ; -. -unit:KiloGM_F-M-PER-SEC - a qudt:Unit ; - dcterms:description "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:iec61360Code "0112/2///62720#UAB154" ; - qudt:plainTextDescription "product of the SI base unit metre and the unit kilogram-force according to the Anglo-American and Imperial system of units divided by the SI base unit second" ; - qudt:symbol "kgf⋅m/s" ; - qudt:ucumCode "kgf.m.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B39" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram_force Meter Per Second"@en-us ; - rdfs:label "Kilogram_force Metre Per Second"@en ; -. -unit:KiloGM_F-PER-CentiM2 - a qudt:Unit ; - dcterms:description "\"Kilogram Force per Square Centimeter\" is a unit for 'Force Per Area' expressed as \\(kgf/cm^{2}\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 98066.5 ; - qudt:expression "\\(kgf/cm^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "kgf/cm²" ; - qudt:ucumCode "kgf.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E42" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Force per Square Centimeter"@en-us ; - rdfs:label "Kilogram Force per Square Centimetre"@en ; -. -unit:KiloGM_F-PER-M2 - a qudt:Unit ; - dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA635" ; - qudt:plainTextDescription "not SI conform unit of the pressure" ; - qudt:symbol "kgf/m²" ; - qudt:ucumCode "kgf.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B40" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Force Per Square Meter"@en-us ; - rdfs:label "Kilogram Force Per Square Metre"@en ; -. -unit:KiloGM_F-PER-MilliM2 - a qudt:Unit ; - dcterms:description "not SI conform unit of the pressure"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665e-07 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA636" ; - qudt:plainTextDescription "not SI conform unit of the pressure" ; - qudt:symbol "kgf/mm²" ; - qudt:ucumCode "kgf.mm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E41" ; - rdfs:isDefinedBy ; - rdfs:label "Kilogram Force Per Square Millimeter"@en-us ; - rdfs:label "Kilogram Force Per Square Millimetre"@en ; -. -unit:KiloHZ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Kilohertz\" is a C.G.S System unit for 'Frequency' expressed as \\(KHz\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA566" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kHz" ; - qudt:ucumCode "kHz"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KHZ" ; - rdfs:isDefinedBy ; - rdfs:label "Kilohertz"@en ; -. -unit:KiloHZ-M - a qudt:Unit ; - dcterms:description "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ConductionSpeed ; - qudt:hasQuantityKind quantitykind:GroupSpeedOfSound ; - qudt:hasQuantityKind quantitykind:PhaseSpeedOfSound ; - qudt:hasQuantityKind quantitykind:SoundParticleVelocity ; - qudt:iec61360Code "0112/2///62720#UAA567" ; - qudt:plainTextDescription "product of the 1 000-fold of the SI derived unit hertz and the SI base unit metre" ; - qudt:symbol "kHz⋅m" ; - qudt:ucumCode "kHz.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M17" ; - rdfs:isDefinedBy ; - rdfs:label "Kilohertz Meter"@en-us ; - rdfs:label "Kilohertz Metre"@en ; -. -unit:KiloJ - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA568" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit joule" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kJ" ; - qudt:ucumCode "kJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KJO" ; - rdfs:isDefinedBy ; - rdfs:label "Kilojoule"@en ; -. -unit:KiloJ-PER-K - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerTemperature ; - qudt:iec61360Code "0112/2///62720#UAA569" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kelvin" ; - qudt:symbol "kJ/K" ; - qudt:ucumCode "kJ.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "kJ/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B41" ; - rdfs:isDefinedBy ; - rdfs:label "Kilojoule Per Kelvin"@en ; -. -unit:KiloJ-PER-KiloGM - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAA570" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit kilogram" ; - qudt:symbol "kJ/kg" ; - qudt:ucumCode "kJ.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "kJ/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B42" ; - rdfs:isDefinedBy ; - rdfs:label "Kilojoule Per Kilogram"@en ; -. -unit:KiloJ-PER-KiloGM-K - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEntropy ; - qudt:iec61360Code "0112/2///62720#UAA571" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the product of the SI base unit kilogram and the SI base unit kelvin" ; - qudt:symbol "kJ/(kg⋅K)" ; - qudt:ucumCode "kJ.(kg.K)-1"^^qudt:UCUMcs ; - qudt:ucumCode "kJ.kg-1.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "kJ/(kg.K)"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B43" ; - rdfs:isDefinedBy ; - rdfs:label "Kilojoule Per Kilogram Kelvin"@en ; -. -unit:KiloJ-PER-MOL - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit joule divided by the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MolarEnergy ; - qudt:iec61360Code "0112/2///62720#UAA572" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit joule divided by the SI base unit mol" ; - qudt:symbol "kJ/mol" ; - qudt:ucumCode "kJ.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B44" ; - rdfs:isDefinedBy ; - rdfs:label "Kilojoule Per Mole"@en ; -. -unit:KiloL - a qudt:Unit ; - dcterms:description "1 000-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB114" ; - qudt:plainTextDescription "1 000-fold of the unit litre" ; - qudt:symbol "kL" ; - qudt:ucumCode "kL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K6" ; - rdfs:isDefinedBy ; - rdfs:label "Kilolitre"@en ; - rdfs:label "Kilolitre"@en-us ; -. -unit:KiloL-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume kilolitres divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.00277777777778 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAB121" ; - qudt:plainTextDescription "unit of the volume kilolitres divided by the unit hour" ; - qudt:symbol "kL/hr" ; - qudt:ucumCode "kL.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4X" ; - rdfs:isDefinedBy ; - rdfs:label "Kilolitre Per Hour"@en ; - rdfs:label "Kilolitre Per Hour"@en-us ; -. -unit:KiloLB_F - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4448.222 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:symbol "klbf" ; - rdfs:isDefinedBy ; - rdfs:label "KiloPound Force"@en ; -. -unit:KiloLB_F-FT-PER-A - a qudt:Unit ; - dcterms:description "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere"^^rdf:HTML ; - qudt:conversionMultiplier 2728.302797866667 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAB483" ; - qudt:plainTextDescription "product of the Anglo-American unit pound-force and foot divided by the SI base unit ampere" ; - qudt:symbol "klbf⋅ft/A" ; - qudt:ucumCode "[lbf_av].[ft_i].A-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F22" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Foot Per Ampere"@en ; -. -unit:KiloLB_F-FT-PER-LB - a qudt:Unit ; - dcterms:description "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2989.067 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB484" ; - qudt:plainTextDescription "product of the Anglo-American unit pound-force and the Anglo-American unit foot divided by the Anglo-American unit pound (US) of mass" ; - qudt:symbol "klbf⋅ft/lb" ; - qudt:ucumCode "[lbf_av].[ft_i].[lb_av]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G20" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Foot Per Pound"@en ; -. -unit:KiloLB_F-PER-FT - a qudt:Unit ; - dcterms:description "unit of the length-related force"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 14593.904199475066 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAB192" ; - qudt:plainTextDescription "unit of the length-related force" ; - qudt:symbol "klbf/ft" ; - qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F17" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Per Foot"@en ; -. -unit:KiloLB_F-PER-IN2 - a qudt:Unit ; - dcterms:description "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6.89475789e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB138" ; - qudt:plainTextDescription "1 000-fold of the unit for pressure psi as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; - qudt:symbol "kpsi" ; - qudt:ucumCode "k[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "84" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopound Force Per Square Inch"@en ; -. -unit:KiloM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A common metric unit of length or distance. One kilometer equals exactly 1000 meters, about 0.621 371 19 mile, 1093.6133 yards, or 3280.8399 feet. Oddly, higher multiples of the meter are rarely used; even the distances to the farthest galaxies are usually measured in kilometers. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometre"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometre?oldid=494821851"^^xsd:anyURI ; - qudt:prefix prefix:Kilo ; - qudt:symbol "km" ; - qudt:ucumCode "km"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KMT" ; - rdfs:isDefinedBy ; - rdfs:label "Kilometer"@en-us ; - rdfs:label "Kilometre"@en ; -. -unit:KiloM-PER-DAY - a qudt:Unit ; - dcterms:description "A change in location of a distance of one thousand metres in an elapsed time of one day (86400 seconds)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0115740740740741 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "kg/day" ; - qudt:ucumCode "km.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilometres per day"@en ; -. -unit:KiloM-PER-HR - a qudt:Unit ; - dcterms:description "\"Kilometer per Hour\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/hr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.2777777777777778 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilometres_per_hour"^^xsd:anyURI ; - qudt:expression "\\(km/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA638" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilometres_per_hour?oldid=487674812"^^xsd:anyURI ; - qudt:symbol "km/hr" ; - qudt:ucumCode "km.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "km/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KMH" ; - rdfs:isDefinedBy ; - rdfs:label "Kilometer per Hour"@en-us ; - rdfs:label "Kilometre per Hour"@en ; -. -unit:KiloM-PER-SEC - a qudt:Unit ; - dcterms:description "\"Kilometer per Second\" is a C.G.S System unit for 'Linear Velocity' expressed as \\(km/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:expression "\\(km/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB392" ; - qudt:symbol "km/s" ; - qudt:ucumCode "km.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "km/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M62" ; - rdfs:isDefinedBy ; - rdfs:label "Kilometer per Second"@en-us ; - rdfs:label "Kilometre per Second"@en ; -. -unit:KiloM3-PER-SEC2 - a qudt:Unit ; - dcterms:description "\\(\\textit{Cubic Kilometer per Square Second}\\) is a unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(km^3/s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:expression "\\(km^3/s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; - qudt:symbol "km³/s²" ; - qudt:ucumCode "km3.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "km3/s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Kilometer per Square Second"@en-us ; - rdfs:label "Cubic Kilometre per Square Second"@en ; -. -unit:KiloMOL - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAA640" ; - qudt:plainTextDescription "1 000-fold of the SI base unit mol" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kmol" ; - qudt:ucumCode "kmol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B45" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomole"@en ; -. -unit:KiloMOL-PER-HR - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.277777777777778 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivity ; - qudt:iec61360Code "0112/2///62720#UAA641" ; - qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time hour" ; - qudt:symbol "kmol/hr" ; - qudt:ucumCode "kmol.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "kmol/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K58" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomole Per Hour"@en ; -. -unit:KiloMOL-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilomole Per Kilogram (\\(kmol/kg\\)) is a unit of Molality"^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(kmol/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:hasQuantityKind quantitykind:MolalityOfSolute ; - qudt:symbol "kmol/kg" ; - qudt:ucumCode "kmol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "kmol/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P47" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomol per Kilogram"@en ; -. -unit:KiloMOL-PER-M3 - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:iec61360Code "0112/2///62720#UAA642" ; - qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "kmol/m³" ; - qudt:ucumCode "kmol.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B46" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomole Per Cubic Meter"@en-us ; - rdfs:label "Kilomole Per Cubic Metre"@en ; -. -unit:KiloMOL-PER-MIN - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit mole divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 16.94444 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA645" ; - qudt:plainTextDescription "1 000-fold of the SI base unit mole divided by the unit for time minute" ; - qudt:symbol "kmol/min" ; - qudt:ucumCode "kmol.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K61" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomole Per Minute"@en ; -. -unit:KiloMOL-PER-SEC - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit mol divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA646" ; - qudt:plainTextDescription "1 000-fold of the SI base unit mol divided by the SI base unit second" ; - qudt:symbol "kmol/s" ; - qudt:ucumCode "kmol.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E94" ; - rdfs:isDefinedBy ; - rdfs:label "Kilomole Per Second"@en ; -. -unit:KiloN - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA573" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit newton" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kN" ; - qudt:ucumCode "kN"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B47" ; - rdfs:isDefinedBy ; - rdfs:label "Kilonewton"@en ; -. -unit:KiloN-M - a qudt:Unit ; - dcterms:description "1 000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA574" ; - qudt:plainTextDescription "1 000-fold of the product of the SI derived unit newton and the SI base unit metre" ; - qudt:symbol "kN⋅m" ; - qudt:ucumCode "kN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B48" ; - rdfs:isDefinedBy ; - rdfs:label "Kilonewton Meter"@en-us ; - rdfs:label "Kilonewton Metre"@en ; -. -unit:KiloN-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:WarpingMoment ; - qudt:symbol "kN⋅m²" ; - rdfs:isDefinedBy ; - rdfs:label "Kilo Newton Square Meter"@en-us ; - rdfs:label "Kilo Newton Square Metre"@en ; -. -unit:KiloOHM - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA555" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit ohm" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kΩ" ; - qudt:ucumCode "kOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B49" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloohm"@en ; -. -unit:KiloP - a qudt:Unit ; - dcterms:description "Same as kilogramForce"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAB059" ; - qudt:symbol "kP" ; - qudt:ucumCode "kgf"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B51" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopond"@en ; -. -unit:KiloPA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Kilopascal is a unit of pressure. 1 kPa is approximately the pressure exerted by a 10-g mass resting on a 1-cm2 area. 101.3 kPa = 1 atm. There are 1,000 pascals in 1 kilopascal."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal_%28unit%29"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA575" ; - qudt:symbol "kPa" ; - qudt:ucumCode "kPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KPA" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal"@en ; -. -unit:KiloPA-M2-PER-GM - a qudt:Unit ; - dcterms:description "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAB130" ; - qudt:plainTextDescription "sector-specific unit of the burst index as 1 000-fold of the derived unit for pressure pascal related to the substance, represented as a quotient from the 0.001-fold of the SI base unit kilogram divided by the power of the SI base unit metre by exponent 2" ; - qudt:symbol "kPa⋅m²/g" ; - qudt:ucumCode "kPa.m2.g-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "33" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal Square Meter per Gram"@en-us ; - rdfs:label "Kilopascal Square Metre per Gram"@en ; -. -unit:KiloPA-PER-BAR - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA577" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the unit bar" ; - qudt:symbol "kPa/bar" ; - qudt:ucumCode "kPa.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F03" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal Per Bar"@en ; -. -unit:KiloPA-PER-K - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA576" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; - qudt:symbol "kPa/K" ; - qudt:ucumCode "kPa.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F83" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal Per Kelvin"@en ; -. -unit:KiloPA-PER-MilliM - a qudt:Unit ; - dcterms:description "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e05 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; - qudt:iec61360Code "0112/2///62720#UAB060" ; - qudt:plainTextDescription "1 000-fold of the derived SI unit pascal divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "kPa/mm" ; - qudt:ucumCode "kPa.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "34" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal Per Millimeter"@en-us ; - rdfs:label "Kilopascal Per Millimetre"@en ; -. -unit:KiloPA_A - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Kilopascal Absolute} is a SI System unit for 'Force Per Area' expressed as \\(KPaA\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "KPaA" ; - qudt:ucumCode "kPa{absolute}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Kilopascal Absolute"@en ; -. -unit:KiloPOND - a qudt:Unit ; - dcterms:description "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAB059" ; - qudt:plainTextDescription "illegal unit of the weight, defined as mass of 1 kg which receives a weight of 1 kp through gravitation at sea level, which equates to a force of 9,806 65 newton" ; - qudt:symbol "kp" ; - qudt:uneceCommonCode "B51" ; - rdfs:isDefinedBy ; - rdfs:label "Kilopond"@en ; -. -unit:KiloR - a qudt:Unit ; - dcterms:description "1 000-fold of the unit roentgen"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.258 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:iec61360Code "0112/2///62720#UAB057" ; - qudt:plainTextDescription "1 000-fold of the unit roentgen" ; - qudt:symbol "kR" ; - qudt:ucumCode "kR"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KR" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloroentgen"@en ; -. -unit:KiloS - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit siemens"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:iec61360Code "0112/2///62720#UAA578" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit siemens" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kS" ; - qudt:ucumCode "kS"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B53" ; - rdfs:isDefinedBy ; - rdfs:label "Kilosiemens"@en ; -. -unit:KiloS-PER-M - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA579" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit siemens divided by the SI base unit metre" ; - qudt:symbol "kS/m" ; - qudt:ucumCode "kS.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B54" ; - rdfs:isDefinedBy ; - rdfs:label "Kilosiemens Per Meter"@en-us ; - rdfs:label "Kilosiemens Per Metre"@en ; -. -unit:KiloSEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Killosecond\" is an Imperial unit for 'Time' expressed as \\(ks\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA647" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; - qudt:prefix prefix:Kilo ; - qudt:symbol "ks" ; - qudt:ucumCode "ks"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B52" ; - rdfs:isDefinedBy ; - rdfs:label "kilosecond"@en ; -. -unit:KiloTONNE - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:exactMatch unit:KiloTON_Metric ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "kt" ; - qudt:uneceCommonCode "KTN" ; - rdfs:isDefinedBy ; - rdfs:label "KiloTonne"@en ; -. -unit:KiloTON_Metric - a qudt:Unit ; - dcterms:description "1 000 000-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:exactMatch unit:KiloTONNE ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB080" ; - qudt:plainTextDescription "1 000 000-fold of the SI base unit kilogram" ; - qudt:symbol "kton{short}" ; - qudt:ucumCode "kt"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KTN" ; - rdfs:isDefinedBy ; - rdfs:label "Metric KiloTON"@en ; -. -unit:KiloV - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit volt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:iec61360Code "0112/2///62720#UAA580" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit volt" ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kV" ; - qudt:ucumCode "kV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KVT" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt"@en ; -. -unit:KiloV-A - a qudt:Unit ; - dcterms:description "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ComplexPower ; - qudt:iec61360Code "0112/2///62720#UAA581" ; - qudt:plainTextDescription "1 000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; - qudt:symbol "kV⋅A" ; - qudt:ucumCode "kV.A"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KVA" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt Ampere"@en ; -. -unit:KiloV-A-HR - a qudt:Unit ; - dcterms:description "product of the 1 000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.6e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB160" ; - qudt:plainTextDescription "product of the 1 000-fold of the unit for apparent by ampere and the unit hour" ; - qudt:symbol "kV⋅A/hr" ; - qudt:ucumCode "kV.A.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C79" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt Ampere Hour"@en ; -. -unit:KiloV-A_Reactive - a qudt:Unit ; - dcterms:description "1 000-fold of the unit var"^^rdf:HTML ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ReactivePower ; - qudt:iec61360Code "0112/2///62720#UAA648" ; - qudt:plainTextDescription "1 000-fold of the unit var" ; - qudt:symbol "kV⋅A{Reactive}" ; - qudt:ucumCode "kV.A{reactive}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KVR" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt Ampere Reactive"@en ; -. -unit:KiloV-A_Reactive-HR - a qudt:Unit ; - dcterms:description "product of the 1,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; - qudt:conversionMultiplier 3.6e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB195" ; - qudt:plainTextDescription "product of the 1 000-fold of the unit volt ampere reactive and the unit hour" ; - qudt:symbol "kV⋅A{Reactive}⋅hr" ; - qudt:ucumCode "kV.A.h{reactive}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K3" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt Ampere Reactive Hour"@en ; -. -unit:KiloV-PER-M - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA582" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit volt divided by the SI base unit metre" ; - qudt:symbol "kV/m" ; - qudt:ucumCode "kV.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B55" ; - rdfs:isDefinedBy ; - rdfs:label "Kilovolt Per Meter"@en-us ; - rdfs:label "Kilovolt Per Metre"@en ; -. -unit:KiloW - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(The kilowatt is a derived unit of power in the International System of Units (SI), The unit, defined as 1,000 joule per second, measures the rate of energy conversion or transfer.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA583" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; - qudt:prefix prefix:Kilo ; - qudt:symbol "kW" ; - qudt:ucumCode "kW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KWT" ; - rdfs:isDefinedBy ; - rdfs:label "Kilowatt"@en ; -. -unit:KiloW-HR - a qudt:Unit ; - dcterms:description "The kilowatt hour, or kilowatt-hour, (symbol \\(kW \\cdot h\\), \\(kW h\\) or \\(kWh\\)) is a unit of energy equal to 1000 watt hours or 3.6 megajoules. For constant power, energy in watt hours is the product of power in watts and time in hours. The kilowatt hour is most commonly known as a billing unit for energy delivered to consumers by electric utilities."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.6e06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kilowatt_hour"^^xsd:anyURI ; - qudt:expression "\\(kW-h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kilowatt_hour?oldid=494927235"^^xsd:anyURI ; - qudt:symbol "kW⋅h" ; - qudt:ucumCode "kW.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KWH" ; - rdfs:isDefinedBy ; - rdfs:label "Kilowatthour"@en ; -. -unit:KiloW-HR-PER-M2 - a qudt:Unit ; - dcterms:description "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.6e06 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3 600 000 joules per square metre." ; - qudt:symbol "kW⋅h/m²" ; - rdfs:isDefinedBy ; - rdfs:label "Kilowatt hour per square metre"@en ; -. -unit:KiloWB - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:symbol "kWb" ; - rdfs:isDefinedBy ; - rdfs:label "KiloWeber"@en ; -. -unit:KiloWB-PER-M - a qudt:Unit ; - dcterms:description "1 000-fold of the SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; - qudt:iec61360Code "0112/2///62720#UAA585" ; - qudt:plainTextDescription "1 000-fold of the SI derived unit weber divided by the SI base unit metre" ; - qudt:symbol "kWb/m" ; - qudt:ucumCode "kWb.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B56" ; - rdfs:isDefinedBy ; - rdfs:label "Kiloweber Per Meter"@en-us ; - rdfs:label "Kiloweber Per Metre"@en ; -. -unit:KiloYR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:symbol "1000 yr" ; - rdfs:isDefinedBy ; - rdfs:label "KiloYear"@en ; -. -unit:L - a qudt:Unit ; - dcterms:description "The \\(litre\\) (American spelling: \\(\\textit{liter}\\); SI symbol \\(l\\) or \\(L\\)) is a non-SI metric system unit of volume equal to \\(1 \\textit{cubic decimetre}\\) (\\(dm^3\\)), 1,000 cubic centimetres (\\(cm^3\\)) or \\(1/1000 \\textit{cubic metre}\\). If the lower case \"L\" is used as the symbol, it is sometimes rendered as a cursive \"l\" to help distinguish it from the capital \"I\", although this usage has no official approval by any international bureau."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Litre"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Litre?oldid=494846400"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "L" ; - qudt:ucumCode "L"^^qudt:UCUMcs ; - qudt:ucumCode "l"^^qudt:UCUMcs ; - qudt:udunitsCode "L" ; - qudt:uneceCommonCode "LTR" ; - rdfs:isDefinedBy ; - rdfs:label "Liter"@en-us ; - rdfs:label "Litre"@en ; - skos:altLabel "litre" ; -. -unit:L-PER-DAY - a qudt:Unit ; - dcterms:description "unit litre divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA652" ; - qudt:plainTextDescription "unit litre divided by the unit day" ; - qudt:symbol "L/day" ; - qudt:ucumCode "L.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "LD" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Day"@en-us ; - rdfs:label "Litre Per Day"@en ; -. -unit:L-PER-HR - a qudt:Unit ; - dcterms:description "Unit litre divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA655" ; - qudt:plainTextDescription "Unit litre divided by the unit hour" ; - qudt:symbol "L/hr" ; - qudt:ucumCode "L.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E32" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Hour"@en-us ; - rdfs:label "Litre Per Hour"@en ; -. -unit:L-PER-K - a qudt:Unit ; - dcterms:description "unit litre divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA650" ; - qudt:plainTextDescription "unit litre divided by the SI base unit kelvin" ; - qudt:symbol "L/K" ; - qudt:ucumCode "L.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G28" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Kelvin"@en-us ; - rdfs:label "Litre Per Kelvin"@en ; -. -unit:L-PER-KiloGM - a qudt:Unit ; - dcterms:description "unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:iec61360Code "0112/2///62720#UAB380" ; - qudt:plainTextDescription "unit of the volume litre divided by the SI base unit kilogram" ; - qudt:symbol "L/kg" ; - qudt:ucumCode "L.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H83" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Kilogram"@en-us ; - rdfs:label "Litre Per Kilogram"@en ; -. -unit:L-PER-L - a qudt:Unit ; - dcterms:description "volume ratio consisting of the unit litre divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA658" ; - qudt:plainTextDescription "volume ratio consisting of the unit litre divided by the unit litre" ; - qudt:symbol "L/L" ; - qudt:ucumCode "L.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K62" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Liter"@en-us ; - rdfs:label "Litre Per Litre"@en ; -. -unit:L-PER-MIN - a qudt:Unit ; - dcterms:description "unit litre divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA659" ; - qudt:plainTextDescription "unit litre divided by the unit minute" ; - qudt:symbol "L/min" ; - qudt:ucumCode "L.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L2" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Minute"@en-us ; - rdfs:label "Litre Per Minute"@en ; -. -unit:L-PER-MOL - a qudt:Unit ; - dcterms:description "unit litre divided by the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarRefractivity ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:iec61360Code "0112/2///62720#UAA662" ; - qudt:plainTextDescription "unit litre divided by the SI base unit mol" ; - qudt:symbol "L/mol" ; - qudt:ucumCode "L.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B58" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Mole"@en-us ; - rdfs:label "Litre Per Mole"@en ; -. -unit:L-PER-MicroMOL - a qudt:Unit ; - dcterms:description "The inverse of a molar concentration - the untits of per molarity."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarRefractivity ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:symbol "L/µmol" ; - qudt:ucumCode "L.umol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Litres per micromole"@en ; -. -unit:L-PER-SEC - a qudt:Unit ; - dcterms:description "unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA664" ; - qudt:plainTextDescription "unit litre divided by the SI base unit second" ; - qudt:symbol "L/s" ; - qudt:ucumCode "L.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "L/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G51" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Second"@en-us ; - rdfs:label "Litre Per Second"@en ; -. -unit:L-PER-SEC-M2 - a qudt:Unit ; - dcterms:description "Ventilation rate in Litres per second divided by the floor area"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VentilationRatePerFloorArea ; - qudt:plainTextDescription "Ventilation rate in Litres per second divided by the floor area" ; - qudt:symbol "L/(m²⋅s)" ; - rdfs:isDefinedBy ; - rdfs:label "Liter Per Second Per Square Meter"@en-us ; - rdfs:label "Litre Per Second Per Square Metre"@en ; -. -unit:LA - a qudt:Unit ; - dcterms:description "The lambert (symbol \\(L\\), \\(la\\) or \\(Lb\\)) is a non-SI unit of luminance. A related unit of luminance, the foot-lambert, is used in the lighting, cinema and flight simulation industries. The SI unit is the candela per square metre (\\(cd/m^2\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3183.09886 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lambert"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Luminance ; - qudt:iec61360Code "0112/2///62720#UAB259" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lambert?oldid=494078267"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "L" ; - qudt:ucumCode "Lmb"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P30" ; - rdfs:isDefinedBy ; - rdfs:label "Lambert"@en ; -. -unit:LB - a qudt:Unit ; - dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.45359237 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:LB_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "lbm" ; - qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; - qudt:udunitsCode "lb" ; - qudt:uneceCommonCode "LBR" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass"@en ; -. -unit:LB-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Pound Degree Fahrenheit} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degF\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:symbol "lb⋅°F" ; - qudt:ucumCode "[lb_av].[degF]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Degree Fahrenheit"@en ; -. -unit:LB-DEG_R - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Pound Degree Rankine} is an Imperial unit for 'Mass Temperature' expressed as \\(lb-degR\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(lb-degR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H1T0D0 ; - qudt:hasQuantityKind quantitykind:MassTemperature ; - qudt:symbol "lb⋅°R" ; - qudt:ucumCode "[lb_av].[degR]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Degree Rankine"@en ; -. -unit:LB-FT2 - a qudt:Unit ; - dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.04214011 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:RotationalMass ; - qudt:iec61360Code "0112/2///62720#UAA671" ; - qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 2" ; - qudt:symbol "lb⋅ft²" ; - qudt:ucumCode "[lb_av].[sft_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K65" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass (avoirdupois) Square Foot"@en ; -. -unit:LB-IN - a qudt:Unit ; - dcterms:description "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.011521246198 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LengthMass ; - qudt:iec61360Code "0112/2///62720#UAB194" ; - qudt:plainTextDescription "unit of the unbalance (product of avoirdupois pound according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units)" ; - qudt:symbol "lb⋅in" ; - qudt:ucumCode "[lb_av].[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "IA" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass (avoirdupois) Inch"@en ; -. -unit:LB-IN2 - a qudt:Unit ; - dcterms:description "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0002926397 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MomentOfInertia ; - qudt:hasQuantityKind quantitykind:RotationalMass ; - qudt:iec61360Code "0112/2///62720#UAA672" ; - qudt:plainTextDescription "product of the unit pound according to the avoirdupois system of units and the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 2" ; - qudt:symbol "lb⋅in²" ; - qudt:ucumCode "[lb_av].[sin_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F20" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass (avoirdupois) Square Inch"@en ; -. -unit:LB-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

Pound Mole is a unit for \\textit{'Mass Amount Of Substance'} expressed as \\(lb-mol\\).

."^^qudt:LatexString ; - qudt:conversionMultiplier 0.45359237 ; - qudt:expression "\\(lb-mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassAmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAB402" ; - qudt:symbol "lb⋅mol" ; - qudt:ucumCode "[lb_av].mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P44" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mole"@en ; -. -unit:LB-MOL-DEG_F - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Pound Mole Degree Fahrenheit} is a unit for 'Mass Amount Of Substance Temperature' expressed as \\(lb-mol-degF\\)."^^qudt:LatexString ; - qudt:expression "\\(lb-mol-degF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:MassAmountOfSubstanceTemperature ; - qudt:symbol "lb⋅mol⋅°F" ; - qudt:ucumCode "[lb_av].mol.[degF]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mole Degree Fahrenheit"@en ; -. -unit:LB-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 5.249912e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA673" ; - qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit for time day" ; - qudt:symbol "lb/day" ; - qudt:ucumCode "[lb_av].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K66" ; - rdfs:isDefinedBy ; - rdfs:label "Pound (avoirdupois) Per Day"@en ; -. -unit:LB-PER-FT - a qudt:Unit ; - dcterms:description "\"Pound per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/ft\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.4881639435695537 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/ft\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:symbol "lb/ft" ; - qudt:ucumCode "[lb_av].[ft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P2" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Foot"@en ; -. -unit:LB-PER-FT-HR - a qudt:Unit ; - dcterms:description "\"Pound per Foot Hour\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-hr)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0004133788732137649 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/(ft-hr)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "lb/(ft⋅hr)" ; - qudt:ucumCode "[lb_av].[ft_i]-1.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K67" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Foot Hour"@en ; -. -unit:LB-PER-FT-SEC - a qudt:Unit ; - dcterms:description "\"Pound per Foot Second\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lb/(ft-s)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.4881639435695537 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/(ft-s)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "lb/(ft⋅s)" ; - qudt:ucumCode "[lb_av].[ft_i]-1.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K68" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Foot Second"@en ; -. -unit:LB-PER-FT2 - a qudt:Unit ; - dcterms:description "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.882428 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAB262" ; - qudt:plainTextDescription "unit for areal-related mass as a unit pound according to the avoirdupois system of units divided by the power of the unit foot according to the Anglo-American and Imperial system of units by exponent 2" ; - qudt:symbol "lb/ft²" ; - qudt:ucumCode "[lb_av].[ft_i]-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FP" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass (avoirdupois) Per Square Foot"@en ; -. -unit:LB-PER-FT3 - a qudt:Unit ; - dcterms:description "\"Pound per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(lb/ft^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 16.018463373960138 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/ft^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "lb/ft³" ; - qudt:ucumCode "[lb_av].[cft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "87" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Cubic Foot"@en ; -. -unit:LB-PER-GAL - a qudt:Unit ; - dcterms:description "\"Pound per Gallon\" is an Imperial unit for 'Density' expressed as \\(lb/gal\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 99.7763727 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/gal\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "lb/gal" ; - qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Gallon"@en ; -. -unit:LB-PER-GAL_UK - a qudt:Unit ; - dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 99.77637 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA679" ; - qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the unit gallon (UK) according to the Imperial system of units" ; - qudt:symbol "lb/gal{UK}" ; - qudt:ucumCode "[lb_av].[gal_br]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K71" ; - rdfs:isDefinedBy ; - rdfs:label "Pound (avoirdupois) Per Gallon (UK)"@en ; -. -unit:LB-PER-GAL_US - a qudt:Unit ; - dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 83.0812213 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA680" ; - qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system divided by the unit gallon (US, liq.) according to the Anglo-American system of units" ; - qudt:symbol "lb/gal{US}" ; - qudt:ucumCode "[lb_av].[gal_us]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GE" ; - rdfs:isDefinedBy ; - rdfs:label "Pound (avoirdupois) Per Gallon (US)"@en ; -. -unit:LB-PER-HR - a qudt:Unit ; - dcterms:description "Pound per hour is a mass flow unit. It is abbreviated as PPH or more conventionally as lb/h. Fuel flow for engines is usually expressed using this unit, it is particularly useful when dealing with gases or liquids as volume flow varies more with temperature and pressure. \\(1 lb/h = 0.4535927 kg/h = 126.00 mg/s\\). Minimum fuel intake on a jumbojet can be as low as 150 lb/h when idling, however this is not enough to sustain flight."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00012599788055555556 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_per_hour"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(PPH\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_per_hour?oldid=328571072"^^xsd:anyURI ; - qudt:symbol "PPH" ; - qudt:ucumCode "[lb_av].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4U" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Hour"@en ; -. -unit:LB-PER-IN - a qudt:Unit ; - dcterms:description "\"Pound per Inch\" is an Imperial unit for 'Mass Per Length' expressed as \\(lb/in\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 17.857967322834646 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:symbol "lb/in" ; - qudt:ucumCode "[lb_av].[in_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "PO" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Inch"@en ; -. -unit:LB-PER-IN2 - a qudt:Unit ; - dcterms:description "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 703.06957963916 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:hasQuantityKind quantitykind:MeanMassRange ; - qudt:hasQuantityKind quantitykind:SurfaceDensity ; - qudt:iec61360Code "0112/2///62720#UAB137" ; - qudt:plainTextDescription "unit of the areal-related mass as avoirdupois pound according to the avoirdupois system of units related to the area square inch according to the Anglo-American and Imperial system of units" ; - qudt:symbol "lb/in²" ; - qudt:ucumCode "[lb_av].[sin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "80" ; - rdfs:isDefinedBy ; - rdfs:label "Pound (avoirdupois) Per Square Inch"@en ; -. -unit:LB-PER-IN3 - a qudt:Unit ; - dcterms:description "\"Pound per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(lb/in^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 27679.904710203125 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/in^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "lb/in³" ; - qudt:ucumCode "[lb_av].[cin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "LA" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Cubic Inch"@en ; -. -unit:LB-PER-M3 - a qudt:Unit ; - dcterms:description "\"Pound per Cubic Meter\" is a unit for 'Density' expressed as \\(lb/m^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.45359237 ; - qudt:expression "\\(lb/m^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "lb/m³" ; - qudt:ucumCode "[lb_av].m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Cubic Meter"@en-us ; - rdfs:label "Pound per Cubic Metre"@en ; -. -unit:LB-PER-MIN - a qudt:Unit ; - dcterms:description "\"Pound per Minute\" is an Imperial unit for 'Mass Per Time' expressed as \\(lb/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.007559872833333333 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:symbol "lb/min" ; - qudt:ucumCode "[lb_av].min-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Minute"@en ; -. -unit:LB-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.4535924 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA692" ; - qudt:plainTextDescription "unit of the mass avoirdupois pound according to the avoirdupois system of units divided by the SI base unit for time second" ; - qudt:symbol "lb/s" ; - qudt:ucumCode "[lb_av].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K81" ; - rdfs:isDefinedBy ; - rdfs:label "Pound (avoirdupois) Per Second"@en ; -. -unit:LB-PER-YD3 - a qudt:Unit ; - dcterms:description "\"Pound per Cubic Yard\" is an Imperial unit for 'Density' expressed as \\(lb/yd^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.5932764212577829 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lb/yd^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "lb/yd³" ; - qudt:ucumCode "[lb_av].[cyd_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K84" ; - rdfs:isDefinedBy ; - rdfs:label "Pound per Cubic Yard"@en ; -. -unit:LB_F - a qudt:Unit ; - dcterms:description "\"Pound Force\" is an Imperial unit for 'Force' expressed as \\(lbf\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.448222 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; - qudt:symbol "lbf" ; - qudt:ucumCode "[lbf_av]"^^qudt:UCUMcs ; - qudt:udunitsCode "lbf" ; - qudt:uneceCommonCode "C78" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force"@en ; -. -unit:LB_F-FT - a qudt:Unit ; - dcterms:description "\"Pound Force Foot\" is an Imperial unit for 'Torque' expressed as \\(lbf-ft\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.35581807 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf-ft\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:symbol "lbf⋅ft" ; - qudt:ucumCode "[lbf_av].[ft_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M92" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Foot"@en ; -. -unit:LB_F-IN - a qudt:Unit ; - dcterms:description "\"Pound Force Inch\" is an Imperial unit for 'Torque' expressed as \\(lbf-in\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.112984839 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf-in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:symbol "lbf⋅in" ; - qudt:ucumCode "[lbf_av].[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F21" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Inch"@en ; -. -unit:LB_F-PER-FT - a qudt:Unit ; - dcterms:description "\"Pound Force per Foot\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/ft\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 14.5939042 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf/ft\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:symbol "lbf/ft" ; - qudt:ucumCode "[lbf_av].[ft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Foot"@en ; -. -unit:LB_F-PER-FT2 - a qudt:Unit ; - dcterms:description "Pounds or Pounds Force per Square Foot is a British (Imperial) and American pressure unit which is directly related to the psi pressure unit by a factor of 144 (1 sq ft = 12 in x 12 in = 144 sq in). 1 Pound per Square Foot equals 47.8803 Pascals. The psf pressure unit is mostly for lower pressure applications such as specifying building structures to withstand a certain wind force or rating a building floor for maximum weight load."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 47.8802631 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "lbf/ft²" ; - qudt:ucumCode "[lbf_av].[sft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Square Foot"@en ; -. -unit:LB_F-PER-IN - a qudt:Unit ; - dcterms:description "\"Pound Force per Inch\" is an Imperial unit for 'Force Per Length' expressed as \\(lbf/in\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 175.12685 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf/in\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:symbol "lbf/in" ; - qudt:ucumCode "[lbf_av].[in_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Inch"@en ; -. -unit:LB_F-PER-IN2 - a qudt:Unit ; - dcterms:description "\"Pound Force per Square Inch\" is an Imperial unit for 'Force Per Area' expressed as \\(psia\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6894.75789 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pounds_per_square_inch"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:PSI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pounds_per_square_inch?oldid=485678341"^^xsd:anyURI ; - qudt:symbol "psia" ; - qudt:ucumCode "[lbf_av].[sin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "PS" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Square Inch"@en ; -. -unit:LB_F-PER-IN2-DEG_F - a qudt:Unit ; - dcterms:description "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 12410.56 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA702" ; - qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the unit degree Fahrenheit for temperature" ; - qudt:symbol "lbf/(in²⋅°F)" ; - qudt:ucumCode "[lbf_av].[sin_i]-1.[degF]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K86" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Per Square Inch Degree Fahrenheit"@en ; -. -unit:LB_F-PER-IN2-SEC - a qudt:Unit ; - dcterms:description "\"Pound Force per Square Inch Second\" is a unit for 'Force Per Area Time' expressed as \\(lbf / in^{2}-s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6894.75789 ; - qudt:expression "\\(lbf / in^{2}-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "lbf/in²⋅s" ; - qudt:ucumCode "[lbf_av].[sin_i]-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Square Inch Second"@en ; -. -unit:LB_F-PER-LB - a qudt:Unit ; - dcterms:description "\"Pound Force per Pound\" is an Imperial unit for 'Thrust To Mass Ratio' expressed as \\(lbf/lb\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 9.80665085 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf/lb\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; - qudt:symbol "lbf/lb" ; - qudt:ucumCode "[lbf_av].[lb_av]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force per Pound"@en ; -. -unit:LB_F-SEC-PER-FT2 - a qudt:Unit ; - dcterms:description "\"Pound Force Second per Square Foot\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 47.8802631 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf-s/ft^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "lbf⋅s/ft²" ; - qudt:ucumCode "[lbf_av].s.[sft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Second per Square Foot"@en ; -. -unit:LB_F-SEC-PER-IN2 - a qudt:Unit ; - dcterms:description "\"Pound Force Second per Square Inch\" is an Imperial unit for 'Dynamic Viscosity' expressed as \\(lbf-s/in^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6894.75789 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(lbf-s/in^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:symbol "lbf⋅s/in²" ; - qudt:ucumCode "[lbf_av].s.[sin_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pound Force Second per Square Inch"@en ; -. -unit:LB_M - a qudt:Unit ; - dcterms:description "A pound of mass, based on the international standard definition of the pound of mass as exactly 0.45359237 kg."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.45359237 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:LB ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "lbm" ; - qudt:ucumCode "[lb_av]"^^qudt:UCUMcs ; - qudt:udunitsCode "lb" ; - qudt:uneceCommonCode "LBR" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Mass"@en ; -. -unit:LB_T - a qudt:Unit ; - dcterms:description "An obsolete unit of mass; the Troy Pound has been defined as exactly 5760 grains, or 0.3732417216 kg. A Troy Ounce is 1/12th of a Troy Pound."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.3732417216 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "lbt" ; - qudt:ucumCode "[lb_tr]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "LBT" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Troy"@en ; -. -unit:LM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit for measuring the flux of light being produced by a light source or received by a surface. The intensity of a light source is measured in candelas. One lumen represents the total flux of light emitted, equal to the intensity in candelas multiplied by the solid angle in steradians into which the light is emitted. A full sphere has a solid angle of \\(4\\cdot\\pi\\) steradians. A light source that uniformly radiates one candela in all directions has a total luminous flux of \\(1 cd\\cdot 4 \\pi sr = 4 \\pi cd \\cdot sr \\approx 12.57 \\; \\text{lumens}\\). \"Lumen\" is a Latin word for light."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lumen"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousFlux ; - qudt:iec61360Code "0112/2///62720#UAA718" ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Lumen_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "cd.sr" ; - qudt:symbol "lm" ; - qudt:ucumCode "lm"^^qudt:UCUMcs ; - qudt:udunitsCode "LM" ; - qudt:uneceCommonCode "LUM" ; - rdfs:isDefinedBy ; - rdfs:label "Lumen"@de ; - rdfs:label "lumen"@cs ; - rdfs:label "lumen"@en ; - rdfs:label "lumen"@es ; - rdfs:label "lumen"@fr ; - rdfs:label "lumen"@hu ; - rdfs:label "lumen"@it ; - rdfs:label "lumen"@la ; - rdfs:label "lumen"@ms ; - rdfs:label "lumen"@pl ; - rdfs:label "lumen"@pt ; - rdfs:label "lumen"@ro ; - rdfs:label "lumen"@sl ; - rdfs:label "lümen"@tr ; - rdfs:label "λούμεν"@el ; - rdfs:label "лумен"@bg ; - rdfs:label "лумен"@ru ; - rdfs:label "לומן"@he ; - rdfs:label "لومن"@ar ; - rdfs:label "لومن"@fa ; - rdfs:label "ल्यूमैन"@hi ; - rdfs:label "ルーメン"@ja ; - rdfs:label "流明"@zh ; -. -unit:LM-PER-W - a qudt:Unit ; - dcterms:description "A measurement of luminous efficacy, which is the light output in lumens using one watt of electricity."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(lm-per-w\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:LuminousEfficacy ; - qudt:iec61360Code "0112/2///62720#UAA719" ; - qudt:symbol "lm/W" ; - qudt:ucumCode "lm.W-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B61" ; - rdfs:isDefinedBy ; - rdfs:label "Lumen per Watt"@en ; -. -unit:LM-SEC - a qudt:Unit ; - dcterms:description "In photometry, the lumen second is the SI derived unit of luminous energy. It is based on the lumen, the SI unit of luminous flux, and the second, the SI base unit of time. The lumen second is sometimes called the talbot (symbol T). An older name for the lumen second was the lumberg."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(lm s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LuminousEnergy ; - qudt:iec61360Code "0112/2///62720#UAA722" ; - qudt:symbol "lm⋅s" ; - qudt:ucumCode "lm.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B62" ; - rdfs:isDefinedBy ; - rdfs:label "lumen second"@en ; - skos:altLabel "lumberg" ; - skos:altLabel "talbot" ; -. -unit:LUX - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; - qudt:iec61360Code "0112/2///62720#UAA723" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "lm/m^2" ; - qudt:symbol "lx" ; - qudt:ucumCode "lx"^^qudt:UCUMcs ; - qudt:udunitsCode "lx" ; - qudt:uneceCommonCode "LUX" ; - rdfs:isDefinedBy ; - rdfs:label "Lux"@de ; - rdfs:label "luks"@pl ; - rdfs:label "luks"@sl ; - rdfs:label "lux"@cs ; - rdfs:label "lux"@el ; - rdfs:label "lux"@en ; - rdfs:label "lux"@es ; - rdfs:label "lux"@fr ; - rdfs:label "lux"@hu ; - rdfs:label "lux"@it ; - rdfs:label "lux"@ms ; - rdfs:label "lux"@pt ; - rdfs:label "lux"@ro ; - rdfs:label "lüks"@tr ; - rdfs:label "лукс"@bg ; - rdfs:label "люкс"@ru ; - rdfs:label "לוקס"@he ; - rdfs:label "لكس"@ar ; - rdfs:label "لوکس"@fa ; - rdfs:label "लक्स"@hi ; - rdfs:label "ルクス"@ja ; - rdfs:label "勒克斯"@zh ; -. -unit:LUX-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit for measuring the illumination (illuminance) of a surface. One lux is defined as an illumination of one lumen per square meter or 0.0001 phot. In considering the various light units, it's useful to think about light originating at a point and shining upon a surface. The intensity of the light source is measured in candelas; the total light flux in transit is measured in lumens (1 lumen = 1 candelau00b7steradian); and the amount of light received per unit of surface area is measured in lux (1 lux = 1 lumen/square meter). One lux is equal to approximately 0.09290 foot candle."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lux"^^xsd:anyURI ; - qudt:expression "\\(lx hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:LuminousExposure ; - qudt:iec61360Code "0112/2///62720#UAA724" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lux?oldid=494700274"^^xsd:anyURI ; - qudt:siUnitsExpression "lm-hr/m^2" ; - qudt:symbol "lx⋅hr" ; - qudt:ucumCode "lx.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B63" ; - rdfs:isDefinedBy ; - rdfs:label "Lux Hour"@en ; -. -unit:LY - a qudt:Unit ; - dcterms:description "A unit of length defining the distance, in meters, that light travels in a vacuum in one year."^^rdf:HTML ; - qudt:conversionMultiplier 9.4607304725808e15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Light-year"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB069" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Light-year?oldid=495083584"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "ly" ; - qudt:ucumCode "[ly]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B57" ; - rdfs:isDefinedBy ; - rdfs:label "Light Year"@en ; -. -unit:LunarMass - a qudt:Unit ; - qudt:conversionMultiplier 7.3460e22 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Moon"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Moon?oldid=494566371"^^xsd:anyURI ; - qudt:symbol "M☾" ; - rdfs:isDefinedBy ; - rdfs:label "Lunar mass"@en ; -. -unit:M - a qudt:Unit ; - dcterms:description "The metric and SI base unit of distance. The 17th General Conference on Weights and Measures in 1983 defined the meter as that distance that makes the speed of light in a vacuum equal to exactly 299 792 458 meters per second. The speed of light in a vacuum, \\(c\\), is one of the fundamental constants of nature. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Metre"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA726" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Metre?oldid=495145797"^^xsd:anyURI ; - qudt:omUnit ; - qudt:plainTextDescription "The metric and SI base unit of distance. The meter is equal to approximately 1.093 613 3 yards, 3.280 840 feet, or 39.370 079 inches." ; - qudt:symbol "m" ; - qudt:ucumCode "m"^^qudt:UCUMcs ; - qudt:udunitsCode "m" ; - qudt:uneceCommonCode "MTR" ; - rdfs:isDefinedBy ; - rdfs:label "Meter"@de ; - rdfs:label "Meter"@en-us ; - rdfs:label "meter"@ms ; - rdfs:label "meter"@sl ; - rdfs:label "metr"@cs ; - rdfs:label "metr"@pl ; - rdfs:label "metre"@en ; - rdfs:label "metre"@tr ; - rdfs:label "metro"@es ; - rdfs:label "metro"@it ; - rdfs:label "metro"@pt ; - rdfs:label "metru"@ro ; - rdfs:label "metrum"@la ; - rdfs:label "mètre"@fr ; - rdfs:label "méter"@hu ; - rdfs:label "μέτρο"@el ; - rdfs:label "метр"@ru ; - rdfs:label "метър"@bg ; - rdfs:label "מטר"@he ; - rdfs:label "متر"@ar ; - rdfs:label "متر"@fa ; - rdfs:label "मीटर"@hi ; - rdfs:label "メートル"@ja ; - rdfs:label "米"@zh ; -. -unit:M-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Meter Kelvin} is a unit for 'Length Temperature' expressed as \\(m K\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:LengthTemperature ; - qudt:iec61360Code "0112/2///62720#UAB170" ; - qudt:symbol "m⋅K" ; - qudt:ucumCode "m.K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D18" ; - rdfs:isDefinedBy ; - rdfs:label "Meter Kelvin"@en-us ; - rdfs:label "Meter mal Kelvin"@de ; - rdfs:label "meter kelvin"@ms ; - rdfs:label "metre kelvin"@en ; - rdfs:label "metro per kelvin"@it ; - rdfs:label "متر کلوین"@fa ; - rdfs:label "米开尔文"@zh ; -. -unit:M-K-PER-W - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Meter Kelvin per Watt} is a unit for 'Thermal Resistivity' expressed as \\(K-m/W\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(K-m/W\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalResistivity ; - qudt:symbol "K⋅m/W" ; - qudt:ucumCode "m.K.W-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H35" ; - rdfs:isDefinedBy ; - rdfs:label "Meter Kelvin per Watt"@en-us ; - rdfs:label "Metre Kelvin per Watt"@en ; -. -unit:M-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m-kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LengthMass ; - qudt:symbol "m⋅kg" ; - qudt:ucumCode "m.kg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Meter Kilogram"@en-us ; - rdfs:label "Metre Kilogram"@en ; -. -unit:M-PER-FARAD - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m-per-f\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-4D0 ; - qudt:hasQuantityKind quantitykind:InversePermittivity ; - qudt:symbol "m/f" ; - qudt:ucumCode "m.F-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Meter per Farad"@en-us ; - rdfs:label "Metre per Farad"@en ; -. -unit:M-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Metre per hour is a metric unit of both speed (scalar) and velocity (Vector (geometry)). Its symbol is m/h or mu00b7h-1 (not to be confused with the imperial unit symbol mph. By definition, an object travelling at a speed of 1 m/h for an hour would move 1 metre."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277777778 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(m/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB328" ; - qudt:symbol "m/h" ; - qudt:ucumCode "m.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "m/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M60" ; - rdfs:isDefinedBy ; - rdfs:label "Meter per Hour"@en-us ; - rdfs:label "Metre per Hour"@en ; -. -unit:M-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m-per-k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA728" ; - qudt:symbol "m/k" ; - qudt:ucumCode "m/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F52" ; - rdfs:isDefinedBy ; - rdfs:label "Meter per Kelvin"@en-us ; - rdfs:label "Metre per Kelvin"@en ; -. -unit:M-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Meter Per Minute (m/min) is a unit in the category of Velocity. It is also known as meter/minute, meters per minute, metre per minute, metres per minute. Meter Per Minute (m/min) has a dimension of LT-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m/s by multiplying its value by a factor of 0.016666666666"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0166666667 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(m/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA732" ; - qudt:symbol "m/min" ; - qudt:ucumCode "m.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "m/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2X" ; - rdfs:isDefinedBy ; - rdfs:label "Meter per Minute"@en-us ; - rdfs:label "Metre per Minute"@en ; -. -unit:M-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description """Metre per second is an SI derived unit of both speed (scalar) and velocity (vector quantity which specifies both magnitude and a specific direction), defined by distance in metres divided by time in seconds. -The official SI symbolic abbreviation is mu00b7s-1, or equivalently either m/s."""^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticWavePhaseSpeed ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA733" ; - qudt:symbol "m/s" ; - qudt:ucumCode "m.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "m/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MTS" ; - rdfs:isDefinedBy ; - rdfs:label "Meter je Sekunde"@de ; - rdfs:label "Meter per Second"@en-us ; - rdfs:label "meter na sekundo"@sl ; - rdfs:label "meter per saat"@ms ; - rdfs:label "metr na sekundę"@pl ; - rdfs:label "metr za sekundu"@cs ; - rdfs:label "metra per secundum"@la ; - rdfs:label "metre bölü saniye"@tr ; - rdfs:label "metre per second"@en ; - rdfs:label "metro al secondo"@it ; - rdfs:label "metro por segundo"@es ; - rdfs:label "metro por segundo"@pt ; - rdfs:label "metru pe secundă"@ro ; - rdfs:label "mètre par seconde"@fr ; - rdfs:label "μέτρο ανά δευτερόλεπτο"@el ; - rdfs:label "метр в секунду"@ru ; - rdfs:label "метър в секунда"@bg ; - rdfs:label "מטרים לשנייה"@he ; - rdfs:label "متر بر ثانیه"@fa ; - rdfs:label "متر في الثانية"@ar ; - rdfs:label "मीटर प्रति सैकिण्ड"@hi ; - rdfs:label "メートル毎秒"@ja ; - rdfs:label "米每秒"@zh ; -. -unit:M-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \\(\\textit{meter per Square second}\\) is the unit of acceleration in the International System of Units (SI). As a derived unit it is composed from the SI base units of length, the metre, and the standard unit of time, the second. Its symbol is written in several forms as \\(m/s^2\\), or \\(m s^{-2}\\). As acceleration, the unit is interpreted physically as change in velocity or speed per time interval, that is, \\(\\textit{metre per second per second}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m/s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAA736" ; - qudt:symbol "m/s²" ; - qudt:ucumCode "m.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "m/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MSK" ; - rdfs:isDefinedBy ; - rdfs:label "Meter per Square Second"@en-us ; - rdfs:label "Metre per Square Second"@en ; -. -unit:M-PER-YR - a qudt:Unit ; - dcterms:description "A rate of change of SI standard unit length over a period of an average calendar year (365.25 days)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.16880878140289e-08 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "m/yr" ; - qudt:ucumCode "m.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Metres per year"@en ; -. -unit:M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The S I unit of area is the square metre."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Square_metre"^^xsd:anyURI ; - qudt:expression "\\(sq-m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:hasQuantityKind quantitykind:NuclearQuadrupoleMoment ; - qudt:iec61360Code "0112/2///62720#UAA744" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Square_metre?oldid=490945508"^^xsd:anyURI ; - qudt:symbol "m²" ; - qudt:ucumCode "m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MTK" ; - rdfs:isDefinedBy ; - rdfs:label "Quadratmeter"@de ; - rdfs:label "Square Meter"@en-us ; - rdfs:label "kvadratni meter"@sl ; - rdfs:label "meter persegi"@ms ; - rdfs:label "metr kwadratowy"@pl ; - rdfs:label "metrekare"@tr ; - rdfs:label "metro cuadrado"@es ; - rdfs:label "metro quadrado"@pt ; - rdfs:label "metro quadrato"@it ; - rdfs:label "metru pătrat"@ro ; - rdfs:label "metrum quadratum"@la ; - rdfs:label "mètre carré"@fr ; - rdfs:label "négyzetméter"@hu ; - rdfs:label "square metre"@en ; - rdfs:label "čtvereční metr"@cs ; - rdfs:label "τετραγωνικό μέτρο"@el ; - rdfs:label "квадратен метър"@bg ; - rdfs:label "квадратный метр"@ru ; - rdfs:label "מטר רבוע"@he ; - rdfs:label "متر مربع"@ar ; - rdfs:label "متر مربع"@fa ; - rdfs:label "वर्ग मीटर"@hi ; - rdfs:label "平方メートル"@ja ; - rdfs:label "平方米"@zh ; -. -unit:M2-HR-DEG_C-PER-KiloCAL_IT - a qudt:Unit ; - dcterms:description "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.859845 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:iec61360Code "0112/2///62720#UAA749" ; - qudt:plainTextDescription "product of the power of the SI base unit metre with the exponent 2, of the unit hour for time and the unit degree Celsius for temperature divided by the 1000-fold of the out of use unit for energy international calorie" ; - qudt:symbol "m²⋅hr⋅°C/kcal{IT}" ; - qudt:ucumCode "m2.h.Cel/kcal_IT"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L14" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter Hour Degree Celsius Per Kilocalorie (international Table)"@en-us ; - rdfs:label "Square Metre Hour Degree Celsius Per Kilocalorie (international Table)"@en ; -. -unit:M2-HZ - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:symbol "m²⋅Hz" ; - qudt:ucumCode "m2.Hz"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres Hertz"@en ; -. -unit:M2-HZ2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²⋅Hz²" ; - qudt:ucumCode "m2.Hz2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Metres square Hertz"@en ; -. -unit:M2-HZ3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²⋅Hz³" ; - qudt:ucumCode "m2.Hz3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres cubic Hertz"@en ; -. -unit:M2-HZ4 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-4D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²⋅Hz⁴" ; - qudt:ucumCode "m2.Hz4"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres Hertz^4"@en ; -. -unit:M2-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Meter Kelvin} is a unit for 'Area Temperature' expressed as \\(m^{2}-K\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{2}-K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:AreaTemperature ; - qudt:symbol "m²⋅K" ; - qudt:ucumCode "m2.K"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter Kelvin"@en-us ; - rdfs:label "Square Metre Kelvin"@en ; -. -unit:M2-K-PER-W - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Square Meter Kelvin per Watt} is a unit for 'Thermal Insulance' expressed as \\((K^{2})m/W\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\((K^{2})m/W\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H1T3D0 ; - qudt:hasQuantityKind quantitykind:ThermalInsulance ; - qudt:iec61360Code "0112/2///62720#UAA746" ; - qudt:informativeReference "http://physics.nist.gov/Pubs/SP811/appenB9.html"^^xsd:anyURI ; - qudt:symbol "(K²)m/W" ; - qudt:ucumCode "m2.K.W-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D19" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter Kelvin per Watt"@en-us ; - rdfs:label "Square Metre Kelvin per Watt"@en ; -. -unit:M2-PER-GM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificSurfaceArea ; - qudt:symbol "m²/g" ; - qudt:ucumCode "m2.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per gram"@en ; -. -unit:M2-PER-GM_DRY - a qudt:Unit ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; - qudt:symbol "m²/g{dry sediment}" ; - qudt:ucumCode "m2.g-1{dry}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per gram of dry sediment"@en ; -. -unit:M2-PER-HA - a qudt:Unit ; - dcterms:description "Square metres per hectare."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:AreaRatio ; - qudt:plainTextDescription "Square metres per hectare." ; - qudt:symbol "m²/ha" ; - qudt:ucumCode "m2.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "square meters per hectare"@en-us ; - rdfs:label "square metres per hectare"@en ; -. -unit:M2-PER-HZ - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²/Hz" ; - qudt:ucumCode "m2.Hz-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per Hertz"@en ; -. -unit:M2-PER-HZ-DEG - a qudt:Unit ; - qudt:conversionMultiplier 57.2957795130823 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²/(Hz⋅°)" ; - qudt:ucumCode "m2.Hz-1.deg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per Hertz per degree"@en ; -. -unit:M2-PER-HZ2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²/Hz²" ; - qudt:ucumCode "m2.Hz-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per square Hertz"@en ; -. -unit:M2-PER-J - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:expression "\\(m^2/j\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:SpectralCrossSection ; - qudt:iec61360Code "0112/2///62720#UAA745" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/j" ; - qudt:ucumCode "m2.J-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D20" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Joule"@en-us ; - rdfs:label "Square Metre per Joule"@en ; -. -unit:M2-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m2-per-k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:AreaThermalExpansion ; - qudt:symbol "m²/k" ; - qudt:ucumCode "m2.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Kelvin"@en-us ; - rdfs:label "Square Metre per Kelvin"@en ; -. -unit:M2-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Square Meter Per Kilogram (m2/kg) is a unit in the category of Specific Area. It is also known as square meters per kilogram, square metre per kilogram, square metres per kilogram, square meter/kilogram, square metre/kilogram. This unit is commonly used in the SI unit system. Square Meter Per Kilogram (m2/kg) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^2/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:MassAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:MassEnergyTransferCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificSurfaceArea ; - qudt:iec61360Code "0112/2///62720#UAA750" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/kg" ; - qudt:ucumCode "m2.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D21" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Kilogram"@en-us ; - rdfs:label "Square Metre per Kilogram"@en ; -. -unit:M2-PER-M2 - a qudt:Unit ; - dcterms:description "A square metre unit of area per square metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:AreaRatio ; - qudt:plainTextDescription "A square metre unit of area per square metre" ; - qudt:qkdvDenominator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L2I0M0H0T0D0 ; - qudt:symbol "m²/m²" ; - rdfs:isDefinedBy ; - rdfs:label "square meter per square meter"@en-us ; - rdfs:label "square metre per square metre"@en ; -. -unit:M2-PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Square Meter Per Mole (m2/mol) is a unit in the category of Specific Area. It is also known as square meters per mole, square metre per per, square metres per per, square meter/per, square metre/per. This unit is commonly used in the SI unit system. Square Meter Per Mole (m2/mol) has a dimension of M-1L2 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^2/mol\\)"^^qudt:LatexString ; - qudt:expression "\\(m^{2}/mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:MolarAttenuationCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA751" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/mol" ; - qudt:ucumCode "m2.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D22" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Mole"@en-us ; - rdfs:label "Square Metre per Mole"@en ; -. -unit:M2-PER-N - a qudt:Unit ; - dcterms:description "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Compressibility ; - qudt:iec61360Code "0112/2///62720#UAB492" ; - qudt:plainTextDescription "power of the SI base unit metre with the exponent 2 divided by the derived SI unit newton" ; - qudt:symbol "m²/N" ; - qudt:ucumCode "m2.N-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H59" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter Per Newton"@en-us ; - rdfs:label "Square Metre Per Newton"@en ; -. -unit:M2-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(Square Metres per second is the SI derived unit of angular momentum, defined by distance or displacement in metres multiplied by distance again in metres and divided by time in seconds. The unit is written in symbols as m2/s or m2u00b7s-1 or m2s-1. It may be better understood when phrased as \"metres per second times metres\", i.e. the momentum of an object with respect to a position.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{2} s^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:hasQuantityKind quantitykind:DiffusionCoefficient ; - qudt:hasQuantityKind quantitykind:NeutronDiffusionCoefficient ; - qudt:hasQuantityKind quantitykind:ThermalDiffusionRatioCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA752" ; - qudt:symbol "m²/s" ; - qudt:ucumCode "m2.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "m2/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "S4" ; - rdfs:isDefinedBy ; - rdfs:label "Quadratmeter je Sekunde"@de ; - rdfs:label "Square Meter per Second"@en-us ; - rdfs:label "kvadratni meter na sekundo"@sl ; - rdfs:label "meter persegi per saat"@ms ; - rdfs:label "metr kwadratowy na sekundę"@pl ; - rdfs:label "metrekare bölü saniye"@tr ; - rdfs:label "metro cuadrado por segundo"@es ; - rdfs:label "metro quadrado por segundo"@pt ; - rdfs:label "metro quadrato al secondo"@it ; - rdfs:label "metru pătrat pe secundă"@ro ; - rdfs:label "mètre carré par seconde"@fr ; - rdfs:label "square metre per second"@en ; - rdfs:label "čtvereční metr za sekundu"@cs ; - rdfs:label "квадратный метр в секунду"@ru ; - rdfs:label "متر مربع بر ثانیه"@fa ; - rdfs:label "متر مربع في الثانية"@ar ; - rdfs:label "वर्ग मीटर प्रति सैकिण्ड"@hi ; - rdfs:label "平方メートル毎秒"@ja ; - rdfs:label "平方米每秒"@zh ; -. -unit:M2-PER-SEC2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²/s²" ; - qudt:ucumCode "m2.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metres per square second"@en ; -. -unit:M2-PER-SR - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:expression "\\(m^2/sr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularCrossSection ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/sr" ; - qudt:ucumCode "m2.sr-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D24" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Steradian"@en-us ; - rdfs:label "Square Metre per Steradian"@en ; -. -unit:M2-PER-SR-J - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:expression "\\(m^2/sr-j\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:SpectralAngularCrossSection ; - qudt:iec61360Code "0112/2///62720#UAA756" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/(sr⋅J)" ; - qudt:ucumCode "m2.sr-1.J-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D25" ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter per Steradian Joule"@en-us ; - rdfs:label "Square Metre per Steradian Joule"@en ; -. -unit:M2-PER-V-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^2/v-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Mobility ; - qudt:iec61360Code "0112/2///62720#UAA748" ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "m²/(V⋅s)" ; - qudt:ucumCode "m2.V-1.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D26" ; - rdfs:isDefinedBy ; - rdfs:label "Quadratmeter je Volt und Sekunde"@de ; - rdfs:label "Square Meter per Volt Second"@en-us ; - rdfs:label "metro quadrato al volt e al secondo"@it ; - rdfs:label "square metre per volt second"@en ; -. -unit:M2-SEC-PER-RAD - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m²⋅s/rad" ; - qudt:ucumCode "m2.s.rad-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square metre seconds per radian"@en ; -. -unit:M2-SR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Square Meter Steradian\" is a unit for 'Area Angle' expressed as \\(m^{2}-sr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{2}-sr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AreaAngle ; - qudt:symbol "m²⋅sr" ; - qudt:ucumCode "m2.sr"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Meter Steradian"@en-us ; - rdfs:label "Square Metre Steradian"@en ; -. -unit:M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of volume, equal to 1.0e6 cm3, 1000 liters, 35.3147 ft3, or 1.30795 yd3. A cubic meter holds about 264.17 U.S. liquid gallons or 219.99 British Imperial gallons."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cubic_metre"^^xsd:anyURI ; - qudt:expression "\\(m^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SectionModulus ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA757" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cubic_metre?oldid=490956678"^^xsd:anyURI ; - qudt:symbol "m³" ; - qudt:ucumCode "m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MTQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter"@en-us ; - rdfs:label "Kubikmeter"@de ; - rdfs:label "cubic metre"@en ; - rdfs:label "kubični meter"@sl ; - rdfs:label "meter kubik"@ms ; - rdfs:label "metr krychlový"@cs ; - rdfs:label "metr sześcienny"@pl ; - rdfs:label "metreküp"@tr ; - rdfs:label "metro cubo"@it ; - rdfs:label "metro cúbico"@es ; - rdfs:label "metro cúbico"@pt ; - rdfs:label "metru cub"@ro ; - rdfs:label "metrum cubicum"@la ; - rdfs:label "mètre cube"@fr ; - rdfs:label "κυβικό μετρο"@el ; - rdfs:label "кубичен метър"@bg ; - rdfs:label "кубический метр"@ru ; - rdfs:label "מטר מעוקב"@he ; - rdfs:label "متر مكعب"@ar ; - rdfs:label "متر مکعب"@fa ; - rdfs:label "घन मीटर"@hi ; - rdfs:label "立方メートル"@ja ; - rdfs:label "立方米"@zh ; -. -unit:M3-PER-C - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^3/c\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:HallCoefficient ; - qudt:iec61360Code "0112/2///62720#UAB143" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "m³/C" ; - qudt:ucumCode "m3.C-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A38" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Coulomb"@en-us ; - rdfs:label "Cubic Metre per Coulomb"@en ; -. -unit:M3-PER-DAY - a qudt:Unit ; - dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA760" ; - qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit day" ; - qudt:symbol "m³/day" ; - qudt:ucumCode "m3.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G52" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter Per Day"@en-us ; - rdfs:label "Cubic Metre Per Day"@en ; -. -unit:M3-PER-HA - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:VolumePerArea ; - qudt:iec61360Code "0112/2///62720#UAA757" ; - qudt:symbol "m³/ha" ; - qudt:ucumCode "m3.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Hectare"@en-us ; - rdfs:label "Cubic Metre per Hectare"@en ; -. -unit:M3-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Cubic Meter Per Hour (m3/h) is a unit in the category of Volume flow rate. It is also known as cubic meters per hour, cubic metre per hour, cubic metres per hour, cubic meter/hour, cubic metre/hour, cubic meter/hr, cubic metre/hr, flowrate. Cubic Meter Per Hour (m3/h) has a dimension of L3T-1 where L is length, and T is time. It can be converted to the corresponding standard SI unit m3/s by multiplying its value by a factor of 0.00027777777."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0002777777777777778 ; - qudt:expression "\\(m^{3}/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA763" ; - qudt:symbol "m³/hr" ; - qudt:ucumCode "m3.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "m3/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MQH" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Hour"@en-us ; - rdfs:label "Cubic Metre per Hour"@en ; -. -unit:M3-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m3-per-k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA758" ; - qudt:symbol "m³/K" ; - qudt:ucumCode "m3.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G29" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Kelvin"@en-us ; - rdfs:label "Cubic Metre per Kelvin"@en ; -. -unit:M3-PER-KiloGM - a qudt:Unit ; - dcterms:description "Cubic Meter Per Kilogram (m3/kg) is a unit in the category of Specific volume. It is also known as cubic meters per kilogram, cubic metre per kilogram, cubic metres per kilogram, cubic meter/kilogram, cubic metre/kilogram. This unit is commonly used in the SI unit system. Cubic Meter Per Kilogram (m3/kg) has a dimension of M-1L3 where M is mass, and L is length. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{3}/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:iec61360Code "0112/2///62720#UAA766" ; - qudt:symbol "m³/kg" ; - qudt:ucumCode "m3.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "m3/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A39" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Kilogram"@en-us ; - rdfs:label "Cubic Metre per Kilogram"@en ; -. -unit:M3-PER-KiloGM-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{3} kg^{-1} s^{-2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m³/(kg⋅s²)" ; - qudt:ucumCode "m3.(kg.s2)-1"^^qudt:UCUMcs ; - qudt:ucumCode "m3.kg-1.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "m3/(kg.s2)"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Kilogram Square Second"@en-us ; - rdfs:label "Cubic Metre per Kilogram Square Second"@en ; -. -unit:M3-PER-M2 - a qudt:Unit ; - dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:VolumePerArea ; - qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "m³/m²" ; - qudt:ucumCode "m3.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H60" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter Per Square Meter"@en-us ; - rdfs:label "Cubic Metre Per Square Metre"@en ; -. -unit:M3-PER-M3 - a qudt:Unit ; - dcterms:description "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA767" ; - qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "m³/m³" ; - qudt:ucumCode "m3.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H60" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter Per Cubic Meter"@en-us ; - rdfs:label "Cubic Metre Per Cubic Metre"@en ; -. -unit:M3-PER-MIN - a qudt:Unit ; - dcterms:description "power of the SI base unit metre with the exponent 3 divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01666667 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA768" ; - qudt:plainTextDescription "power of the SI base unit metre with the exponent 3 divided by the unit minute" ; - qudt:symbol "m³/min" ; - qudt:ucumCode "m3.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G53" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter Per Minute"@en-us ; - rdfs:label "Cubic Metre Per Minute"@en ; -. -unit:M3-PER-MOL - a qudt:Unit ; - dcterms:description "

The molar volume, symbol \\(Vm\\), is the volume occupied by one mole of a substance (chemical element or chemical compound) at a given temperature and pressure. It is equal to the molar mass (M) divided by the mass density. It has the SI unit cubic metres per mole \\(m3/mol\\), although it is more practical to use the units cubic decimetres per mole \\(dm3/mol\\) for gases and cubic centimetres per mole \\(cm3/mol\\) for liquids and solids

."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{3} mol^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarRefractivity ; - qudt:hasQuantityKind quantitykind:MolarVolume ; - qudt:iec61360Code "0112/2///62720#UAA771" ; - qudt:symbol "m³/mol" ; - qudt:ucumCode "m3.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "m3/mol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "A40" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Mole"@en-us ; - rdfs:label "Kubikmeter je Mol"@de ; - rdfs:label "cubic metre per mole"@en ; - rdfs:label "kubični meter na mol"@sl ; - rdfs:label "meter kubik per mole"@ms ; - rdfs:label "metr krychlový na mol"@cs ; - rdfs:label "metr sześcienny na mol"@pl ; - rdfs:label "metreküp bölü metre küp"@tr ; - rdfs:label "metro cubo alla mole"@it ; - rdfs:label "metro cúbico por mol"@es ; - rdfs:label "metro cúbico por mol"@pt ; - rdfs:label "metru cub pe mol"@ro ; - rdfs:label "mètre cube par mole"@fr ; - rdfs:label "кубический метр на моль"@ru ; - rdfs:label "متر مكعب لكل مول"@ar ; - rdfs:label "متر مکعب بر مول"@fa ; - rdfs:label "घन मीटर प्रति मोल (इकाई)"@hi ; - rdfs:label "立方メートル 毎立方メートル"@ja ; - rdfs:label "立方米每摩尔"@zh ; -. -unit:M3-PER-MOL-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit that is the SI base unit metre with the exponent 3 divided by the SI base unit mol multiplied by the SI base unit second."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A-1E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AtmosphericHydroxylationRate ; - qudt:hasQuantityKind quantitykind:SecondOrderReactionRateConstant ; - qudt:symbol "m³/(mol⋅s)" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Centimeter per Mole Second"@en ; - rdfs:label "Cubic Centimeter per Mole Second"@en-us ; -. -unit:M3-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A cubic metre per second (\\(m^{3}s^{-1}, m^{3}/s\\)), cumecs or cubic meter per second in American English) is a derived SI unit of flow rate equal to that of a stere or cube with sides of one metre ( u0303 39.37 in) in length exchanged or moving each second. It is popularly used for water flow, especially in rivers and streams, and fractions for HVAC values measuring air flow."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(m^{3}/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:RecombinationCoefficient ; - qudt:hasQuantityKind quantitykind:SoundVolumeVelocity ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA772" ; - qudt:symbol "m³/s" ; - qudt:ucumCode "m3.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "m3/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MQS" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Second"@en-us ; - rdfs:label "Cubic Metre per Second"@en ; -. -unit:M3-PER-SEC2 - a qudt:Unit ; - dcterms:description "\\(\\textit{Cubic Meter per Square Second}\\) is a C.G.S System unit for \\(\\textit{Standard Gravitational Parameter}\\) expressed as \\(m^3/s^2\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^3/s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:StandardGravitationalParameter ; - qudt:symbol "m³/s²" ; - qudt:ucumCode "m3.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "m3/s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Meter per Square Second"@en-us ; - rdfs:label "Cubic Metre per Square Second"@en ; -. -unit:M4 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit associated with area moments of inertia."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quartic_metre"^^xsd:anyURI ; - qudt:expression "\\(m^{4}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; - qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; - qudt:symbol "m⁴" ; - qudt:ucumCode "m4"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B83" ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Meter"@en-us ; - rdfs:label "Quartic Metre"@en ; -. -unit:M4-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "m⁴/s" ; - qudt:ucumCode "m4.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Metres to the power four per second"@en ; -. -unit:M5 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^{5}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L5I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SectionAreaIntegral ; - qudt:symbol "m⁵" ; - rdfs:isDefinedBy ; - rdfs:label "Quintic Meter"@en-us ; - rdfs:label "Quintic Metre"@en ; -. -unit:M6 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^{6}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L6I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:WarpingConstant ; - qudt:symbol "m⁶" ; - rdfs:isDefinedBy ; - rdfs:label "Sextic Meter"@en-us ; - rdfs:label "Sextic Metre"@en ; -. -unit:MACH - a qudt:DimensionlessUnit ; - a qudt:Unit ; - dcterms:description "\"Mach\" is a unit for 'Dimensionless Ratio' expressed as \\(mach\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mach"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MachNumber ; - qudt:iec61360Code "0112/2///62720#UAB595" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mach?oldid=492058934"^^xsd:anyURI ; - qudt:symbol "Mach" ; - rdfs:isDefinedBy ; - rdfs:label "Mach"@en ; -. -unit:MDOLLAR-PER-FLIGHT - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:isReplacedBy unit:MegaDOLLAR_US-PER-FLIGHT ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:deprecated true ; - qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; - qudt:symbol "$M/flight" ; - rdfs:isDefinedBy ; - rdfs:label "Million US Dollars per Flight"@en ; -. -unit:MESH - a qudt:Unit ; - dcterms:description "\"Mesh\" is a measure of particle size or fineness of a woven product."@en ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Mesh_(scale)"^^xsd:anyURI ; - qudt:symbol "mesh" ; - qudt:ucumCode "[mesh_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "57" ; - rdfs:isDefinedBy ; - rdfs:label "Mesh"@en ; -. -unit:MHO - a qudt:Unit ; - dcterms:description "\"Mho\" is a C.G.S System unit for 'Electric Conductivity' expressed as \\(mho\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Siemens_%28unit%29"^^xsd:anyURI ; - qudt:exactMatch unit:S ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:iec61360Code "0112/2///62720#UAB200" ; - qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "℧" ; - qudt:ucumCode "mho"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NQ" ; - rdfs:isDefinedBy ; - rdfs:label "Mho"@en ; -. -unit:MHO_Stat - a qudt:Unit ; - dcterms:description "\"StatMHO\" is the unit of conductance, admittance, and susceptance in the C.G.S e.s.u system of units. One \\(statmho\\) is the conductance between two points in a conductor when a constant potential difference of \\(1 \\; statvolt\\) applied between the points produces in the conductor a current of \\(1 \\; statampere\\), the conductor not being the source of any electromotive force, approximately \\(1.1126 \\times 10^{-12} mho\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.1126e-12 ; - qudt:exactMatch unit:S_Stat ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:informativeReference "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "stat℧" ; - rdfs:isDefinedBy ; - rdfs:label "Statmho"@en ; -. -unit:MI - a qudt:Unit ; - dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002% less than the US survey mile)."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1609.344 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; - qudt:symbol "mi" ; - qudt:ucumCode "[mi_i]"^^qudt:UCUMcs ; - qudt:udunitsCode "mi" ; - qudt:uneceCommonCode "SMI" ; - rdfs:isDefinedBy ; - rdfs:label "International Mile"@en ; -. -unit:MI-PER-HR - a qudt:Unit ; - dcterms:description "Miles per hour is an imperial unit of speed expressing the number of statute miles covered in one hour. It is currently the standard unit used for speed limits, and to express speeds generally, on roads in the United Kingdom and the United States. A common abbreviation is mph or MPH."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.44704 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Miles_per_hour"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(mi/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB111" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Miles_per_hour?oldid=482840548"^^xsd:anyURI ; - qudt:symbol "mi/hr" ; - qudt:ucumCode "[mi_i].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[mi_i]/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HM" ; - rdfs:isDefinedBy ; - rdfs:label "Mile per Hour"@en ; -. -unit:MI-PER-MIN - a qudt:Unit ; - dcterms:description "Miles per minute is an imperial unit of speed expressing the number of statute miles covered in one minute."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 26.8224 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(mi/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB229" ; - qudt:symbol "mi/min" ; - qudt:ucumCode "[mi_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[mi_i]/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M57" ; - rdfs:isDefinedBy ; - rdfs:label "Mile per Minute"@en ; -. -unit:MI-PER-SEC - a qudt:Unit ; - dcterms:description "Miles per second is an imperial unit of speed expressing the number of statute miles covered in one second."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1609.344 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(mi/sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "mi/sec" ; - qudt:ucumCode "[mi_i].sec-1"^^qudt:UCUMcs ; - qudt:ucumCode "[mi_i]/sec"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mile per Second"@en ; -. -unit:MI2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The square mile (abbreviated as sq mi and sometimes as mi) is an imperial and US unit of measure for an area equal to the area of a square of one statute mile. It should not be confused with miles square, which refers to the number of miles on each side squared. For instance, 20 miles square (20 × 20 miles) is equal to 400 square miles. One square mile is equivalent to: 4,014,489,600 square inches 27,878,400 square feet, 3,097,600 square yards, 640 acres, 258.9988110336 hectares, 2560 roods, 25,899,881,103.36 square centimetres, 2,589,988.110336 square metres, 2.589988110336 square kilometres When applied to a portion of the earth's surface, which is curved rather than flat, 'square mile' is an informal synonym for section."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.58998811e06 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(square-mile\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAB050" ; - qudt:symbol "mi²" ; - qudt:ucumCode "[mi_i]2"^^qudt:UCUMcs ; - qudt:ucumCode "[mi_us]2"^^qudt:UCUMcs ; - qudt:ucumCode "[smi_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MIK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Mile"@en ; -. -unit:MI3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A cubic mile is an imperial / U.S. customary unit of volume, used in the United States, Canada, and the United Kingdom. It is defined as the volume of a cube with sides of 1 mile in length. "^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.168181830e09 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(mi^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "mi³" ; - qudt:ucumCode "[mi_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M69" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Mile"@en ; -. -unit:MIL - a qudt:Unit ; - dcterms:description "The Mil unit of plane angle, as defined by NATO to be 1/6400 of a circle."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000490873852 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:symbol "mil{NATO}" ; - rdfs:isDefinedBy ; - rdfs:label "Mil Angle (NATO)"@en ; -. -unit:MIL_Circ - a qudt:Unit ; - dcterms:description "A circular mil is a unit of area, equal to the area of a circle with a diameter of one mil (one thousandth of an inch). It is a convenient unit for referring to the area of a wire with a circular cross section, because the area in circular mils can be calculated without reference to pi (\\(\\pi\\)). The area in circular mils, A, of a circle with a diameter of d mils, is given by the formula: Electricians in Canada and the United States are familiar with the circular mil because the National Electrical Code (NEC) uses the circular mil to define wire sizes larger than 0000 AWG. In many NEC publications and uses, large wires may be expressed in thousands of circular mils, which is abbreviated in two different ways: MCM or kcmil. For example, one common wire size used in the NEC has a cross-section of 250,000 circular mils, written as 250 kcmil or 250 MCM, which is the first size larger than 0000 AWG used within the NEC. "^^qudt:LatexString ; - qudt:conversionMultiplier 5.067075e-10 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAB207" ; - qudt:omUnit ; - qudt:symbol "cmil" ; - qudt:ucumCode "[cml_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M47" ; - rdfs:isDefinedBy ; - rdfs:label "Circular Mil"@en ; -. -unit:MIN - a qudt:Unit ; - dcterms:description "A minute is a unit of measurement of time. The minute is a unit of time equal to 1/60 (the first sexagesimal fraction of an hour or 60 seconds. In the UTC time scale, a minute on rare occasions has 59 or 61 seconds; see leap second. The minute is not an SI unit; however, it is accepted for use with SI units. The SI symbol for minute or minutes is min (for time measurement) or the prime symbol after a number, e.g. 5' (for angle measurement, even if it is informally used for time)."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 60.0 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA842" ; - qudt:omUnit ; - qudt:symbol "min" ; - qudt:ucumCode "min"^^qudt:UCUMcs ; - qudt:udunitsCode "min" ; - qudt:uneceCommonCode "MIN" ; - rdfs:isDefinedBy ; - rdfs:label "Minute"@en ; -. -unit:MIN_Angle - a qudt:Unit ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0002908882 ; - qudt:exactMatch unit:ARCMIN ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA097" ; - qudt:symbol "'" ; - qudt:ucumCode "'"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D61" ; - rdfs:isDefinedBy ; - rdfs:label "Minute Angle"@en ; -. -unit:MIN_Sidereal - a qudt:Unit ; - dcterms:description "Sidereal time is a time-keeping system astronomers use to keep track of the direction to point their telescopes to view a given star in the night sky. A mean sidereal day is about \\(23 h 56 m 4.1 s\\) in length. However, due to variations in the rotation rate of the Earth, the rate of an ideal sidereal clock deviates from any simple multiple of a civil clock. In practice, the difference is kept track of by the difference UTC-UT1, which is measured by radio telescopes and kept on file and available to the public at the IERS and at the United States Naval Observatory. A Sidereal Minute is \\(1/60^{th}\\) of a Sidereal Hour, which is \\(1/24^{th}\\) of a Sidereal Day."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 59.83617 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sidereal_time"^^xsd:anyURI ; - qudt:symbol "min{sidereal}" ; - qudt:ucumCode "min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Sidereal Minute"@en ; -. -unit:MI_N - a qudt:Unit ; - dcterms:description "A unit of distance used primarily at sea and in aviation. The nautical mile is defined to be the average distance on the Earth's surface represented by one minute of latitude. In 1929 an international conference in Monaco redefined the nautical mile to be exactly 1852 meters or 6076.115 49 feet, a distance known as the international nautical mile. The international nautical mile equals about 1.1508 statute miles. There are usually 3 nautical miles in a league. The unit is designed to equal 1/60 degree, although actual degrees of latitude vary from about 59.7 to 60.3 nautical miles. (Note: using data from the Geodetic Reference System 1980, the \"true\" length of a nautical mile would be 1852.216 meters.)"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1852.0 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB065" ; - qudt:symbol "nmi" ; - qudt:ucumCode "[nmi_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NMI" ; - rdfs:isDefinedBy ; - rdfs:label "Nautical Mile"@en ; -. -unit:MI_N-PER-HR - a qudt:Unit ; - dcterms:description "The knot is a unit of speed equal to one nautical mile (1.852 km) per hour, approximately 1.151 mph. The abbreviation kn is preferred by the International Hydrographic Organization (IHO), which includes every major seafaring nation; but the abbreviations kt (singular) and kts (plural) are also widely used conflicting with the SI symbol for kilotonne which is also \"kt\". The knot is a non-SI unit accepted for use with the International System of Units (SI). Worldwide, the knot is used in meteorology, and in maritime and air navigation-for example, a vessel travelling at 1 knot along a meridian travels one minute of geographic latitude in one hour. "^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.514444 ; - qudt:exactMatch unit:KN ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "nmi/hr" ; - qudt:ucumCode "[nmi_i].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[nmi_i]/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nautical Mile per Hour"@en ; -. -unit:MI_N-PER-MIN - a qudt:Unit ; - dcterms:description """The SI derived unit for speed is the meter/second. -1 meter/second is equal to 0.0323974082073 nautical mile per minute. """^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:expression "\\(nmi/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:symbol "nmi/min" ; - qudt:ucumCode "[nmi_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[nmi_i]/min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nautical Mile per Minute"@en ; -. -unit:MI_US - a qudt:Unit ; - dcterms:description "The exact length of the land mile varied slightly among English-speaking countries until the international yard and pound agreement in 1959 established the yard as exactly 0.9144 metres, giving a mile of exactly 1,609.344 metres. The United States adopted this international mile for most purposes, but retained the pre-1959 mile for some land-survey data, terming it the US survey mile. In the US, statute mile formally refers to the survey mile, about 3.219 mm (1/8 inch) longer than the international mile (the international mile is exactly 0.0002\\% less than the US survey mile)."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1609.347 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mile"^^xsd:anyURI ; - qudt:symbol "mi{US}" ; - qudt:ucumCode "[mi_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M52" ; - rdfs:isDefinedBy ; - rdfs:label "Mile US Statute"@en ; -. -unit:MO - a qudt:Unit ; - dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks. Also known as the 'Synodic Month' and calculated as 29.53059 days."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.551442976e06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Month"^^xsd:anyURI ; - qudt:exactMatch unit:MO_Synodic ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA880" ; - qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Month"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "mo" ; - qudt:ucumCode "mo"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MON" ; - rdfs:isDefinedBy ; - rdfs:label "Month"@en ; -. -unit:MOHM - a qudt:Unit ; - dcterms:description "A unit of mechanical mobility for sound waves, being the reciprocal of the mechanical ohm unit of impedance, i.e., for an acoustic medium, the ratio of the flux or volumic speed (area times particle speed) of the resulting waves through it to the effective sound pressure (i.e. force) causing them, the unit being qualified, according to the units used, as m.k.s. or c.g.s. The mechanical ohm is equivalent to \\(1\\,dyn\\cdot\\,s\\cdot cm^{-1}\\) or \\(10^{-3} N\\cdot s\\cdot m^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1000.0 ; - qudt:expression "\\(mohm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:MechanicalMobility ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-914"^^xsd:anyURI ; - qudt:latexDefinition "\\(1\\:{mohm_{cgs}} = 1\\:\\frac {cm} {dyn.s}\\: (=\\:1\\:\\frac s g \\:in\\:base\\:c.g.s.\\:terms)\\)"^^qudt:LatexString ; - qudt:latexDefinition "\\(1\\:{mohm_{mks}} = 10^{3}\\:\\frac m {N.s}\\:(=\\:10^{3}\\: \\frac s {kg}\\:in\\:base\\:m.k.s.\\:terms)\\)"^^qudt:LatexString ; - qudt:symbol "mohm" ; - rdfs:isDefinedBy ; - rdfs:label "Mohm"@en ; -. -unit:MOL - a qudt:Unit ; - dcterms:description "The mole is a unit of measurement used in chemistry to express amounts of a chemical substance. The official definition, adopted as part of the SI system in 1971, is that one mole of a substance contains just as many elementary entities (atoms, molecules, ions, or other kinds of particles) as there are atoms in 12 grams of carbon-12 (carbon-12 is the most common atomic form of carbon, consisting of atoms having 6 protons and 6 neutrons). This corresponds to a value of \\(6.02214179(30) \\times 10^{23}\\) elementary entities of the substance. It is one of the base units in the International System of Units, and has the unit symbol \\(mol\\). A Mole is the SI base unit of the amount of a substance (as distinct from its mass or weight). Moles measure the actual number of atoms or molecules in an object. An earlier name is gram molecular weight, because one mole of a chemical compound is the same number of grams as the molecular weight of a molecule of that compound measured in atomic mass units."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mole_%28unit%29"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasQuantityKind quantitykind:ExtentOfReaction ; - qudt:iec61360Code "0112/2///62720#UAA882" ; - qudt:iec61360Code "0112/2///62720#UAD716" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mole_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "mol" ; - qudt:ucumCode "mol"^^qudt:UCUMcs ; - qudt:udunitsCode "mol" ; - qudt:uneceCommonCode "C34" ; - rdfs:isDefinedBy ; - rdfs:label "Mol"@de ; - rdfs:label "mol"@cs ; - rdfs:label "mol"@es ; - rdfs:label "mol"@pl ; - rdfs:label "mol"@pt ; - rdfs:label "mol"@ro ; - rdfs:label "mol"@sl ; - rdfs:label "mol"@tr ; - rdfs:label "mole"@en ; - rdfs:label "mole"@fr ; - rdfs:label "mole"@it ; - rdfs:label "mole"@ms ; - rdfs:label "moles"@la ; - rdfs:label "mól"@hu ; - rdfs:label "μολ"@el ; - rdfs:label "мол"@bg ; - rdfs:label "моль"@ru ; - rdfs:label "מול"@he ; - rdfs:label "مول"@ar ; - rdfs:label "مول"@fa ; - rdfs:label "मोल (इकाई)"@hi ; - rdfs:label "モル"@ja ; - rdfs:label "摩尔"@zh ; -. -unit:MOL-DEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Mole Degree Celsius} is a C.G.S System unit for 'Temperature Amount Of Substance' expressed as \\(mol-degC\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(mol-deg-c\\)"^^qudt:LatexString ; - qudt:expression "\\(mol-degC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; - qudt:symbol "mol⋅°C" ; - qudt:ucumCode "mol.Cel"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mole Degree Celsius"@en ; -. -unit:MOL-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

Mole Kelvin is a unit for \\textit{'Temperature Amount Of Substance'} expressed as \\(mol-K\\)

."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:TemperatureAmountOfSubstance ; - qudt:symbol "mol⋅K" ; - qudt:ucumCode "mol.K"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mole Kelvin"@en ; -. -unit:MOL-PER-DeciM3 - a qudt:Unit ; - dcterms:description "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:iec61360Code "0112/2///62720#UAA883" ; - qudt:plainTextDescription "SI base unit mol divided by the 0.001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "mol/dm³" ; - qudt:ucumCode "mol.dm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C35" ; - rdfs:isDefinedBy ; - rdfs:label "Mole Per Cubic Decimeter"@en-us ; - rdfs:label "Mole Per Cubic Decimetre"@en ; -. -unit:MOL-PER-GM-HR - a qudt:Unit ; - dcterms:description "SI unit of the quantity of matter per SI unit of mass per unit of time expressed in hour."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.277777777777778 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(g⋅hr)" ; - qudt:ucumCode "mol.g-1.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per gram per hour"@en ; -. -unit:MOL-PER-HR - a qudt:Unit ; - dcterms:description "SI base unit mole divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277778 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA884" ; - qudt:plainTextDescription "SI base unit mole divided by the unit for time hour" ; - qudt:symbol "mol/hr" ; - qudt:ucumCode "mol.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L23" ; - rdfs:isDefinedBy ; - rdfs:label "Mole Per Hour"@en ; -. -unit:MOL-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Mole Per Kilogram (\\(mol/kg\\)) is a unit of Molality"^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(mol/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:hasQuantityKind quantitykind:MolalityOfSolute ; - qudt:symbol "mol/kg" ; - qudt:ucumCode "mol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mol/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C19" ; - rdfs:isDefinedBy ; - rdfs:label "Mol per Kilogram"@en ; -. -unit:MOL-PER-KiloGM-PA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Mole Per Kilogram Pascal (\\(mol/kg-pa\\)) is a unit of Molar Mass variation due to Pressure."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(mol/(kg.pa)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L1I0M-2H0T2D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMassPressure ; - qudt:iec61360Code "0112/2///62720#UAB317" ; - qudt:symbol "mol/(kg⋅Pa)" ; - qudt:ucumCode "mol.kg-1.Pa-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P51" ; - rdfs:isDefinedBy ; - rdfs:label "Mole per Kilogram Pascal"@en ; -. -unit:MOL-PER-L - a qudt:Unit ; - dcterms:description "SI base unit mol divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:iec61360Code "0112/2///62720#UAA888" ; - qudt:plainTextDescription "SI base unit mol divided by the unit litre" ; - qudt:symbol "mol/L" ; - qudt:ucumCode "mol.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "mol/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C38" ; - rdfs:isDefinedBy ; - rdfs:label "Mole Per Liter"@en-us ; - rdfs:label "Mole Per Litre"@en ; -. -unit:MOL-PER-M2 - a qudt:Unit ; - dcterms:description "SI unit of quantity of matter per SI unit area."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/m²" ; - qudt:ucumCode "mol.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre"@en ; -. -unit:MOL-PER-M2-DAY - a qudt:Unit ; - dcterms:description "quantity of matter per unit area per unit of time."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-05 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m²⋅day)" ; - qudt:ucumCode "mol.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre per day" ; -. -unit:MOL-PER-M2-SEC - a qudt:Unit ; - dcterms:description "SI unit of quantity of matter per SI unit area per SI unit of time."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m²⋅s)" ; - qudt:ucumCode "mol.m-2.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre per second"@en ; -. -unit:MOL-PER-M2-SEC-M - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m²⋅s⋅m)" ; - qudt:ucumCode "mol.m-2.s-1.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre per second per metre"@en ; -. -unit:MOL-PER-M2-SEC-M-SR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m²⋅s⋅m⋅sr)" ; - qudt:ucumCode "mol.m-2.s-1.m-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre per second per metre per steradian"@en ; -. -unit:MOL-PER-M2-SEC-SR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m²⋅s⋅sr)" ; - qudt:ucumCode "mol.m-2.s-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per square metre per second per steradian"@en ; -. -unit:MOL-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI derived unit for amount-of-substance concentration is the mole/cubic meter."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(mol/m^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:iec61360Code "0112/2///62720#UAA891" ; - qudt:symbol "mol/m³" ; - qudt:ucumCode "mol.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "mol/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C36" ; - rdfs:isDefinedBy ; - rdfs:label "Mole per Cubic Meter"@en-us ; - rdfs:label "Mole per Cubic Metre"@en ; -. -unit:MOL-PER-M3-SEC - a qudt:Unit ; - dcterms:description "SI unit of quantity of matter per SI unit volume per SI unit of time."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mol/(m³⋅s)" ; - qudt:ucumCode "mol.m-3.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per cubic metre per second"@en ; -. -unit:MOL-PER-MIN - a qudt:Unit ; - dcterms:description "SI base unit mole divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.016666667 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA894" ; - qudt:plainTextDescription "SI base unit mole divided by the unit for time minute" ; - qudt:symbol "mol/min" ; - qudt:ucumCode "mol.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L30" ; - rdfs:isDefinedBy ; - rdfs:label "Mole Per Minute"@en ; -. -unit:MOL-PER-MOL - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:symbol "mol/mol" ; - qudt:ucumCode "mol.mol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Moles per mole"@en ; -. -unit:MOL-PER-SEC - a qudt:Unit ; - dcterms:description "SI base unit mol divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MolarFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA895" ; - qudt:plainTextDescription "SI base unit mol divided by the SI base unit second" ; - qudt:symbol "mol/s" ; - qudt:ucumCode "mol.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "mol/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E95" ; - rdfs:isDefinedBy ; - rdfs:label "Mole Per Second"@en ; -. -unit:MOL-PER-TONNE - a qudt:Unit ; - dcterms:description "Mole Per Tonne (mol/t) is a unit of Molality"^^rdf:HTML ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:plainTextDescription "Mole Per Tonne (mol/t) is a unit of Molality" ; - qudt:symbol "mol/t" ; - qudt:ucumCode "mol.t-1"^^qudt:UCUMcs ; - qudt:ucumCode "mol/t"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mol per Tonne"@en ; -. -unit:MO_MeanGREGORIAN - a qudt:Unit ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; - qudt:ucumCode "mo_g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MON" ; - rdfs:isDefinedBy ; - rdfs:label "Mean Gregorian Month"@en ; -. -unit:MO_MeanJulian - a qudt:Unit ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#iso1000"^^xsd:anyURI ; - qudt:ucumCode "mo_j"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mean Julian Month"@en ; -. -unit:MO_Synodic - a qudt:Unit ; - dcterms:description "A unit of time corresponding approximately to one cycle of the moon's phases, or about 30 days or 4 weeks and calculated as 29.53059 days."^^rdf:HTML ; - qudt:exactMatch unit:MO ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://www.thefreedictionary.com/Synodal+month"^^xsd:anyURI ; - qudt:ucumCode "mo_s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Synodic month"@en ; -. -unit:MX - a qudt:Unit ; - dcterms:description "\"Maxwell\" is a C.G.S System unit for 'Magnetic Flux' expressed as \\(Mx\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Maxwell"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAB155" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Maxwell?oldid=478391976"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Mx" ; - qudt:ucumCode "Mx"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B65" ; - rdfs:isDefinedBy ; - rdfs:label "Maxwell"@en ; -. -unit:MebiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The mebibyte is a multiple of the unit byte for digital information equivalent to \\(1024^{2} bytes\\) or \\(2^{20} bytes\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.814539984022601702139868711921e05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Mebi ; - qudt:symbol "MiB" ; - qudt:uneceCommonCode "E63" ; - rdfs:isDefinedBy ; - rdfs:label "Mebibyte"@en ; -. -unit:MegaA - a qudt:Unit ; - dcterms:description "1 000 000-fold of the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA202" ; - qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MA" ; - qudt:ucumCode "MA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H38" ; - rdfs:isDefinedBy ; - rdfs:label "Megaampere"@en ; -. -unit:MegaA-PER-M2 - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:iec61360Code "0112/2///62720#UAA203" ; - qudt:plainTextDescription "1,000,000-fold of the SI base unit ampere divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mol/m²" ; - qudt:ucumCode "MA.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B66" ; - rdfs:isDefinedBy ; - rdfs:label "Megaampere Per Square Meter"@en-us ; - rdfs:label "Megaampere Per Square Metre"@en ; -. -unit:MegaBAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e11 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:prefix prefix:Mega ; - qudt:symbol "Mbar" ; - qudt:ucumCode "Mbar"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Megabar"@en ; -. -unit:MegaBIT-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A megabit per second (Mbit/s or Mb/s; not to be confused with mbit/s which means millibit per second, or with Mbitps which means megabit picosecond) is a unit of data transfer rate equal to 1,000,000 bits per second or 1,000 kilobits per second or 125,000 bytes per second or 125 kilobytes per second."^^rdf:HTML ; - qudt:conversionMultiplier 6.9314718055994530941723212145818e05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DataRate ; - qudt:iec61360Code "0112/2///62720#UAA226" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Data_rate_units"^^xsd:anyURI ; - qudt:symbol "mbps" ; - qudt:ucumCode "MBd"^^qudt:UCUMcs ; - qudt:ucumCode "Mbit/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E20" ; - rdfs:isDefinedBy ; - rdfs:label "Megabit per Second"@en ; -. -unit:MegaBQ - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit becquerel"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA205" ; - qudt:plainTextDescription "1,000,000-fold of the derived unit becquerel" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MBq" ; - qudt:ucumCode "MBq"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4N" ; - rdfs:isDefinedBy ; - rdfs:label "Megabecquerel"@en ; -. -unit:MegaBTU_IT-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 293071.07 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(MBtu/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:symbol "MBtu{IT}/hr" ; - qudt:ucumCode "M[Btu_IT].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "M[Btu_IT]/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega British Thermal Unit (International Definition) per Hour"@en ; -. -unit:MegaBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The megabyte is defined here as one million Bytes. Also, see unit:MebiBYTE."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.54517744447956e06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Megabyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Megabyte?oldid=487094486"^^xsd:anyURI ; - qudt:prefix prefix:Mega ; - qudt:symbol "MB" ; - qudt:ucumCode "MBy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4L" ; - rdfs:isDefinedBy ; - rdfs:label "Mega byte"@en ; -. -unit:MegaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A MegaCoulomb is \\(10^{6} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA206" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MC" ; - qudt:ucumCode "MC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D77" ; - rdfs:isDefinedBy ; - rdfs:label "MegaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:MegaC-PER-M2 - a qudt:Unit ; - dcterms:description "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:iec61360Code "0112/2///62720#UAA207" ; - qudt:plainTextDescription "1 000 000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "MC/m²" ; - qudt:ucumCode "MC.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B70" ; - rdfs:isDefinedBy ; - rdfs:label "Megacoulomb Per Square Meter"@en-us ; - rdfs:label "Megacoulomb Per Square Metre"@en ; -. -unit:MegaC-PER-M3 - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; - qudt:iec61360Code "0112/2///62720#UAA208" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "MC/m³" ; - qudt:ucumCode "MC.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B69" ; - rdfs:isDefinedBy ; - rdfs:label "Megacoulomb Per Cubic Meter"@en-us ; - rdfs:label "Megacoulomb Per Cubic Metre"@en ; -. -unit:MegaDOLLAR_US-PER-FLIGHT - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(\\(M\\$/Flight\\)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:CurrencyPerFlight ; - qudt:symbol "$M/flight" ; - rdfs:isDefinedBy ; - rdfs:label "Million US Dollars per Flight"@en ; -. -unit:MegaEV - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Mega Electron Volt} is a unit for 'Energy And Work' expressed as \\(MeV\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-13 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:symbol "MeV" ; - qudt:ucumCode "MeV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B71" ; - rdfs:isDefinedBy ; - rdfs:label "Mega Electron Volt"@en ; -. -unit:MegaEV-FemtoM - a qudt:Unit ; - dcterms:description "\\(\\textbf{Mega Electron Volt Femtometer} is a unit for 'Length Energy' expressed as \\(MeV fm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-28 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LengthEnergy ; - qudt:prefix prefix:Mega ; - qudt:symbol "MeV⋅fm" ; - qudt:ucumCode "MeV.fm"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Electron Volt Femtometer"@en-us ; - rdfs:label "Mega Electron Volt Femtometre"@en ; -. -unit:MegaEV-PER-CentiM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Mega Electron Volt per Centimeter\" is a unit for 'Linear Energy Transfer' expressed as \\(MeV/cm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.602176634e-11 ; - qudt:expression "\\(MeV/cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:LinearEnergyTransfer ; - qudt:symbol "MeV/cm" ; - qudt:ucumCode "MeV.cm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Electron Volt per Centimeter"@en-us ; - rdfs:label "Mega Electron Volt per Centimetre"@en ; -. -unit:MegaEV-PER-SpeedOfLight - a qudt:Unit ; - dcterms:description "\"Mega Electron Volt per Speed of Light\" is a unit for 'Linear Momentum' expressed as \\(MeV/c\\)."^^qudt:LatexString ; - qudt:expression "\\(MeV/c\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:symbol "MeV/c" ; - qudt:ucumCode "MeV.[c]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Electron Volt per Speed of Light"@en ; -. -unit:MegaGM - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA228" ; - qudt:plainTextDescription "1 000-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Mega ; - qudt:symbol "Mg" ; - qudt:ucumCode "Mg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2U" ; - rdfs:isDefinedBy ; - rdfs:label "Megagram"@en ; -. -unit:MegaGM-PER-HA - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:exactMatch unit:TONNE-PER-HA ; - qudt:exactMatch unit:TON_Metric-PER-HA ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "Mg/ha" ; - qudt:ucumCode "Mg.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Megagram Per Hectare"@en ; - rdfs:label "Megagram Per Hectare"@en-us ; -. -unit:MegaGM-PER-M3 - a qudt:Unit ; - dcterms:description "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA229" ; - qudt:plainTextDescription "1 000-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "Mg/m³" ; - qudt:ucumCode "Mg.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B72" ; - rdfs:isDefinedBy ; - rdfs:label "Megagram Per Cubic Meter"@en-us ; - rdfs:label "Megagram Per Cubic Metre"@en ; -. -unit:MegaHZ - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Megahertz\" is a C.G.S System unit for 'Frequency' expressed as \\(MHz\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA209" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MHz" ; - qudt:ucumCode "MHz"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MHZ" ; - rdfs:isDefinedBy ; - rdfs:label "Megahertz"@en ; -. -unit:MegaHZ-M - a qudt:Unit ; - dcterms:description "product of the 1,000,000-fold of the SI derived unit hertz and the 1,000-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Speed ; - qudt:iec61360Code "0112/2///62720#UAA210" ; - qudt:plainTextDescription "product of the 1,000,000-fold of the SI derived unit hertz and the 1 000-fold of the SI base unit metre" ; - qudt:symbol "MHz⋅m" ; - qudt:ucumCode "MHz.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H39" ; - rdfs:isDefinedBy ; - rdfs:label "Megahertz Meter"@en-us ; - rdfs:label "Megahertz Metre"@en ; -. -unit:MegaHZ-PER-K - a qudt:Unit ; - dcterms:description "\\(\\textbf{Mega Hertz per Kelvin} is a unit for 'Inverse Time Temperature' expressed as \\(MHz K^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:expression "\\(MHz K^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T-1D0 ; - qudt:hasQuantityKind quantitykind:InverseTimeTemperature ; - qudt:symbol "MHz/K" ; - qudt:ucumCode "MHz.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Hertz per Kelvin"@en ; -. -unit:MegaHZ-PER-T - a qudt:Unit ; - dcterms:description "\"Mega Hertz per Tesla\" is a unit for 'Electric Charge Per Mass' expressed as \\(MHz T^{-1}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:expression "\\(MHz T^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:symbol "MHz/T" ; - qudt:ucumCode "MHz.T-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Hertz per Tesla"@en ; -. -unit:MegaJ - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:iec61360Code "0112/2///62720#UAA211" ; - qudt:plainTextDescription "1,000,000-fold of the derived unit joule" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MJ" ; - qudt:ucumCode "MJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "3B" ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule"@en ; -. -unit:MegaJ-PER-HR - a qudt:Unit ; - dcterms:description "SI derived unit MegaJoule divided by the 3600 times the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:plainTextDescription "SI derived unit Megajoule divided by the 3600 times the SI base unit second" ; - qudt:symbol "MJ/hr" ; - qudt:ucumCode "MJ.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P16" ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule Per Hour"@en ; -. -unit:MegaJ-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "MegaJoule Per Kelvin (MegaJ/K) is a unit in the category of Entropy."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:expression "\\(MegaJ/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:HeatCapacity ; - qudt:symbol "MJ/K" ; - qudt:ucumCode "MJ.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MegaJoule per Kelvin"@en ; -. -unit:MegaJ-PER-KiloGM - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB093" ; - qudt:plainTextDescription "1,000,000-fold of the derived SI unit joule divided by the SI base unit kilogram" ; - qudt:symbol "MJ/kg" ; - qudt:ucumCode "MJ.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "JK" ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule Per Kilogram"@en ; -. -unit:MegaJ-PER-M2 - a qudt:Unit ; - dcterms:description "MegaJoule Per Square Meter (\\(MegaJ/m^2\\)) is a unit in the category of Energy density."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "MJ/m²" ; - qudt:ucumCode "MJ.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule Per Square Meter"@en-us ; - rdfs:label "Megajoule Per Square Metre"@en ; -. -unit:MegaJ-PER-M3 - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:iec61360Code "0112/2///62720#UAA212" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit joule divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "MJ/m³" ; - qudt:ucumCode "MJ.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "JM" ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule Per Cubic Meter"@en-us ; - rdfs:label "Megajoule Per Cubic Metre"@en ; -. -unit:MegaJ-PER-SEC - a qudt:Unit ; - dcterms:description "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAB177" ; - qudt:plainTextDescription "quotient of the 1,000,000-fold of the derived SI unit joule divided by the SI base unit second" ; - qudt:symbol "MJ/s" ; - qudt:ucumCode "MJ.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D78" ; - rdfs:isDefinedBy ; - rdfs:label "Megajoule Per Second"@en ; -. -unit:MegaL - a qudt:Unit ; - dcterms:description "1 000 000-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB112" ; - qudt:plainTextDescription "1 000 000-fold of the unit litre" ; - qudt:symbol "ML" ; - qudt:ucumCode "ML"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MAL" ; - rdfs:isDefinedBy ; - rdfs:label "Megalitre"@en ; - rdfs:label "Megalitre"@en-us ; -. -unit:MegaLB_F - a qudt:Unit ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4448.222 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pound-force"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pound-force?oldid=453191483"^^xsd:anyURI ; - qudt:symbol "Mlbf" ; - qudt:ucumCode "M[lbf_av]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mega Pound Force"@en ; -. -unit:MegaN - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA213" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit newton" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MN" ; - qudt:ucumCode "MN"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B73" ; - rdfs:isDefinedBy ; - rdfs:label "Meganewton"@en ; -. -unit:MegaN-M - a qudt:Unit ; - dcterms:description "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA214" ; - qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit newton and the SI base unit metre" ; - qudt:symbol "MN⋅m" ; - qudt:ucumCode "MN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B74" ; - rdfs:isDefinedBy ; - rdfs:label "Meganewton Meter"@en-us ; - rdfs:label "Meganewton Metre"@en ; -. -unit:MegaOHM - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA198" ; - qudt:plainTextDescription "1,000,000-fold of the derived unit ohm" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MΩ" ; - qudt:ucumCode "MOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B75" ; - rdfs:isDefinedBy ; - rdfs:label "Megaohm"@en ; -. -unit:MegaPA - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit pascal"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA215" ; - qudt:plainTextDescription "1,000,000-fold of the derived unit pascal" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MPa" ; - qudt:ucumCode "MPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MPA" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal"@en ; -. -unit:MegaPA-L-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA218" ; - qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; - qudt:symbol "MPa⋅L/s" ; - qudt:ucumCode "MPa.L.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F97" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal Liter Per Second"@en-us ; - rdfs:label "Megapascal Litre Per Second"@en ; -. -unit:MegaPA-M0pt5 - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit Pascal Square Root Meter"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:StressIntensityFactor ; - qudt:plainTextDescription "1,000,000-fold of the derived unit Pascal Square Root Meter" ; - qudt:prefix prefix:Mega ; - qudt:symbol "MPa√m" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal Square Root Meter"@en-us ; - rdfs:label "Megapascal Square Root Metre"@en ; -. -unit:MegaPA-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA219" ; - qudt:plainTextDescription "product out of the 1,000,000-fold of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "MPa⋅m³/s" ; - qudt:ucumCode "MPa.m3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F98" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal Cubic Meter Per Second"@en-us ; - rdfs:label "Megapascal Cubic Metre Per Second"@en ; -. -unit:MegaPA-PER-BAR - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA217" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the unit bar" ; - qudt:symbol "MPa/bar" ; - qudt:ucumCode "MPa.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F05" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal Per Bar"@en ; -. -unit:MegaPA-PER-K - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA216" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit pascal divided by the SI base unit kelvin" ; - qudt:symbol "MPa/K" ; - qudt:ucumCode "MPa.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F85" ; - rdfs:isDefinedBy ; - rdfs:label "Megapascal Per Kelvin"@en ; -. -unit:MegaPSI - a qudt:Unit ; - dcterms:description "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6894757800.0 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:plainTextDescription "Megapounds of force per square inch is a unit for pressure in the Anglo-American system of units." ; - qudt:symbol "Mpsi" ; - qudt:ucumCode "[Mpsi]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MPSI"@en ; -. -unit:MegaS - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000000.0 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:symbol "MS" ; - rdfs:isDefinedBy ; - rdfs:label "MegaSiemens"@en ; -. -unit:MegaS-PER-M - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA220" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit siemens divided by the SI base unit metre" ; - qudt:symbol "MS/m" ; - qudt:ucumCode "MS.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B77" ; - rdfs:isDefinedBy ; - rdfs:label "Megasiemens Per Meter"@en-us ; - rdfs:label "Megasiemens Per Metre"@en ; -. -unit:MegaTOE - a qudt:Unit ; - dcterms:description """The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy).

-

Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"""^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.18680e16 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; - qudt:symbol "megatoe" ; - rdfs:isDefinedBy ; - rdfs:label "Megaton of Oil Equivalent"@en ; -. -unit:MegaV - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit volt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:iec61360Code "0112/2///62720#UAA221" ; - qudt:plainTextDescription "1,000,000-fold of the derived unit volt" ; - qudt:prefix prefix:Mega ; - qudt:symbol "mV" ; - qudt:ucumCode "MV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B78" ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt"@en ; -. -unit:MegaV-A - a qudt:Unit ; - dcterms:description "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ComplexPower ; - qudt:iec61360Code "0112/2///62720#UAA222" ; - qudt:plainTextDescription "1,000,000-fold of the product of the SI derived unit volt and the SI base unit ampere" ; - qudt:symbol "MV⋅A" ; - qudt:ucumCode "MV.A"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MVA" ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt Ampere"@en ; -. -unit:MegaV-A-HR - a qudt:Unit ; - dcterms:description "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.60e09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:plainTextDescription "product of the 1,000,000-fold of the unit for apparent by ampere and the unit hour" ; - qudt:symbol "MV⋅A⋅hr" ; - qudt:ucumCode "MV.A.h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt Ampere Hour"@en ; -. -unit:MegaV-A_Reactive - a qudt:Unit ; - dcterms:description "1,000,000-fold of the unit volt ampere reactive"^^rdf:HTML ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ReactivePower ; - qudt:iec61360Code "0112/2///62720#UAB199" ; - qudt:plainTextDescription "1,000,000-fold of the unit volt ampere reactive" ; - qudt:symbol "MV⋅A{Reactive}" ; - qudt:ucumCode "MV.A{reactive}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MAR" ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt Ampere Reactive"@en ; -. -unit:MegaV-A_Reactive-HR - a qudt:Unit ; - dcterms:description "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; - qudt:conversionMultiplier 3.60e09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB198" ; - qudt:plainTextDescription "product of the 1,000,000-fold of the unit volt ampere reactive and the unit hour" ; - qudt:symbol "MV⋅A{Reactive}⋅hr" ; - qudt:ucumCode "MV.A{reactive}.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MAH" ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt Ampere Reactive Hour"@en ; -. -unit:MegaV-PER-M - a qudt:Unit ; - dcterms:description "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA223" ; - qudt:plainTextDescription "1,000,000-fold of the SI derived unit volt divided by the SI base unit metre" ; - qudt:symbol "MV/m" ; - qudt:ucumCode "MV.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B79" ; - rdfs:isDefinedBy ; - rdfs:label "Megavolt Per Meter"@en-us ; - rdfs:label "Megavolt Per Metre"@en ; -. -unit:MegaW - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:prefix prefix:Mega ; - qudt:symbol "MW" ; - qudt:ucumCode "MW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MAW" ; - rdfs:isDefinedBy ; - rdfs:label "MegaW"@en ; -. -unit:MegaW-HR - a qudt:Unit ; - dcterms:description "1,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.60e09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA225" ; - qudt:plainTextDescription "1 000 000-fold of the product of the SI derived unit watt and the unit hour" ; - qudt:symbol "MW⋅hr" ; - qudt:ucumCode "MW.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MWH" ; - rdfs:isDefinedBy ; - rdfs:label "Megawatt Hour"@en ; -. -unit:MegaYR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "1,000,000-fold of the derived unit year."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.155760e13 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "https://en.wiktionary.org/wiki/megayear"^^xsd:anyURI ; - qudt:plainTextDescription "1,000,000-fold of the derived unit year." ; - qudt:prefix prefix:Mega ; - qudt:symbol "Myr" ; - qudt:ucumCode "Ma"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Million Years"@en ; - skos:altLabel "Ma" ; - skos:altLabel "Mega Year"@en ; - skos:altLabel "megannum"@la ; -. -unit:MicroA - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA057" ; - qudt:latexSymbol "\\(\\mu A\\)"^^qudt:LatexString ; - qudt:prefix prefix:Micro ; - qudt:symbol "µA" ; - qudt:ucumCode "uA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B84" ; - rdfs:isDefinedBy ; - rdfs:label "microampere"@en ; -. -unit:MicroATM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.101325 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "µatm" ; - qudt:ucumCode "uatm"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microatmospheres"@en ; -. -unit:MicroBAR - a qudt:Unit ; - dcterms:description "0.000001-fold of the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB089" ; - qudt:plainTextDescription "0.000001-fold of the unit bar" ; - qudt:symbol "μbar" ; - qudt:ucumCode "ubar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B85" ; - rdfs:isDefinedBy ; - rdfs:label "Microbar"@en ; -. -unit:MicroBQ - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit becquerel"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA058" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit becquerel" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μBq" ; - qudt:ucumCode "uBq"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H08" ; - rdfs:isDefinedBy ; - rdfs:label "Microbecquerel"@en ; -. -unit:MicroBQ-PER-KiloGM - a qudt:Unit ; - dcterms:description "One radioactive disintegration per hundred thousand seconds from an SI standard unit of mass of sample."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SpecificActivity ; - qudt:symbol "µBq/kg" ; - qudt:ucumCode "uBq.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microbecquerels per kilogram"@en ; -. -unit:MicroBQ-PER-L - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ActivityConcentration ; - qudt:symbol "µBq/L" ; - qudt:ucumCode "uBq.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microbecquerels per litre"@en ; -. -unit:MicroC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A MicroCoulomb is \\(10^{-6} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA059" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µC" ; - qudt:ucumCode "uC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B86" ; - rdfs:isDefinedBy ; - rdfs:label "MicroCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:MicroC-PER-M2 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:iec61360Code "0112/2///62720#UAA060" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "μC/m²" ; - qudt:ucumCode "uC.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B88" ; - rdfs:isDefinedBy ; - rdfs:label "Microcoulomb Per Square Meter"@en-us ; - rdfs:label "Microcoulomb Per Square Metre"@en ; -. -unit:MicroC-PER-M3 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeDensity ; - qudt:iec61360Code "0112/2///62720#UAA061" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "μC/m³" ; - qudt:ucumCode "uC.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B87" ; - rdfs:isDefinedBy ; - rdfs:label "Microcoulomb Per Cubic Meter"@en-us ; - rdfs:label "Microcoulomb Per Cubic Metre"@en ; -. -unit:MicroCi - a qudt:Unit ; - dcterms:description "Another commonly used measure of radioactivity, the microcurie: \\(1 \\micro Ci = 3.7 \\times 10 disintegrations per second = 2.22 \\times 10 disintegrations per minute\\). A radiotherapy machine may have roughly 1000 Ci of a radioisotope such as caesium-137 or cobalt-60. This quantity of radioactivity can produce serious health effects with only a few minutes of close-range, un-shielded exposure. The typical human body contains roughly \\(0.1\\micro Ci\\) of naturally occurring potassium-40. "^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 37000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Curie"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA062" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Curie?oldid=495080313"^^xsd:anyURI ; - qudt:symbol "μCi" ; - qudt:ucumCode "uCi"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M5" ; - rdfs:isDefinedBy ; - rdfs:label "MicroCurie"@en ; -. -unit:MicroFARAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \"microfarad\" (symbolized \\(\\mu F\\)) is a unit of capacitance, equivalent to 0.000001 (10 to the -6th power) farad. The microfarad is a moderate unit of capacitance. In utility alternating-current (AC) and audio-frequency (AF) circuits, capacitors with values on the order of \\(1 \\mu F\\) or more are common. At radio frequencies (RF), a smaller unit, the picofarad (pF), is often used."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA063" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µF" ; - qudt:ucumCode "uF"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4O" ; - rdfs:isDefinedBy ; - rdfs:label "microfarad"@en ; -. -unit:MicroFARAD-PER-KiloM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA064" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the 1,000-fold of the SI base unit metre" ; - qudt:symbol "μF/km" ; - qudt:ucumCode "uF.km-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H28" ; - rdfs:isDefinedBy ; - rdfs:label "Microfarad Per Kilometer"@en-us ; - rdfs:label "Microfarad Per Kilometre"@en ; -. -unit:MicroFARAD-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA065" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit farad divided by the SI base unit metre" ; - qudt:symbol "μF/m" ; - qudt:ucumCode "uF.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B89" ; - rdfs:isDefinedBy ; - rdfs:label "Microfarad Per Meter"@en-us ; - rdfs:label "Microfarad Per Metre"@en ; -. -unit:MicroG - a qudt:Unit ; - dcterms:description "\"Microgravity\" is a unit for 'Linear Acceleration' expressed as \\(microG\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 9.80665e-06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:latexSymbol "\\(\\mu G\\)"^^qudt:LatexString ; - qudt:symbol "µG" ; - qudt:ucumCode "u[g]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microgravity"@en ; -. -unit:MicroG-PER-CentiM2 - a qudt:Unit ; - dcterms:description "A unit of mass per area, equivalent to 0.01 grammes per square metre"^^rdf:HTML ; - qudt:conversionMultiplier 0.01 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:plainTextDescription "A unit of mass per area, equivalent to 0.01 grammes per square metre" ; - qudt:symbol "µg/cm²" ; - rdfs:isDefinedBy ; - rdfs:label "Microgram per square centimetre"@en ; -. -unit:MicroGAL-PER-M - a qudt:Unit ; - dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a distance of one metre."@en ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µGal/m" ; - qudt:ucumCode "uGal.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MicroGals per metre"@en ; -. -unit:MicroGM - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA082" ; - qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μg" ; - qudt:ucumCode "ug"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MC" ; - rdfs:isDefinedBy ; - rdfs:label "Microgram"@en ; -. -unit:MicroGM-PER-DeciL - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:plainTextDescription "0.0000000001-fold of the SI base unit kilogram divided by the unit decilitre" ; - qudt:symbol "μg/dL" ; - qudt:ucumCode "ug.dL-1"^^qudt:UCUMcs ; - qudt:ucumCode "ug/dL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microgram Per Deciliter"@en-us ; - rdfs:label "Microgram Per Decilitre"@en ; -. -unit:MicroGM-PER-GM - a qudt:Unit ; - dcterms:description "One part per 10**6 (million) by mass of the measurand in the matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "µg/g" ; - qudt:ucumCode "ug.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micrograms per gram"@en ; -. -unit:MicroGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA083" ; - qudt:plainTextDescription "mass ratio as 0.000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "μg/kg" ; - qudt:ucumCode "ug.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "ug/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J33" ; - rdfs:isDefinedBy ; - rdfs:label "Microgram Per Kilogram"@en ; -. -unit:MicroGM-PER-L - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA084" ; - qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the unit litre" ; - qudt:symbol "μg/L" ; - qudt:ucumCode "ug.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "ug/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H29" ; - rdfs:isDefinedBy ; - rdfs:label "Microgram Per Liter"@en-us ; - rdfs:label "Microgram Per Litre"@en ; -. -unit:MicroGM-PER-L-HR - a qudt:Unit ; - dcterms:description "A rate of change of mass of a measurand equivalent to 10^-9 kilogram (the SI unit of mass) per litre volume of matrix over a period of 1 hour."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µg/(L⋅hr)" ; - qudt:ucumCode "ug.L-1.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micrograms per litre per hour"@en ; -. -unit:MicroGM-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-14 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "µg/(m²⋅day)" ; - qudt:ucumCode "ug.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micrograms per square metre per day"@en ; -. -unit:MicroGM-PER-M3 - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA085" ; - qudt:plainTextDescription "0.000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "μg/m³" ; - qudt:ucumCode "ug.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "ug/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GQ" ; - rdfs:isDefinedBy ; - rdfs:label "Microgram Per Cubic Meter"@en-us ; - rdfs:label "Microgram Per Cubic Metre"@en ; -. -unit:MicroGM-PER-M3-HR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-13 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µg/(m³⋅day)" ; - qudt:ucumCode "ug.m-3.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micrograms per cubic metre per hour"@en ; -. -unit:MicroGM-PER-MilliL - a qudt:Unit ; - dcterms:description "One 10**6 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassConcentration ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the unit microlitre" ; - qudt:symbol "µg/mL" ; - qudt:symbol "μg/mL" ; - qudt:ucumCode "ug.mL-1"^^qudt:UCUMcs ; - qudt:ucumCode "ug/mL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microgram Per MilliLitre"@en ; - rdfs:label "Microgram Per Milliliter"@en-us ; - rdfs:label "Micrograms per millilitre"@en ; -. -unit:MicroGRAY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "0.000001 fold of the SI unit of radiation dose. Radiation carries energy, and when it is absorbed by matter the matter receives this energy. The dose is the amount of energy deposited per unit of mass. One gray is defined to be the dose of one joule of energy absorbed per kilogram of matter, or 100 rad. The unit is named for the British physician L. Harold Gray (1905-1965), an authority on the use of radiation in the treatment of cancer."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Grey"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDose ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Grey?oldid=494774160"^^xsd:anyURI ; - qudt:omUnit ; - qudt:prefix prefix:Micro ; - qudt:siUnitsExpression "J/kg" ; - qudt:symbol "µGy" ; - qudt:ucumCode "uGy"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MicroGray"@en ; -. -unit:MicroH - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI derived unit for inductance is the henry. 1 henry is equal to 1000000 microhenry. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:iec61360Code "0112/2///62720#UAA066" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µH" ; - qudt:ucumCode "uH"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B90" ; - rdfs:isDefinedBy ; - rdfs:label "Microhenry"@en ; -. -unit:MicroH-PER-KiloOHM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA068" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the 1,000-fold of the SI derived unit ohm" ; - qudt:symbol "µH/kΩ" ; - qudt:ucumCode "uH.kOhm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G98" ; - rdfs:isDefinedBy ; - rdfs:label "Microhenry Per Kiloohm"@en ; -. -unit:MicroH-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; - qudt:hasQuantityKind quantitykind:Permeability ; - qudt:iec61360Code "0112/2///62720#UAA069" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI base unit metre" ; - qudt:symbol "μH/m" ; - qudt:ucumCode "uH.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B91" ; - rdfs:isDefinedBy ; - rdfs:label "Microhenry Per Meter"@en-us ; - rdfs:label "Microhenry Per Metre"@en ; -. -unit:MicroH-PER-OHM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA067" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; - qudt:symbol "µH/Ω" ; - qudt:ucumCode "uH.Ohm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G99" ; - rdfs:isDefinedBy ; - rdfs:label "Microhenry Per Ohm"@en ; -. -unit:MicroIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Microinch\" is an Imperial unit for 'Length' expressed as \\(in^{-6}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.54e-08 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:latexSymbol "\\(\\mu in\\)"^^qudt:LatexString ; - qudt:prefix prefix:Micro ; - qudt:symbol "µin" ; - qudt:ucumCode "u[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M7" ; - rdfs:isDefinedBy ; - rdfs:label "Microinch"@en ; -. -unit:MicroJ - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit joule" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µJ" ; - rdfs:isDefinedBy ; - rdfs:label "Micro Joule"@en ; - rdfs:label "Micro Joule"@en-us ; - rdfs:label "Mikrojoule "@de ; -. -unit:MicroKAT-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000001 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; - qudt:symbol "ukat/L" ; - qudt:ucumCode "ukat/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Microkatal Per Liter"@en-us ; - rdfs:label "Microkatal Per Litre"@en ; -. -unit:MicroL - a qudt:Unit ; - dcterms:description "0.000001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA088" ; - qudt:plainTextDescription "0.000001-fold of the unit litre" ; - qudt:symbol "μL" ; - qudt:ucumCode "uL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4G" ; - rdfs:isDefinedBy ; - rdfs:label "Microlitre"@en ; - rdfs:label "Microlitre"@en-us ; -. -unit:MicroL-PER-L - a qudt:Unit ; - dcterms:description "volume ratio as 0.000001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA089" ; - qudt:plainTextDescription "volume ratio as 0.000001-fold of the unit litre divided by the unit litre" ; - qudt:symbol "μL/L" ; - qudt:ucumCode "uL.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "uL/L"^^qudt:UCUMcs ; - qudt:udunitsCode "ppmv" ; - qudt:uneceCommonCode "J36" ; - rdfs:isDefinedBy ; - rdfs:label "Microlitre Per Liter"@en-us ; - rdfs:label "Microlitre Per Litre"@en ; -. -unit:MicroM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Micrometer\" is a unit for 'Length' expressed as \\(microm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Micrometer"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA090" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Micrometer?oldid=491270437"^^xsd:anyURI ; - qudt:prefix prefix:Micro ; - qudt:symbol "µm" ; - qudt:ucumCode "um"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4H" ; - rdfs:isDefinedBy ; - rdfs:label "Micrometer"@en-us ; - rdfs:label "Micrometre"@en ; -. -unit:MicroM-PER-K - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA091" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit metre divided by the SI base unit kelvin" ; - qudt:symbol "μm/K" ; - qudt:ucumCode "um.K-1"^^qudt:UCUMcs ; - qudt:ucumCode "um/K"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F50" ; - rdfs:isDefinedBy ; - rdfs:label "Micrometer Per Kelvin"@en-us ; - rdfs:label "Micrometre Per Kelvin"@en ; -. -unit:MicroM-PER-L-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-08 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µm/(L⋅day)" ; - qudt:ucumCode "um.L-1.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per litre per day"@en ; -. -unit:MicroM-PER-MilliL - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µm/mL" ; - qudt:ucumCode "um2.mL-1"^^qudt:UCUMcs ; - qudt:ucumCode "um2/mL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square microns per millilitre"@en ; -. -unit:MicroM-PER-N - a qudt:Unit ; - dcterms:description "Micro metres measured per Newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:LinearCompressibility ; - qudt:plainTextDescription "Micro metres measured per Newton" ; - qudt:symbol "µJ/N" ; - rdfs:isDefinedBy ; - rdfs:label "Micro meter per Newton"@en-us ; - rdfs:label "Micro metre per Newton"@en ; - rdfs:label "Mikrometer pro Newton"@de ; -. -unit:MicroM2 - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA092" ; - qudt:plainTextDescription "0.000000000001-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μm²" ; - qudt:ucumCode "um2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H30" ; - rdfs:isDefinedBy ; - rdfs:label "Square Micrometer"@en-us ; - rdfs:label "Square Micrometre"@en ; -. -unit:MicroM3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:prefix prefix:Micro ; - qudt:symbol "µm³" ; - qudt:ucumCode "um3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic micrometres (microns)"@en ; -. -unit:MicroM3-PER-M3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:symbol "µm³/m³" ; - qudt:ucumCode "um3.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic microns per cubic metre"@en ; -. -unit:MicroM3-PER-MilliL - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:qkdvDenominator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L3I0M0H0T0D0 ; - qudt:symbol "µm³/mL" ; - qudt:ucumCode "um3.mL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic microns per millilitre"@en ; -. -unit:MicroMHO - a qudt:Unit ; - dcterms:description "0.000001-fold of the obsolete unit mho of the electric conductance"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:iec61360Code "0112/2///62720#UAB201" ; - qudt:plainTextDescription "0.000001-fold of the obsolete unit mho of the electric conductance" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μmho" ; - qudt:ucumCode "umho"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NR" ; - rdfs:isDefinedBy ; - rdfs:label "Micromho"@en ; -. -unit:MicroMOL - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAA093" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit mol" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μmol" ; - qudt:ucumCode "umol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FH" ; - rdfs:isDefinedBy ; - rdfs:label "Micromole"@en ; -. -unit:MicroMOL-PER-GM - a qudt:Unit ; - dcterms:description "Micromole Per Gram (\\(umol/g\\)) is a unit of Molality"^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:hasQuantityKind quantitykind:MolalityOfSolute ; - qudt:plainTextDescription "0.000001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "µmol/g" ; - qudt:ucumCode "umol.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per gram"@en ; -. -unit:MicroMOL-PER-GM-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-07 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/(g⋅h)" ; - qudt:ucumCode "umol.g-1.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/g/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per gram per hour"@en ; -. -unit:MicroMOL-PER-GM-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "μmol/(g⋅s)" ; - qudt:ucumCode "umol.g-1.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/g/s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per gram per second"@en ; -. -unit:MicroMOL-PER-KiloGM - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:symbol "µmol/kg" ; - qudt:ucumCode "umol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/kg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per kilogram"@en ; -. -unit:MicroMOL-PER-L - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "µmol/L" ; - qudt:ucumCode "umol.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per litre"@en ; -. -unit:MicroMOL-PER-L-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-07 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/(L⋅hr)" ; - qudt:ucumCode "umol.L-1.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/L/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per litre per hour"@en ; -. -unit:MicroMOL-PER-M2 - a qudt:Unit ; - dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/m²" ; - qudt:ucumCode "umol.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "umol/m2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per square metre"@en ; -. -unit:MicroMOL-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-11 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/(m²⋅day)" ; - qudt:ucumCode "umol.m-2.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/m2/d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per square metre per day"@en ; -. -unit:MicroMOL-PER-M2-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-10 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/(m²⋅hr)" ; - qudt:ucumCode "umol.m-2.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/m2/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per square metre per hour"@en ; -. -unit:MicroMOL-PER-M2-SEC - a qudt:Unit ; - dcterms:description "One part per 10**6 (million) of the SI unit of quantity of matter (the mole) per SI unit area per SI unit of time. This term is based on the number of photons in a certain waveband incident per unit time (s) on a unit area (m2) divided by the Avogadro constant (6.022 x 1023 mol-1). It is used commonly to describe PAR in the 400-700 nm waveband. Definition Source: Thimijan, Richard W., and Royal D. Heins. 1982. Photometric, Radiometric, and Quantum Light Units of Measure: A Review of Procedures for Interconversion. HortScience 18:818-822."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFluxDensity ; - qudt:symbol "µmol/(m²⋅s)" ; - qudt:ucumCode "umol.m-2.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/m2/s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per square metre per second"@en ; -. -unit:MicroMOL-PER-MOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:symbol "µmol/mol" ; - qudt:ucumCode "umol.mol-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/mol"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per mole"@en ; -. -unit:MicroMOL-PER-MicroMOL-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µmol/(µmol⋅day)" ; - qudt:ucumCode "umol.umol-1.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/umol/d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromole per micromole of biomass per day"@en ; -. -unit:MicroMOL-PER-SEC - a qudt:Unit ; - dcterms:description " This unit is used commonly to describe Photosynthetic Photon Flux (PPF) - the total number of photons emitted by a light source each second within the PAR wavelength range. "@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:PhotosyntheticPhotonFlux ; - qudt:symbol "µmol/s" ; - qudt:ucumCode "umol.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "umol/s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Micromoles per second"@en ; -. -unit:MicroN - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA070" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit newton" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μN" ; - qudt:ucumCode "uN"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B92" ; - rdfs:isDefinedBy ; - rdfs:label "Micronewton"@en ; -. -unit:MicroN-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the product out of the derived SI newton and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA071" ; - qudt:plainTextDescription "0.000001-fold of the product out of the derived SI newton and the SI base unit metre" ; - qudt:symbol "μN⋅m" ; - qudt:ucumCode "uN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B93" ; - rdfs:isDefinedBy ; - rdfs:label "Micronewton Meter"@en-us ; - rdfs:label "Micronewton Metre"@en ; -. -unit:MicroOHM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA055" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit ohm" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μΩ" ; - qudt:ucumCode "uOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B94" ; - rdfs:isDefinedBy ; - rdfs:label "Microohm"@en ; -. -unit:MicroPA - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit pascal"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA073" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit pascal" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μPa" ; - qudt:ucumCode "uPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B96" ; - rdfs:isDefinedBy ; - rdfs:label "Micropascal"@en ; -. -unit:MicroPOISE - a qudt:Unit ; - dcterms:description "0.000001-fold of the CGS unit of the dynamic viscosity poise"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA072" ; - qudt:plainTextDescription "0.000001-fold of the CGS unit of the dynamic viscosity poise" ; - qudt:symbol "μP" ; - qudt:ucumCode "uP"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J32" ; - rdfs:isDefinedBy ; - rdfs:label "Micropoise"@en ; -. -unit:MicroRAD - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA094" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µrad" ; - qudt:ucumCode "urad"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B97" ; - rdfs:isDefinedBy ; - rdfs:label "microradian"@en ; -. -unit:MicroS - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit siemens"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:iec61360Code "0112/2///62720#UAA074" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit siemens" ; - qudt:prefix prefix:Micro ; - qudt:symbol "μS" ; - qudt:ucumCode "uS"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B99" ; - rdfs:isDefinedBy ; - rdfs:label "Microsiemens"@en ; -. -unit:MicroS-PER-CentiM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0001 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA075" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "μS/cm" ; - qudt:ucumCode "uS.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G42" ; - rdfs:isDefinedBy ; - rdfs:label "Microsiemens Per Centimeter"@en-us ; - rdfs:label "Microsiemens Per Centimetre"@en ; -. -unit:MicroS-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA076" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; - qudt:symbol "μS/m" ; - qudt:ucumCode "uS.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G43" ; - rdfs:isDefinedBy ; - rdfs:label "Microsiemens Per Meter"@en-us ; - rdfs:label "Microsiemens Per Metre"@en ; -. -unit:MicroSEC - a qudt:Unit ; - dcterms:description "\"Microsecond\" is a unit for 'Time' expressed as \\(microsec\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA095" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µs" ; - qudt:ucumCode "us"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B98" ; - rdfs:isDefinedBy ; - rdfs:label "microsecond"@en ; -. -unit:MicroSV - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used. 0.000001-fold of the SI derived unit sievert."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; - qudt:omUnit ; - qudt:prefix prefix:Micro ; - qudt:siUnitsExpression "J/kg" ; - qudt:symbol "µSv" ; - qudt:ucumCode "uSv"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MicroSievert"@en ; -. -unit:MicroSV-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "0.000001-fold of the derived SI unit sievert divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77778e-10 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:iec61360Code "0112/2///62720#UAB466" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "J/kg" ; - qudt:symbol "µSv/hr" ; - qudt:ucumCode "uSv.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P72" ; - rdfs:isDefinedBy ; - rdfs:label "MicroSievert per hour"@en ; -. -unit:MicroT - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit tesla"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAA077" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit tesla" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µT" ; - qudt:ucumCode "uT"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D81" ; - rdfs:isDefinedBy ; - rdfs:label "Microtesla"@en ; -. -unit:MicroTORR - a qudt:Unit ; - dcterms:description "\"MicroTorr\" is a unit for 'Force Per Area' expressed as \\(microtorr\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.000133322 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "µTorr" ; - rdfs:isDefinedBy ; - rdfs:label "MicroTorr"@en ; -. -unit:MicroV - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit volt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:iec61360Code "0112/2///62720#UAA078" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit volt" ; - qudt:prefix prefix:Micro ; - qudt:symbol "µV" ; - qudt:ucumCode "uV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D82" ; - rdfs:isDefinedBy ; - rdfs:label "Microvolt"@en ; -. -unit:MicroV-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA079" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; - qudt:symbol "µV/m" ; - qudt:ucumCode "uV.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C3" ; - rdfs:isDefinedBy ; - rdfs:label "Microvolt Per Meter"@en-us ; - rdfs:label "Microvolt Per Metre"@en ; -. -unit:MicroW - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA080" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit watt" ; - qudt:prefix prefix:Micro ; - qudt:symbol "mW" ; - qudt:ucumCode "uW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D80" ; - rdfs:isDefinedBy ; - rdfs:label "Microwatt"@en ; -. -unit:MicroW-PER-M2 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAA081" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "µW/m²" ; - qudt:ucumCode "uW.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D85" ; - rdfs:isDefinedBy ; - rdfs:label "Microwatt Per Square Meter"@en-us ; - rdfs:label "Microwatt Per Square Metre"@en ; -. -unit:MilLength - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Mil Length\" is a C.G.S System unit for 'Length' expressed as \\(mil\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 2.54e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:symbol "mil" ; - qudt:ucumCode "[mil_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Mil Length"@en ; -. -unit:MilliA - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA775" ; - qudt:prefix prefix:Micro ; - qudt:symbol "mA" ; - qudt:ucumCode "mA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4K" ; - rdfs:isDefinedBy ; - rdfs:label "MilliAmpere"@en ; -. -unit:MilliA-HR - a qudt:Unit ; - dcterms:description "product of the 0.001-fold of the SI base unit ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.6 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA777" ; - qudt:plainTextDescription "product of the 0.001-fold of the SI base unit ampere and the unit hour" ; - qudt:symbol "µA⋅hr" ; - qudt:ucumCode "mA.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E09" ; - rdfs:isDefinedBy ; - rdfs:label "Milliampere Hour"@en ; -. -unit:MilliA-HR-PER-GM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Milliampere hour per gram}\\) is a practical unit of electric charge relative to the mass of the (active) parts. 1mAh/g describes the capability of a material to store charge equivalent to 1h charge with 1mA per gram. The unit is often used in electrochemistry to describe the properties of active components like electrodes."^^qudt:LatexString ; - qudt:conversionMultiplier 3600.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:SpecificElectricCharge ; - qudt:symbol "mA⋅h/g" ; - rdfs:isDefinedBy ; - rdfs:label "Milliampere Hour per Gram"@en ; -. -unit:MilliA-PER-IN - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; - qudt:conversionMultiplier 0.03937008 ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAA778" ; - qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the unit inch according to the Anglo-American and the Imperial system of units" ; - qudt:symbol "µA/in" ; - qudt:ucumCode "mA.[in_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F08" ; - rdfs:isDefinedBy ; - rdfs:label "Milliampere Per Inch"@en ; -. -unit:MilliA-PER-MilliM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LinearElectricCurrentDensity ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAA781" ; - qudt:plainTextDescription "0.001-fold of the SI base unit ampere divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "mA/mm" ; - qudt:ucumCode "mA.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F76" ; - rdfs:isDefinedBy ; - rdfs:label "Milliampere Per Millimeter"@en-us ; - rdfs:label "Milliampere Per Millimetre"@en ; -. -unit:MilliARCSEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A minute of arc, arcminute, or minute arc (MOA), is a unit of angular measurement equal to one sixtieth (1/60) of one degree (circle/21,600), or \\(\\pi /10,800 radians\\). In turn, a second of arc or arcsecond is one sixtieth (1/60) of one minute of arc. Since one degree is defined as one three hundred and sixtieth (1/360) of a rotation, one minute of arc is 1/21,600 of a rotation. the milliarcsecond, abbreviated mas, is used in astronomy."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.84813681e-09 ; - qudt:exactMatch unit:RAD ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Minute_of_arc"^^xsd:anyURI ; - qudt:symbol "mas" ; - qudt:ucumCode "m''"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milli ArcSecond"@en ; -. -unit:MilliBAR - a qudt:Unit ; - dcterms:description "The bar is a non-SI unit of pressure, defined by the IUPAC as exactly equal to 100,000 Pa. It is about equal to the atmospheric pressure on Earth at sea level, and since 1982 the IUPAC has recommended that the standard for atmospheric pressure should be harmonized to \\(100,000 Pa = 1 bar \\approx 750.0616827 Torr\\). Units derived from the bar are the megabar (symbol: Mbar), kilobar (symbol: kbar), decibar (symbol: dbar), centibar (symbol: cbar), and millibar (symbol: mbar or mb). They are not SI or cgs units, but they are accepted for use with the SI."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 100.0 ; - qudt:exactMatch unit:HectoPA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA810" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bar_(unit)"^^xsd:anyURI ; - qudt:prefix prefix:Milli ; - qudt:symbol "mbar" ; - qudt:ucumCode "mbar"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MBR" ; - rdfs:isDefinedBy ; - rdfs:label "Millibar"@en ; -. -unit:MilliBAR-L-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA813" ; - qudt:plainTextDescription "product out of the 0.001-fold of the unit bar and the unit litre divided by the SI base unit second" ; - qudt:symbol "mbar⋅L/s" ; - qudt:ucumCode "mbar.L.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F95" ; - rdfs:isDefinedBy ; - rdfs:label "Millibar Liter Per Second"@en-us ; - rdfs:label "Millibar Litre Per Second"@en ; -. -unit:MilliBAR-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA327" ; - qudt:plainTextDescription "product of the unit bar and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "mbar⋅m³/s" ; - qudt:ucumCode "mbar.m3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F96" ; - rdfs:isDefinedBy ; - rdfs:label "Millibar Cubic Meter Per Second"@en-us ; - rdfs:label "Millibar Cubic Metre Per Second"@en ; -. -unit:MilliBAR-PER-BAR - a qudt:Unit ; - dcterms:description "0.01-fold of the unit bar divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA812" ; - qudt:plainTextDescription "0.01-fold of the unit bar divided by the unit bar" ; - qudt:symbol "mbar/bar" ; - qudt:ucumCode "mbar.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F04" ; - rdfs:isDefinedBy ; - rdfs:label "Millibar Per Bar"@en ; -. -unit:MilliBAR-PER-K - a qudt:Unit ; - dcterms:description "0.001-fold of the unit bar divided by the unit temperature kelvin"^^rdf:HTML ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:VolumetricHeatCapacity ; - qudt:iec61360Code "0112/2///62720#UAA811" ; - qudt:plainTextDescription "0.001-fold of the unit bar divided by the unit temperature kelvin" ; - qudt:symbol "mbar/K" ; - qudt:ucumCode "mbar.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F84" ; - rdfs:isDefinedBy ; - rdfs:label "Millibar Per Kelvin"@en ; -. -unit:MilliBQ - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:symbol "mBq" ; - rdfs:isDefinedBy ; - rdfs:label "MilliBecquerel"@en ; -. -unit:MilliBQ-PER-GM - a qudt:Unit ; - dcterms:description "One radioactive disintegration per thousand seconds per 1000th SI unit of sample mass."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SpecificActivity ; - qudt:symbol "mBq/g" ; - qudt:ucumCode "mBq.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millibecquerels per gram"@en ; -. -unit:MilliBQ-PER-KiloGM - a qudt:Unit ; - dcterms:description "One radioactive disintegration per thousand seconds from an SI standard unit of mass of sample."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SpecificActivity ; - qudt:symbol "mBq/kg" ; - qudt:ucumCode "mBq.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millibecquerels per kilogram"@en ; -. -unit:MilliBQ-PER-L - a qudt:Unit ; - dcterms:description "One radioactive disintegration per second from the SI unit of volume (cubic metre). Equivalent to Becquerels per cubic metre."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ActivityConcentration ; - qudt:symbol "mBq/L" ; - qudt:ucumCode "mBq.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millibecquerels per litre"@en ; -. -unit:MilliBQ-PER-M2-DAY - a qudt:Unit ; - dcterms:description "One radioactive disintegration per thousand seconds in material passing through an area of one square metre during a period of one day (86400 seconds)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-08 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mBq/(m²⋅day)" ; - qudt:ucumCode "mBq.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millibecquerels per square metre per day"@en ; -. -unit:MilliC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A MilliCoulomb is \\(10^{-3} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA782" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mC" ; - qudt:ucumCode "mC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D86" ; - rdfs:isDefinedBy ; - rdfs:label "MilliCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:MilliC-PER-KiloGM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:iec61360Code "0112/2///62720#UAA783" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the SI base unit kilogram" ; - qudt:symbol "mC/kg" ; - qudt:ucumCode "mC.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C8" ; - rdfs:isDefinedBy ; - rdfs:label "Millicoulomb Per Kilogram"@en ; -. -unit:MilliC-PER-M2 - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerArea ; - qudt:iec61360Code "0112/2///62720#UAA784" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mC/m²" ; - qudt:ucumCode "mC.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D89" ; - rdfs:isDefinedBy ; - rdfs:label "Millicoulomb Per Square Meter"@en-us ; - rdfs:label "Millicoulomb Per Square Metre"@en ; -. -unit:MilliC-PER-M3 - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E1L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargeVolumeDensity ; - qudt:iec61360Code "0112/2///62720#UAA785" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit coulomb divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "mC/m³" ; - qudt:ucumCode "mC.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D88" ; - rdfs:isDefinedBy ; - rdfs:label "Millicoulomb Per Cubic Meter"@en-us ; - rdfs:label "Millicoulomb Per Cubic Metre"@en ; -. -unit:MilliCi - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit curie"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.70e07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:iec61360Code "0112/2///62720#UAA786" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit curie" ; - qudt:symbol "mCi" ; - qudt:ucumCode "mCi"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MCU" ; - rdfs:isDefinedBy ; - rdfs:label "Millicurie"@en ; -. -unit:MilliDARCY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length2.

"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier .0000000000000009869233 ; - qudt:expression "\\(d\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Darcy_(unit)"^^xsd:anyURI ; - qudt:plainTextDescription "The millidarcy (md) is a unit of permeability named after Henry Darcy. It is not an SI unit, but it is widely used in petroleum engineering and geology. The unit has also been used in biophysics and biomechanics, where the flow of fluids such as blood through capillary beds and cerebrospinal fluid through the brain interstitial space is being examined. A millidarcy has dimensional units of length²." ; - qudt:symbol "md" ; - rdfs:isDefinedBy ; - rdfs:label "Millidarcy"@en ; -. -unit:MilliDEG_C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(Millidegree Celsius is a scaled unit of measurement for temperature.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:conversionOffset 273.15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Celsius"^^xsd:anyURI ; - qudt:guidance "

See NIST section SP811 section 4.2.1.1

"^^rdf:HTML ; - qudt:guidance "

See NIST section SP811 section 6.2.8

"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Celsius?oldid=494152178"^^xsd:anyURI ; - qudt:latexDefinition "millieDegree Celsius"^^qudt:LatexString ; - qudt:symbol "m°C" ; - qudt:ucumCode "mCel"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millidegree Celsius"@en ; -. -unit:MilliFARAD - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit farad"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA787" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit farad" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mF" ; - qudt:ucumCode "mF"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C10" ; - rdfs:isDefinedBy ; - rdfs:label "Millifarad"@en ; -. -unit:MilliG - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Milligravity\" is a unit for 'Linear Acceleration' expressed as \\(mG\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.00980665 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:symbol "mG" ; - qudt:ucumCode "m[g]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligravity"@en ; -. -unit:MilliGAL - a qudt:Unit ; - dcterms:description "0.001-fold of the unit of acceleration called gal according to the CGS system of units"^^rdf:HTML ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Acceleration ; - qudt:hasQuantityKind quantitykind:LinearAcceleration ; - qudt:iec61360Code "0112/2///62720#UAB043" ; - qudt:plainTextDescription "0.001-fold of the unit of acceleration called gal according to the CGS system of units" ; - qudt:symbol "mgal" ; - qudt:ucumCode "mGal"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C11" ; - rdfs:isDefinedBy ; - rdfs:label "Milligal"@en ; -. -unit:MilliGAL-PER-MO - a qudt:Unit ; - dcterms:description "A rate of change of one millionth part of a unit of gravitational acceleration equal to one centimetre per second per second over a time duration of 30.4375 days or 2629800 seconds."@en ; - qudt:conversionMultiplier 3.80257053768347e-10 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mgal/mo" ; - qudt:ucumCode "mGal.mo-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MilliGals per month"@en ; -. -unit:MilliGM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA815" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mg" ; - qudt:ucumCode "mg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MGM" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram"@en ; -. -unit:MilliGM-PER-CentiM2 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAA818" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mg/cm²" ; - qudt:ucumCode "mg.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H63" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Square Centimeter"@en-us ; - rdfs:label "Milligram Per Square Centimetre"@en ; -. -unit:MilliGM-PER-DAY - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-11 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA819" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit day" ; - qudt:symbol "mg/day" ; - qudt:ucumCode "mg.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F32" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Day"@en ; -. -unit:MilliGM-PER-DeciL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A derived unit for amount-of-substance concentration measured in mg/dL."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:expression "\\(mg/dL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:BloodGlucoseLevel_Mass ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "mg/dL" ; - qudt:ucumCode "mg.dL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "milligrams per decilitre"@en ; - rdfs:label "milligrams per decilitre"@en-us ; -. -unit:MilliGM-PER-GM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA822" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "mg/gm" ; - qudt:ucumCode "mg.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "mg/g"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H64" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Gram"@en ; -. -unit:MilliGM-PER-HA - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-10 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAA818" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the 10,0000-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mg/ha" ; - qudt:ucumCode "mg.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Hectare"@en ; -. -unit:MilliGM-PER-HR - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA823" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit hour" ; - qudt:symbol "mg/hr" ; - qudt:ucumCode "mg.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4M" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Hour"@en ; -. -unit:MilliGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA826" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "mg/kg" ; - qudt:ucumCode "mg.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mg/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NA" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Kilogram"@en ; -. -unit:MilliGM-PER-L - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA827" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit litre" ; - qudt:symbol "mg/L" ; - qudt:ucumCode "mg.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "mg/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M1" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Liter"@en-us ; - rdfs:label "Milligram Per Litre"@en ; -. -unit:MilliGM-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAA828" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit metre" ; - qudt:symbol "mg/m" ; - qudt:ucumCode "mg.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C12" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Meter"@en-us ; - rdfs:label "Milligram Per Metre"@en ; -. -unit:MilliGM-PER-M2 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:iec61360Code "0112/2///62720#UAA829" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mg/m²" ; - qudt:ucumCode "mg.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "mg/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GO" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Square Meter"@en-us ; - rdfs:label "Milligram Per Square Metre"@en ; -. -unit:MilliGM-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-11 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "mg/(m²⋅day)" ; - qudt:ucumCode "mg.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per square metre per day"@en ; -. -unit:MilliGM-PER-M2-HR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "mg/(m²⋅hr)" ; - qudt:ucumCode "mg.m-2.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per square metre per hour"@en ; -. -unit:MilliGM-PER-M2-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:symbol "mg/(m²⋅s)" ; - qudt:ucumCode "mg.m-2.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per square metre per second"@en ; -. -unit:MilliGM-PER-M3 - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA830" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "mg/m³" ; - qudt:ucumCode "mg.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "mg/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "GP" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Cubic Meter"@en-us ; - rdfs:label "Milligram Per Cubic Metre"@en ; -. -unit:MilliGM-PER-M3-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-11 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mg/(m³⋅day)" ; - qudt:ucumCode "mg.m-3.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per cubic metre per day"@en ; -. -unit:MilliGM-PER-M3-HR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mg/(m³⋅hr)" ; - qudt:ucumCode "mg.m-3.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per cubic metre per hour"@en ; -. -unit:MilliGM-PER-M3-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mg/(m³⋅s)" ; - qudt:ucumCode "mg.m-3.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligrams per cubic metre per second"@en ; -. -unit:MilliGM-PER-MIN - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA833" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit minute" ; - qudt:symbol "mg/min" ; - qudt:ucumCode "mg/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F33" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Minute"@en ; -. -unit:MilliGM-PER-MilliL - a qudt:Unit ; - dcterms:description "A scaled unit of mass concentration."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassConcentration ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the unit millilitre" ; - qudt:symbol "mg/mL" ; - qudt:ucumCode "mg.mL-1"^^qudt:UCUMcs ; - qudt:ucumCode "mg/mL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Milliliter"@en-us ; - rdfs:label "Milligram Per Millilitre"@en ; -. -unit:MilliGM-PER-SEC - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI base unit kilogram divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA836" ; - qudt:plainTextDescription "0.000001-fold of the SI base unit kilogram divided by the SI base unit second" ; - qudt:symbol "mg/s" ; - qudt:ucumCode "mg/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F34" ; - rdfs:isDefinedBy ; - rdfs:label "Milligram Per Second"@en ; -. -unit:MilliGRAY - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit gray"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDose ; - qudt:iec61360Code "0112/2///62720#UAA788" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit gray" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mGy" ; - qudt:ucumCode "mGy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C13" ; - rdfs:isDefinedBy ; - rdfs:label "Milligray"@en ; -. -unit:MilliH - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of inductance equal to one thousandth of a henry. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:iec61360Code "0112/2///62720#UAA789" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mH" ; - qudt:ucumCode "mH"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C14" ; - rdfs:isDefinedBy ; - rdfs:label "Millihenry"@en ; -. -unit:MilliH-PER-KiloOHM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA791" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the 1 000-fold of the SI derived unit ohm" ; - qudt:symbol "mH/kΩ" ; - qudt:ucumCode "mH.kOhm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H05" ; - rdfs:isDefinedBy ; - rdfs:label "Millihenry Per Kiloohm"@en ; -. -unit:MilliH-PER-OHM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA790" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit henry divided by the SI derived unit ohm" ; - qudt:symbol "mH/Ω" ; - qudt:ucumCode "mH.Ohm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H06" ; - rdfs:isDefinedBy ; - rdfs:label "Millihenry Per Ohm"@en ; -. -unit:MilliIN - a qudt:Unit ; - dcterms:description "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.54e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA841" ; - qudt:plainTextDescription "0.001-fold of the unit inch according to the Anglo-American and Imperial system of units" ; - qudt:symbol "mil" ; - qudt:ucumCode "m[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "77" ; - rdfs:isDefinedBy ; - rdfs:label "Milli-inch"@en ; - skos:altLabel "mil"@en-us ; - skos:altLabel "thou"@en-gb ; -. -unit:MilliJ - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA792" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit joule" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mJ" ; - qudt:ucumCode "mJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C15" ; - rdfs:isDefinedBy ; - rdfs:label "Millijoule"@en ; -. -unit:MilliJ-PER-GM - a qudt:Unit ; - dcterms:description "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAA174" ; - qudt:plainTextDescription "The 0.001-fold of the SI base unit joule divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "mJ/g" ; - qudt:ucumCode "mJ.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millijoule Per Gram"@en ; -. -unit:MilliKAT-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000001 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:plainTextDescription "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. " ; - qudt:symbol "mkat/L" ; - qudt:ucumCode "mkat/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millikatal Per Liter"@en-us ; - rdfs:label "Millikatal Per Litre"@en ; -. -unit:MilliL - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA844" ; - qudt:plainTextDescription "0.001-fold of the unit litre" ; - qudt:symbol "mL" ; - qudt:ucumCode "mL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MLT" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre"@en ; - rdfs:label "Millilitre"@en-us ; -. -unit:MilliL-PER-CentiM2-MIN - a qudt:Unit ; - dcterms:description "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.00016666667 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumetricFlux ; - qudt:iec61360Code "0112/2///62720#UAA858" ; - qudt:plainTextDescription "quotient of the 0.001-fold of the unit litre and the unit minute divided by the 0.0001-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mL/(cm²⋅min)" ; - qudt:ucumCode "mL.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "35" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Square Centimeter Minute"@en-us ; - rdfs:label "Millilitre Per Square Centimetre Minute"@en ; -. -unit:MilliL-PER-CentiM2-SEC - a qudt:Unit ; - dcterms:description "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumetricFlux ; - qudt:iec61360Code "0112/2///62720#UAB085" ; - qudt:plainTextDescription "unit of the volume flow rate millilitre divided by second related to the transfer area as 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "mL/(cm²⋅s)" ; - qudt:ucumCode "mL.cm-2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "35" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Square Centimeter Second"@en-us ; - rdfs:label "Millilitre Per Square Centimetre Second"@en ; -. -unit:MilliL-PER-DAY - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.157407e-11 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA847" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit day" ; - qudt:symbol "mL/day" ; - qudt:ucumCode "mL.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G54" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Day"@en ; - rdfs:label "Millilitre Per Day"@en-us ; -. -unit:MilliL-PER-GM - a qudt:Unit ; - dcterms:description "Milliliter Per Gram (mm3/g) is a unit in the category of Specific Volume. It is also known as milliliters per gram, millilitre per gram, millilitres per gram, milliliter/gram, millilitre/gram."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(mL/g\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:symbol "mL/g" ; - qudt:ucumCode "mL.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "mL/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milliliter per Gram"@en-us ; - rdfs:label "Millilitre per Gram"@en ; -. -unit:MilliL-PER-HR - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-10 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA850" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit hour" ; - qudt:symbol "mL/hr" ; - qudt:ucumCode "mL.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G55" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Hour"@en ; - rdfs:label "Millilitre Per Hour"@en-us ; -. -unit:MilliL-PER-K - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA845" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit kelvin" ; - qudt:symbol "mL/K" ; - qudt:ucumCode "mL.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G30" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Kelvin"@en ; - rdfs:label "Millilitre Per Kelvin"@en-us ; -. -unit:MilliL-PER-KiloGM - a qudt:Unit ; - dcterms:description "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:iec61360Code "0112/2///62720#UAB095" ; - qudt:plainTextDescription "0.001-fold of the unit of the volume litre divided by the SI base unit kilogram" ; - qudt:symbol "mL/kg" ; - qudt:ucumCode "mL.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mL/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "KX" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Kilogram"@en ; - rdfs:label "Millilitre Per Kilogram"@en-us ; -. -unit:MilliL-PER-L - a qudt:Unit ; - dcterms:description "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA853" ; - qudt:plainTextDescription "volume ratio consisting of the 0.001-fold of the unit litre divided by the unit litre" ; - qudt:symbol "mL/L" ; - qudt:ucumCode "mL.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "mL/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L19" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Liter"@en-us ; - rdfs:label "Millilitre Per Litre"@en ; -. -unit:MilliL-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-11 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mL/(m²⋅day)" ; - qudt:ucumCode "mL.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millilitres per square metre per day"@en ; -. -unit:MilliL-PER-M3 - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA854" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "mL/m³" ; - qudt:ucumCode "mL.m-3"^^qudt:UCUMcs ; - qudt:ucumCode "mL/m3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H65" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Cubic Meter"@en-us ; - rdfs:label "Millilitre Per Cubic Metre"@en ; -. -unit:MilliL-PER-MIN - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA855" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the unit minute" ; - qudt:symbol "mL/min" ; - qudt:ucumCode "mL.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "mL/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "41" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Minute"@en ; - rdfs:label "Millilitre Per Minute"@en-us ; -. -unit:MilliL-PER-SEC - a qudt:Unit ; - dcterms:description "0.001-fold of the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA859" ; - qudt:plainTextDescription "0.001-fold of the unit litre divided by the SI base unit second" ; - qudt:symbol "mL/s" ; - qudt:ucumCode "mL.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "40" ; - rdfs:isDefinedBy ; - rdfs:label "Millilitre Per Second"@en ; - rdfs:label "Millilitre Per Second"@en-us ; -. -unit:MilliM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The millimetre (International spelling as used by the International Bureau of Weights and Measures) or millimeter (American spelling) (SI unit symbol mm) is a unit of length in the metric system, equal to one thousandth of a metre, which is the SI base unit of length. It is equal to 1000 micrometres or 1000000 nanometres. A millimetre is equal to exactly 5/127 (approximately 0.039370) of an inch."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Millimetre"^^xsd:anyURI ; - qudt:expression "\\(mm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA862" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Millimetre?oldid=493032457"^^xsd:anyURI ; - qudt:prefix prefix:Milli ; - qudt:symbol "mm" ; - qudt:ucumCode "mm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MMT" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter"@en-us ; - rdfs:label "Millimetre"@en ; - skos:altLabel "mil"@en-gb ; -. -unit:MilliM-PER-DAY - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15741e-08 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:informativeReference "https://www.wmo.int/pages/prog/www/IMOP/CIMO-Guide.html"^^xsd:anyURI ; - qudt:plainTextDescription "A measure of change in depth over time for a specific area, typically used to express precipitation intensity or evaporation (the amount of liquid water evaporated per unit of time from the area)" ; - qudt:symbol "mm/day" ; - qudt:ucumCode "mm.d-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm/d"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "millimeters per day"@en-us ; - rdfs:label "millimetres per day"@en ; -. -unit:MilliM-PER-HR - a qudt:Unit ; - dcterms:description "0001-fold of the SI base unit metre divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA866" ; - qudt:plainTextDescription "0001-fold of the SI base unit metre divided by the unit hour" ; - qudt:symbol "mm/hr" ; - qudt:ucumCode "mm.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H67" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter Per Hour"@en-us ; - rdfs:label "Millimetre Per Hour"@en ; -. -unit:MilliM-PER-K - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit kelvin"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAA864" ; - qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit kelvin" ; - qudt:symbol "mm/K" ; - qudt:ucumCode "mm.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F53" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter Per Kelvin"@en-us ; - rdfs:label "Millimetre Per Kelvin"@en ; -. -unit:MilliM-PER-MIN - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit metre divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAB378" ; - qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit minute" ; - qudt:symbol "mm/min" ; - qudt:ucumCode "mm.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H81" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter Per Minute"@en-us ; - rdfs:label "Millimetre Per Minute"@en ; -. -unit:MilliM-PER-SEC - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit metre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA867" ; - qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the SI base unit second" ; - qudt:symbol "mm/s" ; - qudt:ucumCode "mm.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C16" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter Per Second"@en-us ; - rdfs:label "Millimetre Per Second"@en ; -. -unit:MilliM-PER-YR - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit metre divided by the unit year"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.71e-12 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearVelocity ; - qudt:hasQuantityKind quantitykind:Velocity ; - qudt:iec61360Code "0112/2///62720#UAA868" ; - qudt:plainTextDescription "0.001-fold of the SI base unit metre divided by the unit year" ; - qudt:symbol "mm/yr" ; - qudt:ucumCode "mm.a-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm/a"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H66" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter Per Year"@en-us ; - rdfs:label "Millimetre Per Year"@en ; -. -unit:MilliM2 - a qudt:Unit ; - dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:iec61360Code "0112/2///62720#UAA871" ; - qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mm²" ; - qudt:ucumCode "mm2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MMK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Millimeter"@en-us ; - rdfs:label "Square Millimetre"@en ; -. -unit:MilliM2-PER-SEC - a qudt:Unit ; - dcterms:description "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AreaPerTime ; - qudt:iec61360Code "0112/2///62720#UAA872" ; - qudt:plainTextDescription "0.000001-fold of the power of the SI base unit metre with the exponent 2 divided by the SI base unit second" ; - qudt:symbol "mm²/s" ; - qudt:ucumCode "mm2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C17" ; - rdfs:isDefinedBy ; - rdfs:label "Square Millimeter Per Second"@en-us ; - rdfs:label "Square Millimetre Per Second"@en ; -. -unit:MilliM3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A metric measure of volume or capacity equal to a cube 1 millimeter on each edge"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(mm^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA873" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mm³" ; - qudt:ucumCode "mm3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "MMQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Millimeter"@en-us ; - rdfs:label "Cubic Millimetre"@en ; -. -unit:MilliM3-PER-GM - a qudt:Unit ; - dcterms:description "Cubic Millimeter Per Gram (mm3/g) is a unit in the category of Specific Volume. It is also known as cubic millimeters per gram, cubic millimetre per gram, cubic millimetres per gram, cubic millimeter/gram, cubic millimetre/gram."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000001 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(mm^{3}/g\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:symbol "mm³/g" ; - qudt:ucumCode "mm3.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm3/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Millimeter per Gram"@en-us ; - rdfs:label "Cubic Millimetre per Gram"@en ; -. -unit:MilliM3-PER-KiloGM - a qudt:Unit ; - dcterms:description "Cubic Millimeter Per Kilogram (mm3/kg) is a unit in the category of Specific Volume. It is also known as cubic millimeters per kilogram, cubic millimetre per kilogram, cubic millimetres per kilogram, cubic millimeter/kilogram, cubic millimetre/kilogram."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000001 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(mm^{3}/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SoilAdsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:SpecificVolume ; - qudt:symbol "mm³/kg" ; - qudt:ucumCode "mm3.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mm3/kg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Millimeter per Kilogram"@en-us ; - rdfs:label "Cubic Millimetre per Kilogram"@en ; -. -unit:MilliM3-PER-M3 - a qudt:Unit ; - dcterms:description "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:VolumeFraction ; - qudt:iec61360Code "0112/2///62720#UAA874" ; - qudt:plainTextDescription "volume ratio consisting of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3 divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "mm³/m³" ; - qudt:ucumCode "mm3.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L21" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Millimeter Per Cubic Meter"@en-us ; - rdfs:label "Cubic Millimetre Per Cubic Metre"@en ; -. -unit:MilliM4 - a qudt:Unit ; - dcterms:description "0.001-fold of the power of the SI base unit metre with the exponent 4"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:SecondAxialMomentOfArea ; - qudt:hasQuantityKind quantitykind:SecondPolarMomentOfArea ; - qudt:iec61360Code "0112/2///62720#UAA869" ; - qudt:plainTextDescription "0.001-fold of the power of the SI base unit metre with the exponent 4" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mm⁴" ; - qudt:ucumCode "mm4"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G77" ; - rdfs:isDefinedBy ; - rdfs:label "Quartic Millimeter"@en-us ; - rdfs:label "Quartic Millimetre"@en ; -. -unit:MilliMOL - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit mol"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:iec61360Code "0112/2///62720#UAA877" ; - qudt:plainTextDescription "0.001-fold of the SI base unit mol" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mmol" ; - qudt:ucumCode "mmol"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C18" ; - rdfs:isDefinedBy ; - rdfs:label "Millimole"@en ; -. -unit:MilliMOL-PER-GM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:iec61360Code "0112/2///62720#UAA878" ; - qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the 0.001-fold of the SI base unit kilogram" ; - qudt:symbol "mmol/g" ; - qudt:ucumCode "mmol.g-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H68" ; - rdfs:isDefinedBy ; - rdfs:label "Millimole Per Gram"@en ; -. -unit:MilliMOL-PER-KiloGM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI base unit mol divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:hasQuantityKind quantitykind:IonicStrength ; - qudt:iec61360Code "0112/2///62720#UAA879" ; - qudt:plainTextDescription "0.001-fold of the SI base unit mol divided by the SI base unit kilogram" ; - qudt:symbol "mmol/kg" ; - qudt:ucumCode "mmol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mmol/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D87" ; - rdfs:isDefinedBy ; - rdfs:label "Millimole Per Kilogram"@en ; -. -unit:MilliMOL-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI derived unit for amount-of-substance concentration is the mmo/L."^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(mmo/L\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:BloodGlucoseLevel ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "mmol/L" ; - qudt:ucumCode "mmol.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "mmol/L"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M33" ; - rdfs:isDefinedBy ; - rdfs:label "millimoles per litre"@en ; - rdfs:label "millimoles per litre"@en-us ; -. -unit:MilliMOL-PER-M2 - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mmol/m²" ; - qudt:ucumCode "mmol.m-2"^^qudt:UCUMcs ; - qudt:udunitsCode "DU" ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per square metre"@en ; -. -unit:MilliMOL-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-08 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mmol/(m²⋅day)" ; - qudt:ucumCode "mmol.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per square metre per day"@en ; -. -unit:MilliMOL-PER-M2-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "µg/(m²⋅s)" ; - qudt:ucumCode "mmol.m-2.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "mmol/m2/s1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per square metre per second"@en ; -. -unit:MilliMOL-PER-M3 - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "mmol/m³" ; - qudt:ucumCode "mmol.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per cubic metre"@en ; -. -unit:MilliMOL-PER-M3-DAY - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-08 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mmol/(m³⋅day)" ; - qudt:ucumCode "mmol.m-3.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per cubic metre per day"@en ; -. -unit:MilliMOL-PER-MOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:symbol "mmol/mol" ; - qudt:ucumCode "mmol.mol-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimoles per mole"@en ; -. -unit:MilliM_H2O - a qudt:Unit ; - dcterms:description "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm"^^rdf:HTML ; - qudt:conversionMultiplier 9.80665 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA875" ; - qudt:plainTextDescription "unit of pressure - 1 mmH2O is the static pressure exerted by a water column with a height of 1 mm" ; - qudt:symbol "mmH₂0" ; - qudt:ucumCode "mm[H2O]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "HP" ; - rdfs:isDefinedBy ; - rdfs:label "Conventional Millimeter Of Water"@en-us ; - rdfs:label "Conventional Millimetre Of Water"@en ; -. -unit:MilliM_HG - a qudt:Unit ; - dcterms:description "The millimeter of mercury is defined as the pressure exerted at the base of a column of fluid exactly 1 mm high, when the density of the fluid is exactly \\(13.5951 g/cm^{3}\\), at a place where the acceleration of gravity is exactly \\(9.80665 m/s^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 133.322387415 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; - qudt:symbol "mmHg" ; - qudt:ucumCode "mm[Hg]"^^qudt:UCUMcs ; - qudt:udunitsCode "mmHg" ; - qudt:udunitsCode "mm_Hg" ; - qudt:udunitsCode "mm_hg" ; - qudt:udunitsCode "mmhg" ; - qudt:uneceCommonCode "HN" ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter of Mercury"@en-us ; - rdfs:label "Millimetre of Mercury"@en ; -. -unit:MilliM_HGA - a qudt:Unit ; - dcterms:description "Millimeters of Mercury inclusive of atmospheric pressure"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "mmHgA" ; - qudt:ucumCode "mm[Hg]{absolute}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millimeter of Mercury - Absolute"@en-us ; - rdfs:label "Millimetre of Mercury - Absolute"@en ; -. -unit:MilliN - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA793" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit newton" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mN" ; - qudt:ucumCode "mN"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C20" ; - rdfs:isDefinedBy ; - rdfs:label "Millinewton"@en ; -. -unit:MilliN-M - a qudt:Unit ; - dcterms:description "0.001-fold of the product of the SI derived unit newton and the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA794" ; - qudt:plainTextDescription "0.001-fold of the product of the SI derived unit newton and the SI base unit metre" ; - qudt:symbol "mN⋅m" ; - qudt:ucumCode "mN.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D83" ; - rdfs:isDefinedBy ; - rdfs:label "Millinewton Meter"@en-us ; - rdfs:label "Millinewton Metre"@en ; -. -unit:MilliN-PER-M - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit newton divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA795" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit newton divided by the SI base unit metre" ; - qudt:symbol "mN/m" ; - qudt:ucumCode "mN.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C22" ; - rdfs:isDefinedBy ; - rdfs:label "Millinewton Per Meter"@en-us ; - rdfs:label "Millinewton Per Metre"@en ; -. -unit:MilliOHM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA741" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit ohm" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mΩ" ; - qudt:ucumCode "mOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E45" ; - rdfs:isDefinedBy ; - rdfs:label "Milliohm"@en ; -. -unit:MilliPA - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit pascal"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA796" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit pascal" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mPa" ; - qudt:ucumCode "mPa"^^qudt:UCUMcs ; - qudt:uneceCommonCode "74" ; - rdfs:isDefinedBy ; - rdfs:label "Millipascal"@en ; -. -unit:MilliPA-SEC - a qudt:Unit ; - dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA797" ; - qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second" ; - qudt:symbol "mPa⋅s" ; - qudt:ucumCode "mPa.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C24" ; - rdfs:isDefinedBy ; - rdfs:label "Millipascal Second"@en ; -. -unit:MilliPA-SEC-PER-BAR - a qudt:Unit ; - dcterms:description "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA799" ; - qudt:plainTextDescription "0.001-fold of the product of the SI derived unit pascal and the SI base unit second divided by the unit of the pressure bar" ; - qudt:symbol "mPa⋅s/bar" ; - qudt:ucumCode "mPa.s.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L16" ; - rdfs:isDefinedBy ; - rdfs:label "Millipascal Second Per Bar"@en ; -. -unit:MilliR - a qudt:Unit ; - dcterms:description "0.001-fold of the unit roentgen."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.58e-07 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:iec61360Code "0112/2///62720#UAA898" ; - qudt:iec61360Code "0112/2///62720#UAB056" ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_(unit)"^^xsd:anyURI ; - qudt:plainTextDescription "0.001-fold of the unit roentgen." ; - qudt:symbol "mR" ; - qudt:ucumCode "mR"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2Y" ; - rdfs:isDefinedBy ; - rdfs:label "Milliroentgen"@en ; -. -unit:MilliRAD - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:guidance ""^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA897" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mrad" ; - qudt:ucumCode "mrad"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C25" ; - rdfs:isDefinedBy ; - rdfs:label "milliradian"@en ; -. -unit:MilliRAD_R - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.00001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDose ; - qudt:symbol "mrad" ; - rdfs:isDefinedBy ; - rdfs:label "MilliRad"@en ; -. -unit:MilliRAD_R-PER-HR - a qudt:Unit ; - dcterms:description "One thousandth part of an absorbed ionizing radiation dose equal to 100 ergs per gram of irradiated material received per hour."@en ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 2.77777777777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mrad/hr" ; - qudt:ucumCode "mRAD.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Millirads per hour"@en ; -. -unit:MilliR_man - a qudt:Unit ; - dcterms:description "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body."^^rdf:HTML ; - qudt:conversionMultiplier 2.58e-07 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:iec61360Code "0112/2///62720#UAA898" ; - qudt:iec61360Code "0112/2///62720#UAB056" ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; - qudt:plainTextDescription "The roentgen equivalent man (or rem) is a CGS unit of equivalent dose, effective dose, and committed dose, which are measures of the health effect of low levels of ionizing radiation on the human body." ; - qudt:symbol "mrem" ; - qudt:ucumCode "mREM"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L31" ; - rdfs:isDefinedBy ; - rdfs:label "Milliroentgen Equivalent Man"@en ; -. -unit:MilliS - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit siemens"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:iec61360Code "0112/2///62720#UAA800" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit siemens" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mS" ; - qudt:ucumCode "mS"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C27" ; - rdfs:isDefinedBy ; - rdfs:label "Millisiemens"@en ; -. -unit:MilliS-PER-CentiM - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA801" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "mS/cm" ; - qudt:ucumCode "mS.cm-1"^^qudt:UCUMcs ; - qudt:ucumCode "mS/cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H61" ; - rdfs:isDefinedBy ; - rdfs:label "Millisiemens Per Centimeter"@en-us ; - rdfs:label "Millisiemens Per Centimetre"@en ; -. -unit:MilliS-PER-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:symbol "mS/m" ; - qudt:ucumCode "mS.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "MilliSiemens per metre"@en ; -. -unit:MilliSEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Millisecond\" is an Imperial unit for 'Time' expressed as \\(ms\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Millisecond"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA899" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Millisecond?oldid=495102042"^^xsd:anyURI ; - qudt:prefix prefix:Milli ; - qudt:symbol "ms" ; - qudt:ucumCode "ms"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C26" ; - rdfs:isDefinedBy ; - rdfs:label "millisecond"@en ; -. -unit:MilliSV - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit sievert"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:iec61360Code "0112/2///62720#UAA802" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit sievert" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mSv" ; - qudt:ucumCode "mSv"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C28" ; - rdfs:isDefinedBy ; - rdfs:label "Millisievert"@en ; -. -unit:MilliT - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit tesla"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAA803" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit tesla" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mT" ; - qudt:ucumCode "mT"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C29" ; - rdfs:isDefinedBy ; - rdfs:label "Millitesla"@en ; -. -unit:MilliTORR - a qudt:Unit ; - dcterms:description "\"MilliTorr\" is a unit for 'Force Per Area' expressed as \\(utorr\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.133322 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "mTorr" ; - rdfs:isDefinedBy ; - rdfs:label "MilliTorr"@en ; -. -unit:MilliV - a qudt:Unit ; - dcterms:description "0,001-fold of the SI derived unit volt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:iec61360Code "0112/2///62720#UAA804" ; - qudt:plainTextDescription "0,001-fold of the SI derived unit volt" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mV" ; - qudt:ucumCode "mV"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2Z" ; - rdfs:isDefinedBy ; - rdfs:label "Millivolt"@en ; -. -unit:MilliV-PER-M - a qudt:Unit ; - dcterms:description "0.000001-fold of the SI derived unit volt divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA805" ; - qudt:plainTextDescription "0.000001-fold of the SI derived unit volt divided by the SI base unit metre" ; - qudt:symbol "mV/m" ; - qudt:ucumCode "mV.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C30" ; - rdfs:isDefinedBy ; - rdfs:label "Millivolt Per Meter"@en-us ; - rdfs:label "Millivolt Per Metre"@en ; -. -unit:MilliV-PER-MIN - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit volt divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.666667e-05 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; - qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA806" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit volt divided by the unit minute" ; - qudt:symbol "mV/min" ; - qudt:ucumCode "mV.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H62" ; - rdfs:isDefinedBy ; - rdfs:label "Millivolt Per Minute"@en ; -. -unit:MilliW - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:prefix prefix:Milli ; - qudt:symbol "mW" ; - qudt:ucumCode "mW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C31" ; - rdfs:isDefinedBy ; - rdfs:label "MilliW"@en ; -. -unit:MilliW-PER-CentiM2-MicroM-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e07 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mW/(cm⋅µm⋅sr)" ; - qudt:ucumCode "mW.cm-2.um-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milliwatts per square centimetre per micrometre per steradian"@en ; -. -unit:MilliW-PER-M2 - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAA808" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit weber divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "mW/m²" ; - qudt:ucumCode "mW.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C32" ; - rdfs:isDefinedBy ; - rdfs:label "Milliwatt Per Square Meter"@en-us ; - rdfs:label "Milliwatt Per Square Metre"@en ; -. -unit:MilliW-PER-M2-NanoM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mW/(cm⋅nm)" ; - qudt:ucumCode "mW.m-2.nm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milliwatts per square metre per nanometre"@en ; -. -unit:MilliW-PER-M2-NanoM-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "mW/(cm⋅nm⋅sr)" ; - qudt:ucumCode "mW.m-2.nm-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milliwatts per square metre per nanometre per steradian"@en ; -. -unit:MilliW-PER-MilliGM - a qudt:Unit ; - dcterms:description "SI derived unit milliwatt divided by the SI derived unit milligram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:W-PER-GM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:hasQuantityKind quantitykind:SpecificPower ; - qudt:plainTextDescription "SI derived unit milliwatt divided by the SI derived unit milligram" ; - qudt:symbol "mW/mg" ; - qudt:ucumCode "mW.mg-1"^^qudt:UCUMcs ; - qudt:ucumCode "mW/mg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Milliwatt per Milligram"@en ; -. -unit:MilliWB - a qudt:Unit ; - dcterms:description "0.001-fold of the SI derived unit weber"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAA809" ; - qudt:plainTextDescription "0.001-fold of the SI derived unit weber" ; - qudt:prefix prefix:Milli ; - qudt:symbol "mWb" ; - qudt:ucumCode "mWb"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C33" ; - rdfs:isDefinedBy ; - rdfs:label "Milliweber"@en ; -. -unit:MillionUSD-PER-YR - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:expression "\\(\\(M\\$/yr\\)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - rdfs:isDefinedBy ; - rdfs:label "Million US Dollars per Year"@en ; -. -unit:N - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \"Newton\" is the SI unit of force. A force of one newton will accelerate a mass of one kilogram at the rate of one meter per second per second. The newton is named for Isaac Newton (1642-1727), the British mathematician, physicist, and natural philosopher. He was the first person to understand clearly the relationship between force (F), mass (m), and acceleration (a) expressed by the formula \\(F = m \\cdot a\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Newton"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAA235" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Newton?oldid=488427661"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "N" ; - qudt:ucumCode "N"^^qudt:UCUMcs ; - qudt:udunitsCode "N" ; - qudt:uneceCommonCode "NEW" ; - rdfs:isDefinedBy ; - rdfs:label "Newton"@de ; - rdfs:label "newton"@cs ; - rdfs:label "newton"@en ; - rdfs:label "newton"@es ; - rdfs:label "newton"@fr ; - rdfs:label "newton"@hu ; - rdfs:label "newton"@it ; - rdfs:label "newton"@ms ; - rdfs:label "newton"@pt ; - rdfs:label "newton"@ro ; - rdfs:label "newton"@sl ; - rdfs:label "newton"@tr ; - rdfs:label "newtonium"@la ; - rdfs:label "niuton"@pl ; - rdfs:label "νιούτον"@el ; - rdfs:label "ньютон"@ru ; - rdfs:label "нютон"@bg ; - rdfs:label "ניוטון"@he ; - rdfs:label "نيوتن"@ar ; - rdfs:label "نیوتن"@fa ; - rdfs:label "न्यूटन"@hi ; - rdfs:label "ニュートン"@ja ; - rdfs:label "牛顿"@zh ; -. -unit:N-CentiM - a qudt:Unit ; - dcterms:description "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA237" ; - qudt:plainTextDescription "product of the SI derived unit newton and the 0.01-fold of the SI base unit metre" ; - qudt:symbol "N⋅cm" ; - qudt:ucumCode "N.cm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F88" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Centimeter"@en-us ; - rdfs:label "Newton Centimetre"@en ; -. -unit:N-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Torque\" is the tendency of a force to cause a rotation, is the product of the force and the distance from the center of rotation to the point where the force is applied. Torque has the same units as work or energy, but it is a different physical concept. To stress the difference, scientists measure torque in newton meters rather than in joules, the SI unit of work. One newton meter is approximately 0.737562 pound foot."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:exactMatch unit:J ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:iec61360Code "0112/2///62720#UAA239" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Newton_metre?oldid=493923333"^^xsd:anyURI ; - qudt:siUnitsExpression "N.m" ; - qudt:symbol "N⋅m" ; - qudt:ucumCode "N.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NU" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter"@en-us ; - rdfs:label "Newtonmeter"@de ; - rdfs:label "newton meter"@ms ; - rdfs:label "newton meter"@sl ; - rdfs:label "newton metr"@cs ; - rdfs:label "newton metre"@en ; - rdfs:label "newton metre"@tr ; - rdfs:label "newton metro"@es ; - rdfs:label "newton per metro"@it ; - rdfs:label "newton-metro"@pt ; - rdfs:label "newton-metru"@ro ; - rdfs:label "newton-mètre"@fr ; - rdfs:label "niutonometr; dżul na radian"@pl ; - rdfs:label "νιούτον επί μέτρο; νιουτόμετρο"@el ; - rdfs:label "ньютон-метр"@ru ; - rdfs:label "нютон-метър"@bg ; - rdfs:label "نيوتن متر"@ar ; - rdfs:label "نیوتون متر"@fa ; - rdfs:label "न्यूटन मीटर"@hi ; - rdfs:label "ニュートンメートル"@ja ; - rdfs:label "牛米"@zh ; -. -unit:N-M-PER-A - a qudt:Unit ; - dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAA241" ; - qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the SI base unit ampere" ; - qudt:symbol "N⋅m/A" ; - qudt:ucumCode "N.m.A-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F90" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter Per Ampere"@en-us ; - rdfs:label "Newton Metre Per Ampere"@en ; -. -unit:N-M-PER-KiloGM - a qudt:Unit ; - dcterms:description "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpecificEnergy ; - qudt:iec61360Code "0112/2///62720#UAB490" ; - qudt:plainTextDescription "product of the derived SI unit newton and the SI base unit metre divided by the SI base unit kilogram" ; - qudt:symbol "N⋅m/kg" ; - qudt:ucumCode "N.m.kg-1"^^qudt:UCUMcs ; - qudt:udunitsCode "gp" ; - qudt:uneceCommonCode "G19" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter Per Kilogram"@en-us ; - rdfs:label "Newton Metre Per Kilogram"@en ; -. -unit:N-M-PER-M - a qudt:Unit ; - dcterms:description "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TorquePerLength ; - qudt:plainTextDescription "This is the SI unit for the rolling resistance, which is equivalent to drag force in newton" ; - qudt:symbol "N⋅m/m" ; - qudt:uneceCommonCode "Q27" ; - rdfs:isDefinedBy ; - rdfs:label "Newton meter per meter"@en-us ; - rdfs:label "Newton metre per metre"@en ; - rdfs:label "Newtonmeter pro Meter"@de ; -. -unit:N-M-PER-M-RAD - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:N-PER-RAD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ModulusOfRotationalSubgradeReaction ; - qudt:symbol "N⋅m/(m⋅rad)" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Metre per Metre per Radians" ; - owl:sameAs unit:N-PER-RAD ; -. -unit:N-M-PER-M2 - a qudt:Unit ; - dcterms:description "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA244" ; - qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit metre divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "N⋅m/m²" ; - qudt:ucumCode "N.m.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H86" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter Per Square Meter"@en-us ; - rdfs:label "Newton Metre Per Square Metre"@en ; -. -unit:N-M-PER-RAD - a qudt:Unit ; - dcterms:description "Newton Meter per Radian is the SI unit for Torsion Constant"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:TorquePerAngle ; - qudt:plainTextDescription "Newton Meter per Radian is the SI unit for Torsion Constant" ; - qudt:symbol "N⋅m/rad" ; - qudt:uneceCommonCode "M93" ; - rdfs:isDefinedBy ; - rdfs:label "Newton meter per radian"@en-us ; - rdfs:label "Newton metre per radian"@en ; - rdfs:label "Newtonmeter pro Radian"@de ; -. -unit:N-M-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI derived unit of angular momentum. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Newton_metre"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularImpulse ; - qudt:hasQuantityKind quantitykind:AngularMomentum ; - qudt:iec61360Code "0112/2///62720#UAA245" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/SI_derived_unit"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:siUnitsExpression "N.m.sec" ; - qudt:symbol "N⋅m⋅s" ; - qudt:ucumCode "N.m.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C53" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter Second"@en-us ; - rdfs:label "Newtonmetersekunde"@de ; - rdfs:label "newton meter saat"@ms ; - rdfs:label "newton metr sekunda"@cs ; - rdfs:label "newton metre saniye"@tr ; - rdfs:label "newton metre second"@en ; - rdfs:label "newton metro segundo"@es ; - rdfs:label "newton per metro per secondo"@it ; - rdfs:label "newton-metro-segundo"@pt ; - rdfs:label "newton-metru-secundă"@ro ; - rdfs:label "newton-mètre-seconde"@fr ; - rdfs:label "niutonometrosekunda"@pl ; - rdfs:label "ньютон-метр-секунда"@ru ; - rdfs:label "نيوتن متر ثانية"@ar ; - rdfs:label "نیوتون ثانیه"@fa ; - rdfs:label "न्यूटन मीटर सैकण्ड"@hi ; - rdfs:label "ニュートンメートル秒"@ja ; - rdfs:label "牛秒"@zh ; -. -unit:N-M-SEC-PER-M - a qudt:Unit ; - dcterms:description "Newton metre seconds measured per metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:plainTextDescription "Newton metre seconds measured per metre" ; - qudt:symbol "N⋅m⋅s/m" ; - rdfs:isDefinedBy ; - rdfs:label "Newton meter seconds per meter"@en-us ; - rdfs:label "Newton metre seconds per metre"@en ; - rdfs:label "Newtonmetersekunden pro Meter"@de ; -. -unit:N-M-SEC-PER-RAD - a qudt:Unit ; - dcterms:description "Newton metre seconds measured per radian"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularMomentumPerAngle ; - qudt:plainTextDescription "Newton metre seconds measured per radian" ; - qudt:symbol "N⋅m⋅s/rad" ; - rdfs:isDefinedBy ; - rdfs:label "Newton meter seconds per radian"@en-us ; - rdfs:label "Newton metre seconds per radian"@en ; - rdfs:label "Newtonmetersekunden pro Radian"@de ; -. -unit:N-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:WarpingMoment ; - qudt:symbol "N⋅m²" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Square Meter"@en-us ; - rdfs:label "Newton Square Metre"@en ; -. -unit:N-M2-PER-A - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:WB-M ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:symbol "N⋅m²/A" ; - qudt:ucumCode "N.m2.A-1"^^qudt:UCUMcs ; - qudt:ucumCode "N.m2/A"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P49" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Meter Squared per Ampere"@en-us ; - rdfs:label "Newton Metre Squared per Ampere"@en ; -. -unit:N-M2-PER-KiloGM2 - a qudt:Unit ; - dcterms:description "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M-1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:iec61360Code "0112/2///62720#UAB491" ; - qudt:plainTextDescription "unit of gravitational constant as product of the derived SI unit newton, the power of the SI base unit metre with the exponent 2 divided by the power of the SI base unit kilogram with the exponent 2" ; - qudt:symbol "N⋅m²/kg²" ; - qudt:ucumCode "N.m2.kg-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C54" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Square Meter Per Square Kilogram"@en-us ; - rdfs:label "Newton Square Metre Per Square Kilogram"@en ; -. -unit:N-PER-A - a qudt:Unit ; - dcterms:description "SI derived unit newton divided by the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:iec61360Code "0112/2///62720#UAA236" ; - qudt:plainTextDescription "SI derived unit newton divided by the SI base unit ampere" ; - qudt:symbol "N/A" ; - qudt:ucumCode "N.A-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H40" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Per Ampere"@en ; -. -unit:N-PER-C - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Newton Per Coulomb ( N/C) is a unit in the category of Electric field strength. It is also known as newtons/coulomb. Newton Per Coulomb ( N/C) has a dimension of MLT-3I-1 where M is mass, L is length, T is time, and I is electric current. It essentially the same as the corresponding standard SI unit V/m."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(N/C\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerElectricCharge ; - qudt:symbol "N/C" ; - qudt:ucumCode "N.C-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Newton per Coulomb"@en ; -. -unit:N-PER-CentiM - a qudt:Unit ; - dcterms:description "SI derived unit newton divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA238" ; - qudt:plainTextDescription "SI derived unit newton divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "N/cm" ; - qudt:ucumCode "N.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M23" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Per Centimeter"@en-us ; - rdfs:label "Newton Per Centimetre"@en ; -. -unit:N-PER-CentiM2 - a qudt:Unit ; - dcterms:description "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB183" ; - qudt:plainTextDescription "derived SI unit newton divided by the 0.0001-fold of the power of the SI base unit metre by exponent 2" ; - qudt:symbol "N/cm²" ; - qudt:ucumCode "N.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E01" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Per Square Centimeter"@en-us ; - rdfs:label "Newton Per Square Centimetre"@en ; -. -unit:N-PER-KiloGM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Gravitational field strength at a point is the gravitational force per unit mass at that point. It is a vector and its S.I. unit is N kg-1."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(N/kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThrustToMassRatio ; - qudt:symbol "N/kg" ; - qudt:ucumCode "N.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Newton per Kilogram"@en ; -. -unit:N-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Newton Per Meter (N/m) is a unit in the category of Surface tension. It is also known as newtons per meter, newton per metre, newtons per metre, newton/meter, newton/metre. This unit is commonly used in the SI unit system. Newton Per Meter (N/m) has a dimension of MT-2 where M is mass, and T is time. This unit is the standard SI unit in this category."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(N/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA246" ; - qudt:symbol "N/m" ; - qudt:ucumCode "N.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "N/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4P" ; - rdfs:isDefinedBy ; - rdfs:label "Newton je Meter"@de ; - rdfs:label "Newton per Meter"@en-us ; - rdfs:label "newton al metro"@it ; - rdfs:label "newton bölü metre"@tr ; - rdfs:label "newton na meter"@sl ; - rdfs:label "newton par mètre"@fr ; - rdfs:label "newton pe metru"@ro ; - rdfs:label "newton per meter"@ms ; - rdfs:label "newton per metre"@en ; - rdfs:label "newton por metro"@es ; - rdfs:label "newton por metro"@pt ; - rdfs:label "newtonů na metr"@cs ; - rdfs:label "niuton na metr"@pl ; - rdfs:label "ньютон на метр"@ru ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "نیوتن بر متر"@fa ; - rdfs:label "प्रति मीटर न्यूटन"@hi ; - rdfs:label "ニュートン毎メートル"@ja ; - rdfs:label "牛顿每米"@zh ; -. -unit:N-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; - qudt:exactMatch unit:KiloGM-PER-M-SEC2 ; - qudt:exactMatch unit:PA ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfLinearSubgradeReaction ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31889"^^xsd:anyURI ; - qudt:siUnitsExpression "N/m^2" ; - qudt:symbol "N/m²" ; - qudt:ucumCode "N.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C55" ; - rdfs:isDefinedBy ; - rdfs:label "Newtons Per Square Meter"@en-us ; - rdfs:label "Newtons Per Square Metre"@en ; -. -unit:N-PER-M3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ModulusOfSubgradeReaction ; - qudt:symbol "N/m³" ; - qudt:ucumCode "N.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Newtons per cubic metre"@en ; -. -unit:N-PER-MilliM - a qudt:Unit ; - dcterms:description "SI derived unit newton divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA249" ; - qudt:plainTextDescription "SI derived unit newton divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "N/mm" ; - qudt:ucumCode "N.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F47" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Per Millimeter"@en-us ; - rdfs:label "Newton Per Millimetre"@en ; -. -unit:N-PER-MilliM2 - a qudt:Unit ; - dcterms:description "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA250" ; - qudt:plainTextDescription "SI derived unit newton divided by the 0.000001-fold of the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "N/mm²" ; - qudt:ucumCode "N.mm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C56" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Per Square Millimeter"@en-us ; - rdfs:label "Newton Per Square Millimetre"@en ; -. -unit:N-PER-RAD - a qudt:Unit ; - dcterms:description "A one-newton force applied for one angle/torsional torque"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:exactMatch unit:N-M-PER-M-RAD ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAngle ; - qudt:plainTextDescription "A one-newton force applied for one angle/torsional torque" ; - qudt:symbol "N/rad" ; - rdfs:isDefinedBy ; - rdfs:label "Newton per radian"@en ; - rdfs:label "Newton per radian"@en-us ; - rdfs:label "Newton pro Radian"@de ; -. -unit:N-SEC - a qudt:Unit ; - dcterms:description "product of the SI derived unit newton and the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:iec61360Code "0112/2///62720#UAA251" ; - qudt:plainTextDescription "product of the SI derived unit newton and the SI base unit second" ; - qudt:symbol "N⋅s" ; - qudt:ucumCode "N.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C57" ; - rdfs:isDefinedBy ; - rdfs:label "Newtonsekunde"@de ; - rdfs:label "newton per secondo"@it ; - rdfs:label "newton saat"@ms ; - rdfs:label "newton saniye"@tr ; - rdfs:label "newton second"@en ; - rdfs:label "newton segundo"@es ; - rdfs:label "newton sekunda"@cs ; - rdfs:label "newton-seconde"@fr ; - rdfs:label "newton-secundă"@ro ; - rdfs:label "newton-segundo"@pt ; - rdfs:label "niutonosekunda"@pl ; - rdfs:label "ньютон-секунда"@ru ; - rdfs:label "نيوتن ثانية"@ar ; - rdfs:label "نیوتون ثانیه"@fa ; - rdfs:label "न्यूटन सैकण्ड"@hi ; - rdfs:label "ニュートン秒"@ja ; - rdfs:label "牛秒"@zh ; -. -unit:N-SEC-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Newton second measured per metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:expression "\\(N-s/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:iec61360Code "0112/2///62720#UAA252" ; - qudt:plainTextDescription "Newton second measured per metre" ; - qudt:symbol "N⋅s/m" ; - qudt:ucumCode "N.s.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C58" ; - rdfs:isDefinedBy ; - rdfs:label "Newton Second per Meter"@en-us ; - rdfs:label "Newton Second per Metre"@en ; - rdfs:label "Newtonsekunden pro Meter"@de ; -. -unit:N-SEC-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is \\(1 N \\cdot s \\cdot m^{-3} \\) if unit pressure produces unit velocity."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:expression "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; - qudt:latexSymbol "\\(N \\cdot s \\cdot m^{-3}\\)"^^qudt:LatexString ; - qudt:symbol "N⋅s/m³" ; - qudt:ucumCode "N.s.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Newton second per Cubic Meter"@en-us ; - rdfs:label "Newton second per Cubic Metre"@en ; -. -unit:N-SEC-PER-RAD - a qudt:Unit ; - dcterms:description "Newton seconds measured per radian"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:conversionOffset 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MomentumPerAngle ; - qudt:plainTextDescription "Newton seconds measured per radian" ; - qudt:symbol "N⋅s/rad" ; - rdfs:isDefinedBy ; - rdfs:label "Newton seconds per radian"@en ; - rdfs:label "Newton seconds per radian"@en-us ; - rdfs:label "Newtonsekunden pro Radian"@de ; -. -unit:NAT - a qudt:Unit ; - dcterms:description "A nat is a logarithmic unit of information or entropy, based on natural logarithms and powers of e, rather than the powers of 2 and base 2 logarithms which define the bit. The nat is the natural unit for information entropy. Physical systems of natural units which normalize Boltzmann's constant to 1 are effectively measuring thermodynamic entropy in nats."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nat"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; - qudt:symbol "nat" ; - qudt:uneceCommonCode "Q16" ; - rdfs:isDefinedBy ; - rdfs:label "Nat"@en ; -. -unit:NAT-PER-SEC - a qudt:Unit ; - dcterms:description "\"Nat per Second\" is information rate in natural units."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(nat-per-sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:InformationFlowRate ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nat?oldid=474010287"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:symbol "nat/s" ; - qudt:uneceCommonCode "Q19" ; - rdfs:isDefinedBy ; - rdfs:label "Nat per Second"@en ; -. -unit:NP - a qudt:DimensionlessUnit ; - a qudt:LogarithmicUnit ; - a qudt:Unit ; - dcterms:description "The neper is a logarithmic unit for ratios of measurements of physical field and power quantities, such as gain and loss of electronic signals. It has the unit symbol Np. The unit's name is derived from the name of John Napier, the inventor of logarithms. As is the case for the decibel and bel, the neper is not a unit in the International System of Units (SI), but it is accepted for use alongside the SI. Like the decibel, the neper is a unit in a logarithmic scale. While the bel uses the decadic (base-10) logarithm to compute ratios, the neper uses the natural logarithm, based on Euler's number"^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Neper"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:iec61360Code "0112/2///62720#UAA253" ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Neper"^^xsd:anyURI ; - qudt:symbol "Np" ; - qudt:ucumCode "Np"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C50" ; - rdfs:isDefinedBy ; - rdfs:label "Neper"@en ; -. -unit:NTU - a qudt:Unit ; - dcterms:description "\"Nephelometry Turbidity Unit\" is a C.G.S System unit for 'Turbidity' expressed as \\(NTU\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Turbidity ; - qudt:symbol "NTU" ; - rdfs:isDefinedBy ; - rdfs:label "Nephelometry Turbidity Unit"@en ; -. -unit:NUM - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "\"Number\" is a unit for 'Dimensionless' expressed as (\\#\\)."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:ChargeNumber ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:hasQuantityKind quantitykind:FrictionCoefficient ; - qudt:hasQuantityKind quantitykind:HyperfineStructureQuantumNumber ; - qudt:hasQuantityKind quantitykind:IonTransportNumber ; - qudt:hasQuantityKind quantitykind:Landau-GinzburgNumber ; - qudt:hasQuantityKind quantitykind:MagneticQuantumNumber ; - qudt:hasQuantityKind quantitykind:MassNumber ; - qudt:hasQuantityKind quantitykind:NeutronNumber ; - qudt:hasQuantityKind quantitykind:NuclearSpinQuantumNumber ; - qudt:hasQuantityKind quantitykind:NucleonNumber ; - qudt:hasQuantityKind quantitykind:OrbitalAngularMomentumQuantumNumber ; - qudt:hasQuantityKind quantitykind:Population ; - qudt:hasQuantityKind quantitykind:PrincipalQuantumNumber ; - qudt:hasQuantityKind quantitykind:QuantumNumber ; - qudt:hasQuantityKind quantitykind:ReynoldsNumber ; - qudt:hasQuantityKind quantitykind:SpinQuantumNumber ; - qudt:hasQuantityKind quantitykind:StoichiometricNumber ; - qudt:hasQuantityKind quantitykind:TotalAngularMomentumQuantumNumber ; - qudt:symbol "#" ; - qudt:ucumCode "1"^^qudt:UCUMcs ; - qudt:ucumCode "{#}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number"@en ; -. -unit:NUM-PER-CentiM-KiloYR - a qudt:Unit ; - qudt:conversionMultiplier 3.16880878140289e-07 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(cm⋅1000 yr)" ; - qudt:ucumCode "{#}.cm-2.ka-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per square centimetre per thousand years"@en ; -. -unit:NUM-PER-GM - a qudt:Unit ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/g" ; - qudt:ucumCode "{#}.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per gram"@en ; -. -unit:NUM-PER-HA - a qudt:Unit ; - dcterms:description "Count of an entity or phenomenon's occurrence in 10,000 times the SI unit area (square metre)."@en ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ParticleFluence ; - qudt:symbol "/ha" ; - qudt:ucumCode "{#}.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per hectare"@en ; -. -unit:NUM-PER-HR - a qudt:Unit ; - qudt:conversionMultiplier 0.000277777777777778 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/hr" ; - qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per hour"@en ; -. -unit:NUM-PER-HectoGM - a qudt:Unit ; - dcterms:description "Count of an entity or phenomenon occurrence in one 10th of the SI unit of mass (kilogram)."@en ; - qudt:conversionMultiplier 10.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/hg" ; - qudt:ucumCode "{#}.hg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per 100 grams"@en ; -. -unit:NUM-PER-KiloM2 - a qudt:Unit ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ParticleFluence ; - qudt:symbol "/km²" ; - qudt:ucumCode "{#}.km-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per square kilometre"@en ; -. -unit:NUM-PER-L - a qudt:Unit ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/L" ; - qudt:ucumCode "/L"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per litre"@en ; -. -unit:NUM-PER-M - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:symbol "/m" ; - qudt:ucumCode "/m"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per metre"@en ; -. -unit:NUM-PER-M2 - a qudt:Unit ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ParticleFluence ; - qudt:symbol "/m²" ; - qudt:ucumCode "/m2"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per square metre"@en ; -. -unit:NUM-PER-M2-DAY - a qudt:Unit ; - qudt:conversionMultiplier 1.15740740740741e-05 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Flux ; - qudt:symbol "/(m²⋅day)" ; - qudt:ucumCode "{#}.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per square metre per day"@en ; -. -unit:NUM-PER-M3 - a qudt:Unit ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/m³" ; - qudt:ucumCode "/m3"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per cubic metre"@en ; -. -unit:NUM-PER-MicroL - a qudt:Unit ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/µL" ; - qudt:ucumCode "/uL"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.uL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per microlitre"@en ; -. -unit:NUM-PER-MilliGM - a qudt:Unit ; - dcterms:description "Count of an entity or phenomenon occurrence in one millionth of the SI unit of mass (kilogram)."@en ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/mg" ; - qudt:ucumCode "/mg"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.mg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per milligram"@en ; -. -unit:NUM-PER-MilliM3 - a qudt:Unit ; - qudt:conversionMultiplier 1000000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/mm³" ; - qudt:ucumCode "/mm3"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.mm-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per cubic millimeter"@en ; -. -unit:NUM-PER-NanoL - a qudt:Unit ; - qudt:conversionMultiplier 1.0E12 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/nL" ; - qudt:ucumCode "/nL"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.nL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per nanoliter"@en ; - rdfs:label "Number per nanolitre"@en ; -. -unit:NUM-PER-PicoL - a qudt:Unit ; - qudt:conversionMultiplier 1000000000000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/pL" ; - qudt:ucumCode "/pL"^^qudt:UCUMcs ; - qudt:ucumCode "{#}.pL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per picoliter"@en ; -. -unit:NUM-PER-SEC - a qudt:Unit ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/s" ; - qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Counts per second"@en ; -. -unit:NUM-PER-YR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Number per Year\" is a unit for 'Frequency' expressed as \\(\\#/yr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 3.168808781402895023702689684893655e-08 ; - qudt:expression "\\(\\#/yr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "#/yr" ; - qudt:ucumCode "{#}.a-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Number per Year"@en ; -. -unit:NanoA - a qudt:Unit ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA901" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nA" ; - qudt:ucumCode "nA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C39" ; - rdfs:isDefinedBy ; - rdfs:label "nanoampere"@en ; -. -unit:NanoBQ - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000000001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Activity ; - qudt:symbol "nBq" ; - rdfs:isDefinedBy ; - rdfs:label "NanoBecquerel"@en ; -. -unit:NanoBQ-PER-L - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ActivityConcentration ; - qudt:symbol "nBq/L" ; - qudt:ucumCode "nBq.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanobecquerels per litre"@en ; -. -unit:NanoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A NanoCoulomb is \\(10^{-9} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA902" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nC" ; - qudt:ucumCode "nC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C40" ; - rdfs:isDefinedBy ; - rdfs:label "NanoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:NanoFARAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A common metric unit of electric capacitance equal to \\(10^{-9} farad\\). This unit was previously called the \\(millimicrofarad\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA903" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; - qudt:prefix prefix:Nano ; - qudt:symbol "nF" ; - qudt:ucumCode "nF"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C41" ; - rdfs:isDefinedBy ; - rdfs:label "Nanofarad"@en ; -. -unit:NanoFARAD-PER-M - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA904" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; - qudt:symbol "nF/m" ; - qudt:ucumCode "nF.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C42" ; - rdfs:isDefinedBy ; - rdfs:label "Nanofarad Per Meter"@en-us ; - rdfs:label "Nanofarad Per Metre"@en ; -. -unit:NanoGM - a qudt:Unit ; - dcterms:description "10**-9 grams or one 10**-12 of the SI standard unit of mass (kilogram)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:prefix prefix:Nano ; - qudt:symbol "ng" ; - qudt:ucumCode "ng"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms"@en ; -. -unit:NanoGM-PER-DAY - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-17 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:symbol "ng/day" ; - qudt:ucumCode "ng.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms per day"@en ; -. -unit:NanoGM-PER-DeciL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A derived unit for amount-of-substance concentration measured in ng/dL."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.00000001 ; - qudt:expression "\\(ng/dL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "ng/dL" ; - qudt:ucumCode "ng.dL-1"^^qudt:UCUMcs ; - qudt:ucumCode "ng/dL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "nanograms per decilitre"@en ; - rdfs:label "nanograms per decilitre"@en-us ; -. -unit:NanoGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:iec61360Code "0112/2///62720#UAA911" ; - qudt:plainTextDescription "mass ratio consisting of the 0.000000000001-fold of the SI base unit kilogram divided by the SI base unit kilogram" ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "ng/Kg" ; - qudt:ucumCode "ng.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "ng/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L32" ; - rdfs:isDefinedBy ; - rdfs:label "Nanogram Per Kilogram"@en ; -. -unit:NanoGM-PER-L - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "ng/L" ; - qudt:ucumCode "ng.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms per litre"@en ; -. -unit:NanoGM-PER-M2-PA-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:VaporPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; - qudt:symbol "kg/(m²⋅s⋅Pa)" ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms per square metre per Pascal per second"@en ; -. -unit:NanoGM-PER-M3 - a qudt:Unit ; - dcterms:description "\"0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3\""^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:plainTextDescription "0.000000000001-fold of the SI base unit kilogram divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "ng/m³" ; - qudt:ucumCode "ng.m-3"^^qudt:UCUMcs ; - rdfs:comment "\"Derived from GM-PER-M3 which exists in QUDT\"" ; - rdfs:isDefinedBy ; - rdfs:label "Nanogram Per Cubic Meter"@en-us ; - rdfs:label "Nanogram Per Cubic Metre"@en ; -. -unit:NanoGM-PER-MicroL - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "ng/µL" ; - qudt:ucumCode "ng.uL-1"^^qudt:UCUMcs ; - qudt:ucumCode "ng/uL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms per microlitre"@en ; -. -unit:NanoGM-PER-MilliL - a qudt:Unit ; - dcterms:description "One 10**12 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassConcentration ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "ng/mL" ; - qudt:ucumCode "ng.mL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanograms per millilitre"@en ; -. -unit:NanoH - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit henry"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:hasQuantityKind quantitykind:Permeance ; - qudt:iec61360Code "0112/2///62720#UAA905" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nH" ; - qudt:ucumCode "nH"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C43" ; - rdfs:isDefinedBy ; - rdfs:label "Nanohenry"@en ; -. -unit:NanoH-PER-M - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E-2L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ElectromagneticPermeability ; - qudt:hasQuantityKind quantitykind:Permeability ; - qudt:iec61360Code "0112/2///62720#UAA906" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit henry divided by the SI base unit metre" ; - qudt:symbol "nH/m" ; - qudt:ucumCode "nH.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C44" ; - rdfs:isDefinedBy ; - rdfs:label "Nanohenry Per Meter"@en-us ; - rdfs:label "Nanohenry Per Metre"@en ; -. -unit:NanoKAT-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000001 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:symbol "nkat/L" ; - qudt:ucumCode "nkat/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanokatal Per Liter"@en-us ; - rdfs:label "Nanokatal Per Litre"@en ; -. -unit:NanoL - a qudt:Unit ; - dcterms:description "0.000000001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:plainTextDescription "0.000000001-fold of the unit litre" ; - qudt:symbol "nL" ; - qudt:ucumCode "nL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q34" ; - rdfs:isDefinedBy ; - rdfs:label "Nanolitre"@en ; - rdfs:label "Nanolitre"@en-us ; -. -unit:NanoM - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA912" ; - qudt:plainTextDescription "0.000000001-fold of the SI base unit metre" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nM" ; - qudt:ucumCode "nm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C45" ; - rdfs:isDefinedBy ; - rdfs:label "Nanometer"@en-us ; - rdfs:label "Nanometre"@en ; -. -unit:NanoM-PER-CentiM-MegaPA - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0000000000001 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:siUnitsExpression "nm/cm/MPa" ; - qudt:symbol "nm/(cm⋅MPa)" ; - qudt:ucumCode "nm.cm-1.MPa-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanometer Per Centimeter Megapascal"@en ; -. -unit:NanoM-PER-CentiM-PSI - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:conversionMultiplier 1.45037738e-11 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:siUnitsExpression "nm/cm/PSI" ; - qudt:symbol "nm/(cm⋅PSI)" ; - qudt:ucumCode "nm.cm-1.PSI-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanometer Per Centimeter PSI"@en ; -. -unit:NanoM-PER-MilliM-MegaPA - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:qkdvNumerator qkdv:A0E0L1I0M0H0T0D0 ; - qudt:siUnitsExpression "nm/mm/MPa" ; - qudt:symbol "nm/(mm⋅MPa)" ; - qudt:ucumCode "nm.mm-1.MPa-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanometer Per Millimeter Megapascal"@en ; -. -unit:NanoM2 - a qudt:Unit ; - dcterms:description "A unit of area equal to that of a square, of sides 1nm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-18 ; - qudt:expression "\\(sqnm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:hasQuantityKind quantitykind:HydraulicPermeability ; - qudt:hasQuantityKind quantitykind:NuclearQuadrupoleMoment ; - qudt:plainTextDescription "A unit of area equal to that of a square, of sides 1nm" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nm²" ; - qudt:ucumCode "nm2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Nanometer"@en-us ; - rdfs:label "Square Nanometre"@en ; -. -unit:NanoMOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasQuantityKind quantitykind:ExtentOfReaction ; - qudt:symbol "nmol" ; - rdfs:isDefinedBy ; - rdfs:label "NanoMole"@en ; -. -unit:NanoMOL-PER-CentiM3-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-07 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(cm³⋅hr)" ; - qudt:ucumCode "nmol.cm-3.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per cubic centimetre per hour"@en ; -. -unit:NanoMOL-PER-GM-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(g⋅s)" ; - qudt:ucumCode "nmol.g-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per gram per second"@en ; -. -unit:NanoMOL-PER-KiloGM - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:symbol "nmol/kg" ; - qudt:ucumCode "nmol.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "nmol/kg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per kilogram"@en ; -. -unit:NanoMOL-PER-L - a qudt:Unit ; - dcterms:description "A scaled unit of amount-of-substance concentration."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:symbol "nmol/L" ; - qudt:ucumCode "nmol.L-1"^^qudt:UCUMcs ; - qudt:ucumCode "nmol/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per litre"@en ; -. -unit:NanoMOL-PER-L-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-11 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(L⋅day)" ; - qudt:ucumCode "nmol.L-1.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per litre per day"@en ; -. -unit:NanoMOL-PER-L-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-10 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(L⋅hr)" ; - qudt:ucumCode "nmol.L-1.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per litre per hour"@en ; -. -unit:NanoMOL-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-14 ; - qudt:hasDimensionVector qkdv:A1E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(m²⋅day)" ; - qudt:ucumCode "nmol.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per square metre per day"@en ; -. -unit:NanoMOL-PER-MicroGM-HR - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277777777777778 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(µg⋅hr)" ; - qudt:ucumCode "nmol.ug-1.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per microgram per hour"@en ; -. -unit:NanoMOL-PER-MicroMOL - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:qkdvDenominator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:qkdvNumerator qkdv:A1E0L0I0M0H0T0D0 ; - qudt:symbol "nmol/µmol" ; - qudt:ucumCode "nmol.umol-1"^^qudt:UCUMcs ; - qudt:ucumCode "nmol/umol"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per micromole"@en ; -. -unit:NanoMOL-PER-MicroMOL-DAY - a qudt:Unit ; - dcterms:description "Unavailable."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "nmol/(µmol⋅day)" ; - qudt:ucumCode "nmol.umol-1.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Nanomoles per micromole per day"@en ; -. -unit:NanoS - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000001 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:symbol "nS" ; - rdfs:isDefinedBy ; - rdfs:label "NanoSiemens"@en ; -. -unit:NanoS-PER-CentiM - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA907" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens by the 0.01 fol of the SI base unit metre" ; - qudt:symbol "nS/cm" ; - qudt:ucumCode "nS.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G44" ; - rdfs:isDefinedBy ; - rdfs:label "Nanosiemens Per Centimeter"@en-us ; - rdfs:label "Nanosiemens Per Centimetre"@en ; -. -unit:NanoS-PER-M - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA908" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; - qudt:symbol "nS/m" ; - qudt:ucumCode "nS.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G45" ; - rdfs:isDefinedBy ; - rdfs:label "Nanosiemens Per Meter"@en-us ; - rdfs:label "Nanosiemens Per Metre"@en ; -. -unit:NanoSEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A nanosecond is a SI unit of time equal to one billionth of a second (10-9 or 1/1,000,000,000 s). One nanosecond is to one second as one second is to 31.69 years. The word nanosecond is formed by the prefix nano and the unit second."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nanosecond"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA913" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nanosecond?oldid=919778950"^^xsd:anyURI ; - qudt:prefix prefix:Nano ; - qudt:symbol "ns" ; - qudt:ucumCode "ns"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C47" ; - rdfs:isDefinedBy ; - rdfs:label "nanosecond"@en ; -. -unit:NanoT - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit tesla"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAA909" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit tesla" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nT" ; - qudt:ucumCode "nT"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C48" ; - rdfs:isDefinedBy ; - rdfs:label "Nanotesla"@en ; -. -unit:NanoW - a qudt:Unit ; - dcterms:description "0.000000001-fold of the SI derived unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA910" ; - qudt:plainTextDescription "0.000000001-fold of the SI derived unit watt" ; - qudt:prefix prefix:Nano ; - qudt:symbol "nW" ; - qudt:ucumCode "nW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C49" ; - rdfs:isDefinedBy ; - rdfs:label "Nanowatt"@en ; -. -unit:OCT - a qudt:DimensionlessUnit ; - a qudt:LogarithmicUnit ; - a qudt:Unit ; - dcterms:description "An octave is a doubling or halving of a frequency. One oct is the logarithmic frequency interval between \\(f1\\) and \\(f2\\) when \\(f2/f1 = 2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Octave"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Octave_(electronics)"^^xsd:anyURI ; - qudt:symbol "oct" ; - rdfs:isDefinedBy ; - rdfs:label "Oct"@en ; -. -unit:OERSTED - a qudt:Unit ; - dcterms:description "Oersted (abbreviated as Oe) is the unit of magnetizing field (also known as H-field, magnetic field strength or intensity) in the CGS system of units."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 79.5774715 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Oersted"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagneticFieldStrength_H ; - qudt:iec61360Code "0112/2///62720#UAB134" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Oersted?oldid=491396460"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Oe" ; - qudt:ucumCode "Oe"^^qudt:UCUMcs ; - qudt:udunitsCode "Oe" ; - qudt:uneceCommonCode "66" ; - rdfs:isDefinedBy ; - rdfs:label "Oersted"@en ; - prov:wasDerivedFrom unit:Gs ; -. -unit:OERSTED-CentiM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Oersted Centimeter\" is a C.G.S System unit for 'Magnetomotive Force' expressed as \\(Oe-cm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.795774715 ; - qudt:expression "\\(Oe-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MagnetomotiveForce ; - qudt:symbol "Oe⋅cm" ; - qudt:ucumCode "Oe.cm"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Oersted Centimeter"@en-us ; - rdfs:label "Oersted Centimetre"@en ; -. -unit:OHM - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The \\textit{ohm} is the SI derived unit of electrical resistance, named after German physicist Georg Simon Ohm. \\(\\Omega \\equiv\\ \\frac{\\text{V}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{volt}}{\\text{amp}}\\ \\equiv\\ \\frac{\\text{W}}{\\text {A}^{2}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}^{2}}\\ \\equiv\\ \\frac{\\text{H}}{\\text {s}}\\ \\equiv\\ \\frac{\\text{henry}}{\\text{second}}\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ohm"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Impedance ; - qudt:hasQuantityKind quantitykind:ModulusOfImpedance ; - qudt:hasQuantityKind quantitykind:Reactance ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA017" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ohm?oldid=494685555"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "V/A" ; - qudt:symbol "Ω" ; - qudt:ucumCode "Ohm"^^qudt:UCUMcs ; - qudt:udunitsCode "Ω" ; - qudt:uneceCommonCode "OHM" ; - rdfs:isDefinedBy ; - rdfs:label "Ohm"@de ; - rdfs:label "ohm"@cs ; - rdfs:label "ohm"@en ; - rdfs:label "ohm"@fr ; - rdfs:label "ohm"@hu ; - rdfs:label "ohm"@it ; - rdfs:label "ohm"@ms ; - rdfs:label "ohm"@pt ; - rdfs:label "ohm"@ro ; - rdfs:label "ohm"@sl ; - rdfs:label "ohm"@tr ; - rdfs:label "ohmio"@es ; - rdfs:label "ohmium"@la ; - rdfs:label "om"@pl ; - rdfs:label "ωμ"@el ; - rdfs:label "ом"@bg ; - rdfs:label "ом"@ru ; - rdfs:label "אוהם"@he ; - rdfs:label "أوم"@ar ; - rdfs:label "اهم"@fa ; - rdfs:label "ओह्म"@hi ; - rdfs:label "オーム"@ja ; - rdfs:label "欧姆"@zh ; -. -unit:OHM-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ResidualResistivity ; - qudt:hasQuantityKind quantitykind:Resistivity ; - qudt:iec61360Code "0112/2///62720#UAA020" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "Ω⋅m" ; - qudt:ucumCode "Ohm.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C61" ; - rdfs:isDefinedBy ; - rdfs:label "Ohm Meter"@en-us ; - rdfs:label "Ohmmeter"@de ; - rdfs:label "ohm meter"@ms ; - rdfs:label "ohm metr"@cs ; - rdfs:label "ohm metre"@en ; - rdfs:label "ohm metre"@tr ; - rdfs:label "ohm per metro"@it ; - rdfs:label "ohm-metro"@pt ; - rdfs:label "ohm-metru"@ro ; - rdfs:label "ohm-mètre"@fr ; - rdfs:label "ohmio metro"@es ; - rdfs:label "ом-метр"@ru ; - rdfs:label "أوم متر"@ar ; - rdfs:label "اهم متر"@fa ; - rdfs:label "ओह्म मीटर"@hi ; - rdfs:label "オームメートル"@ja ; - rdfs:label "欧姆米"@zh ; -. -unit:OHM-M2-PER-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-2L3I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistivity ; - qudt:symbol "Ω⋅m²/m" ; - qudt:ucumCode "Ohm2.m.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Ohm Square Meter per Meter"@en-us ; - rdfs:label "Ohm Square Metre per Metre"@en ; -. -unit:OHM_Ab - a qudt:Unit ; - dcterms:description "\\(\\textit{abohm}\\) is the basic unit of electrical resistance in the emu-cgs system of units. One abohm is equal to \\(10^{-9} ohms\\) in the SI system of units; one abohm is a nano ohm."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abohm"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abohm?oldid=480725336"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "abΩ" ; - qudt:ucumCode "nOhm"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abohm"@en ; -. -unit:OHM_Stat - a qudt:Unit ; - dcterms:description "\"StatOHM\" is the unit of resistance, reactance, and impedance in the electrostatic C.G.S system of units, equal to the resistance between two points of a conductor when a constant potential difference of 1 statvolt between these points produces a current of 1 statampere; it is equal to approximately \\(8.9876 \\times 10^{11} ohms\\). The statohm is an extremely large unit of resistance. In fact, an object with a resistance of 1 stat W would make an excellent insulator or dielectric . In practical applications, the ohm, the kilohm (k W ) and the megohm (M W or M) are most often used to quantify resistance."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 8.9876e11 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://whatis.techtarget.com/definition/statohm-stat-W"^^xsd:anyURI ; - qudt:latexSymbol "\\(stat\\Omega\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "statΩ" ; - rdfs:isDefinedBy ; - rdfs:label "Statohm"@en ; -. -unit:OZ - a qudt:Unit ; - dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.028349523125 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:OZ_M ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "oz" ; - qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "ONZ" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce Mass"@en ; -. -unit:OZ-FT - a qudt:Unit ; - dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0086409 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LengthMass ; - qudt:iec61360Code "0112/2///62720#UAB133" ; - qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and foot according to the Anglo-American and Imperial system of units" ; - qudt:symbol "oz⋅ft" ; - qudt:ucumCode "[oz_av].[ft_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4R" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Foot"@en ; -. -unit:OZ-IN - a qudt:Unit ; - dcterms:description "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000694563 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:LengthMass ; - qudt:iec61360Code "0112/2///62720#UAB132" ; - qudt:plainTextDescription "unit of the unbalance as a product of avoirdupois ounce according to the avoirdupois system of units and inch according to the Anglo-American and Imperial system of units" ; - qudt:symbol "oz⋅in" ; - qudt:ucumCode "[oz_av].[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4Q" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Inch"@en ; -. -unit:OZ-PER-DAY - a qudt:Unit ; - dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.2812e-07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA919" ; - qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time day" ; - qudt:symbol "oz/day" ; - qudt:ucumCode "[oz_av].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L33" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Day"@en ; -. -unit:OZ-PER-FT2 - a qudt:Unit ; - dcterms:description "\"Ounce per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.305151727 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "oz/ft^{2}" ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:symbol "oz/ft²{US}" ; - qudt:ucumCode "[oz_av].[sft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Mass Ounce per Square Foot"@en ; -. -unit:OZ-PER-GAL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Ounce per Gallon\" is an Imperial unit for 'Density' expressed as \\(oz/gal\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 6.23602329 ; - qudt:expression "oz/gal" ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "oz/gal{US}" ; - qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Mass Ounce per Gallon"@en ; -. -unit:OZ-PER-GAL_UK - a qudt:Unit ; - dcterms:description "unit of the density according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 6.2360 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA923" ; - qudt:plainTextDescription "unit of the density according to the Imperial system of units" ; - qudt:symbol "oz/gal{UK}" ; - qudt:ucumCode "[oz_av].[gal_br]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L37" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Gallon (UK)"@en ; -. -unit:OZ-PER-GAL_US - a qudt:Unit ; - dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 7.8125 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA924" ; - qudt:informativeReference "https://cdd.iec.ch/cdd/iec61360/iec61360.nsf/Units/0112-2---62720%23UAA924"^^xsd:anyURI ; - qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; - qudt:symbol "oz/gal{US}" ; - qudt:ucumCode "[oz_av].[gal_us]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L38" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Gallon (US)"@en ; -. -unit:OZ-PER-HR - a qudt:Unit ; - dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 7.87487e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA920" ; - qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time hour" ; - qudt:symbol "oz/hr" ; - qudt:ucumCode "[oz_av].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L34" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Hour"@en ; -. -unit:OZ-PER-IN3 - a qudt:Unit ; - dcterms:description "\"Ounce per Cubic Inch\" is an Imperial unit for 'Density' expressed as \\(oz/in^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1729.99404 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "oz/in^{3}" ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "oz/in³{US}" ; - qudt:ucumCode "[oz_av].[cin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L39" ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Mass Ounce per Cubic Inch"@en ; -. -unit:OZ-PER-MIN - a qudt:Unit ; - dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000472492 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA921" ; - qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the unit for time minute" ; - qudt:symbol "oz/min" ; - qudt:ucumCode "[oz_av].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L35" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Minute"@en ; -. -unit:OZ-PER-SEC - a qudt:Unit ; - dcterms:description "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.02834952 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA922" ; - qudt:plainTextDescription "traditional unit of the mass avoirdupois ounce according to the avoirdupois system of units divided by the SI base unit second" ; - qudt:symbol "oz/s" ; - qudt:ucumCode "[oz_av].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L36" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Second"@en ; -. -unit:OZ-PER-YD2 - a qudt:Unit ; - dcterms:description "\"Ounce per Square Yard\" is an Imperial unit for 'Mass Per Area' expressed as \\(oz/yd^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0339057474748823 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "oz/yd^{2}" ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:symbol "oz/yd³{US}" ; - qudt:ucumCode "[oz_av].[syd_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Mass Ounce per Square Yard"@en ; -. -unit:OZ-PER-YD3 - a qudt:Unit ; - dcterms:description "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0370798 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA918" ; - qudt:plainTextDescription "unit ounce according to the avoirdupois system of units divided by the power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; - qudt:symbol "oz/yd³" ; - qudt:ucumCode "[oz_av].[cyd_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G32" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (avoirdupois) Per Cubic Yard"@en ; -. -unit:OZ_F - a qudt:Unit ; - dcterms:description "\"Ounce Force\" is an Imperial unit for 'Force' expressed as \\(ozf\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.278013875 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:symbol "ozf" ; - qudt:ucumCode "[ozf_av]"^^qudt:UCUMcs ; - qudt:udunitsCode "ozf" ; - qudt:uneceCommonCode "L40" ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Ounce Force"@en ; -. -unit:OZ_F-IN - a qudt:Unit ; - dcterms:description "\"Ounce Force Inch\" is an Imperial unit for 'Torque' expressed as \\(ozf-in\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0706155243 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MomentOfForce ; - qudt:hasQuantityKind quantitykind:Torque ; - qudt:symbol "ozf⋅in" ; - qudt:ucumCode "[ozf_av].[in_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L41" ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Ounce Force Inch"@en ; -. -unit:OZ_M - a qudt:Unit ; - dcterms:description "An ounce of mass is 1/16th of a pound of mass, based on the international standard definition of the pound as exactly 0.45359237 kg."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.028349523125 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:OZ ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "oz" ; - qudt:ucumCode "[oz_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "ONZ" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce Mass"@en ; -. -unit:OZ_TROY - a qudt:Unit ; - dcterms:description "An obsolete unit of mass; the Troy Ounce is 1/12th of a Troy Pound. Based on the international definition of a Troy Pound as 5760 grains, the Troy Ounce is exactly 480 grains, or 0.0311034768 kg."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0311034768 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:symbol "oz{Troy}" ; - qudt:ucumCode "[oz_tr]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "APZ" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce Troy"@en ; -. -unit:OZ_VOL_UK - a qudt:Unit ; - dcterms:description "\\(\\textit{Imperial Ounce}\\) is an Imperial unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 2.84130625e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA431" ; - qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; - qudt:symbol "oz{UK}" ; - qudt:ucumCode "[foz_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "OZI" ; - rdfs:isDefinedBy ; - rdfs:label "Fluid Ounce (UK)"@en ; -. -unit:OZ_VOL_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 7.87487e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA432" ; - qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "oz{UK}/day" ; - qudt:ucumCode "[foz_br].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J95" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (UK Fluid) Per Day"@en ; -. -unit:OZ_VOL_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 7.87487e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA433" ; - qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "oz{UK}/hr" ; - qudt:ucumCode "[foz_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J96" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (UK Fluid) Per Hour"@en ; -. -unit:OZ_VOL_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00472492 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA434" ; - qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "oz{UK}/min" ; - qudt:ucumCode "[foz_br].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J97" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (UK Fluid) Per Minute"@en ; -. -unit:OZ_VOL_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 2.84e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA435" ; - qudt:plainTextDescription "unit of the volume fluid ounce (UK) for fluids according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "oz{UK}/s" ; - qudt:ucumCode "[foz_br].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J98" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (UK Fluid) Per Second"@en ; -. -unit:OZ_VOL_US - a qudt:Unit ; - dcterms:description "\"US Liquid Ounce\" is a unit for 'Liquid Volume' expressed as \\(oz\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.95735296e-05 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:symbol "fl oz{US}" ; - qudt:ucumCode "[foz_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "fl oz" ; - qudt:uneceCommonCode "OZA" ; - rdfs:isDefinedBy ; - rdfs:label "US Liquid Ounce"@en ; -. -unit:OZ_VOL_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.42286e-10 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA436" ; - qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by unit for time day" ; - qudt:symbol "oz{US}/day" ; - qudt:ucumCode "[foz_us].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J99" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (US Fluid) Per Day"@en ; -. -unit:OZ_VOL_US-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 8.214869e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA437" ; - qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "oz{US}/hr" ; - qudt:ucumCode "[foz_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K10" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (US Fluid) Per Hour"@en ; -. -unit:OZ_VOL_US-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.92892e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA438" ; - qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "oz{US}/min" ; - qudt:ucumCode "[foz_us].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K11" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (US Fluid) Per Minute"@en ; -. -unit:OZ_VOL_US-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.95735296e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA439" ; - qudt:plainTextDescription "unit of the volume fluid ounce (US) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "oz{US}/s" ; - qudt:ucumCode "[foz_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K12" ; - rdfs:isDefinedBy ; - rdfs:label "Ounce (US Fluid) Per Second"@en ; -. -unit:PA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of pressure. The pascal is the standard pressure unit in the MKS metric system, equal to one newton per square meter or one \"kilogram per meter per second per second.\" The unit is named for Blaise Pascal (1623-1662), French philosopher and mathematician, who was the first person to use a barometer to measure differences in altitude."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; - qudt:exactMatch unit:KiloGM-PER-M-SEC2 ; - qudt:exactMatch unit:N-PER-M2 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:BulkModulus ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:Fugacity ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAA258" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "N/m^2" ; - qudt:symbol "Pa" ; - qudt:ucumCode "Pa"^^qudt:UCUMcs ; - qudt:udunitsCode "Pa" ; - qudt:uneceCommonCode "PAL" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal"@de ; - rdfs:label "pascal"@cs ; - rdfs:label "pascal"@en ; - rdfs:label "pascal"@es ; - rdfs:label "pascal"@fr ; - rdfs:label "pascal"@hu ; - rdfs:label "pascal"@it ; - rdfs:label "pascal"@ms ; - rdfs:label "pascal"@pt ; - rdfs:label "pascal"@ro ; - rdfs:label "pascal"@sl ; - rdfs:label "pascal"@tr ; - rdfs:label "pascalium"@la ; - rdfs:label "paskal"@pl ; - rdfs:label "πασκάλ"@el ; - rdfs:label "паскал"@bg ; - rdfs:label "паскаль"@ru ; - rdfs:label "פסקל"@he ; - rdfs:label "باسكال"@ar ; - rdfs:label "پاسگال"@fa ; - rdfs:label "पास्कल"@hi ; - rdfs:label "パスカル"@ja ; - rdfs:label "帕斯卡"@zh ; -. -unit:PA-L-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA261" ; - qudt:plainTextDescription "product out of the SI derived unit pascal and the unit litre divided by the SI base unit second" ; - qudt:symbol "Pa⋅L/s" ; - qudt:ucumCode "Pa.L.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F99" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Liter Per Second"@en-us ; - rdfs:label "Pascal Litre Per Second"@en ; -. -unit:PA-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "Pa⋅m" ; - qudt:ucumCode "Pa.m"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal metres"@en ; -. -unit:PA-M-PER-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "Pa⋅m/s" ; - qudt:ucumCode "Pa.m.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal metres per second"@en ; -. -unit:PA-M-PER-SEC2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-4D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "Pa⋅m/s²" ; - qudt:ucumCode "Pa.m.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal metres per square second"@en ; -. -unit:PA-M0pt5 - a qudt:Unit ; - dcterms:description "A metric unit for stress intensity factor and fracture toughness."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-0pt5I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:StressIntensityFactor ; - qudt:plainTextDescription "A metric unit for stress intensity factor and fracture toughness." ; - qudt:symbol "Pa√m" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Square Root Meter"@en ; -. -unit:PA-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA264" ; - qudt:plainTextDescription "product out of the SI derived unit pascal and the power of the SI base unit metre with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "Pa⋅m³/s" ; - qudt:ucumCode "Pa.m3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G01" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Cubic Meter Per Second"@en-us ; - rdfs:label "Pascal Cubic Metre Per Second"@en ; -. -unit:PA-PER-BAR - a qudt:Unit ; - dcterms:description "SI derived unit pascal divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA260" ; - qudt:plainTextDescription "SI derived unit pascal divided by the unit bar" ; - qudt:symbol "Pa/bar" ; - qudt:ucumCode "Pa.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F07" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Per Bar"@en ; -. -unit:PA-PER-HR - a qudt:Unit ; - dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one hour."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000277777778 ; - qudt:expression "\\(P / hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "P/hr" ; - qudt:ucumCode "Pa.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal per Hour"@en ; -. -unit:PA-PER-K - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(pascal-per-kelvin\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H-1T-2D0 ; - qudt:hasQuantityKind quantitykind:PressureCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA259" ; - qudt:symbol "P/K" ; - qudt:ucumCode "Pa.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C64" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal per Kelvin"@en ; -. -unit:PA-PER-M - a qudt:Unit ; - dcterms:description "SI derived unit pascal divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:SpectralRadiantEnergyDensity ; - qudt:iec61360Code "0112/2///62720#UAA262" ; - qudt:plainTextDescription "SI derived unit pascal divided by the SI base unit metre" ; - qudt:symbol "Pa/m" ; - qudt:ucumCode "Pa.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "Pa/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H42" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Per Meter"@en-us ; - rdfs:label "Pascal Per Metre"@en ; -. -unit:PA-PER-MIN - a qudt:Unit ; - dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one minute."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.0166666667 ; - qudt:expression "\\(P / min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "P/min" ; - qudt:ucumCode "Pa.min-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal per Minute"@en ; -. -unit:PA-PER-SEC - a qudt:Unit ; - dcterms:description "A rate of change of pressure measured as the number of Pascals in a period of one second."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(P / s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:symbol "P/s" ; - qudt:ucumCode "Pa.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "Pa/s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Pascal per Second"@en ; -. -unit:PA-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of dynamic viscosity, equal to 10 poises or 1000 centipoises. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(Pa-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA265" ; - qudt:siUnitsExpression "Pa.s" ; - qudt:symbol "Pa⋅s" ; - qudt:ucumCode "Pa.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C65" ; - rdfs:isDefinedBy ; - rdfs:label "Pascalsekunde"@de ; - rdfs:label "pascal per secondo"@it ; - rdfs:label "pascal saat"@ms ; - rdfs:label "pascal saniye"@tr ; - rdfs:label "pascal second"@en ; - rdfs:label "pascal segundo"@es ; - rdfs:label "pascal sekunda"@cs ; - rdfs:label "pascal sekunda"@sl ; - rdfs:label "pascal-seconde"@fr ; - rdfs:label "pascal-secundă"@ro ; - rdfs:label "pascal-segundo"@pt ; - rdfs:label "paskalosekunda"@pl ; - rdfs:label "паскаль-секунда"@ru ; - rdfs:label "باسكال ثانية"@ar ; - rdfs:label "نیوتون ثانیه"@fa ; - rdfs:label "पास्कल सैकण्ड"@hi ; - rdfs:label "パスカル秒"@ja ; - rdfs:label "帕斯卡秒"@zh ; -. -unit:PA-SEC-PER-BAR - a qudt:Unit ; - dcterms:description "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA267" ; - qudt:plainTextDescription "product out of the SI derived unit pascal and the SI base unit second divided by the unit bar" ; - qudt:symbol "Pa⋅s/bar" ; - qudt:ucumCode "Pa.s.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H07" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Second Per Bar"@en ; -. -unit:PA-SEC-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Pascal Second Per Meter (\\(Pa-s/m\\)) is a unit in the category of Specific acoustic impedance. It is also known as pascal-second/meter. Pascal Second Per Meter has a dimension of \\(ML^2T^{-1}\\) where M is mass, L is length, and T is time. It essentially the same as the corresponding standard SI unit \\(kg/m2\\cdot s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Pa-s/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AcousticImpedance ; - qudt:iec61360Code "0112/2///62720#UAA268" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; - qudt:siUnitsExpression "Pa.s/m" ; - qudt:symbol "Pa⋅s/m" ; - qudt:ucumCode "Pa.s.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C67" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Second Per Meter"@en-us ; - rdfs:label "Pascal Second Per Metre"@en ; -. -unit:PA-SEC-PER-M3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textit{Pascal Second Per Cubic Meter}\\) (\\(Pa-s/m^3\\)) is a unit in the category of Acoustic impedance. It is also known as \\(\\textit{pascal-second/cubic meter}\\). It has a dimension of \\(ML^{-4}T^{-1}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Pa-s/m3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:iec61360Code "0112/2///62720#UAA263" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--acoustic_impedance--pascal_second_per_cubic_meter.cfm"^^xsd:anyURI ; - qudt:siUnitsExpression "Pa.s/m3" ; - qudt:symbol "Pa⋅s/m³" ; - qudt:ucumCode "Pa.s.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C66" ; - rdfs:isDefinedBy ; - rdfs:label "Pascal Second Per Cubic Meter"@en-us ; - rdfs:label "Pascalsekunde je Kubikmeter"@de ; - rdfs:label "pascal per secondo al metro cubo"@it ; - rdfs:label "pascal saat per meter kubik"@ms ; - rdfs:label "pascal saniye bölü metre küp"@tr ; - rdfs:label "pascal second per cubic metre"@en ; - rdfs:label "pascal segundo por metro cúbico"@es ; - rdfs:label "pascal sekunda na metr krychlový"@cs ; - rdfs:label "pascal-seconde par mètre cube"@fr ; - rdfs:label "pascal-secundă pe metru cub"@ro ; - rdfs:label "pascal-segundo por metro cúbico"@pt ; - rdfs:label "paskalosekunda na metr sześcienny"@pl ; - rdfs:label "паскаль-секунда на кубический метр"@ru ; - rdfs:label "باسكال ثانية لكل متر مكعب"@ar ; - rdfs:label "نیوتون ثانیه بر متر مکعب"@fa ; - rdfs:label "पास्कल सैकण्ड प्रति घन मीटर"@hi ; - rdfs:label "パスカル秒毎立方メートル"@ja ; -. -unit:PA2-PER-SEC2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-6D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "Pa²⋅m/s²" ; - qudt:ucumCode "Pa2.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square pascal per square second"@en ; -. -unit:PA2-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Square Pascal Second (\\(Pa^2\\cdot s\\)) is a unit in the category of sound exposure."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Pa2-s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M2H0T-3D0 ; - qudt:hasQuantityKind quantitykind:SoundExposure ; - qudt:iec61360Code "0112/2///62720#UAB339" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--specific_acoustic_impedance--pascal_second_per_meter.cfm"^^xsd:anyURI ; - qudt:siUnitsExpression "Pa2.s" ; - qudt:symbol "Pa²⋅s" ; - qudt:ucumCode "Pa2.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P42" ; - rdfs:isDefinedBy ; - rdfs:label "Square Pascal Second"@en ; -. -unit:PARSEC - a qudt:Unit ; - dcterms:description "The parsec (parallax of one arcsecond; symbol: pc) is a unit of length, equal to just under 31 trillion (\\(31 \\times 10^{12}\\)) kilometres (about 19 trillion miles), 206265 AU, or about 3.26 light-years. The parsec measurement unit is used in astronomy. It is defined as the length of the adjacent side of an imaginary right triangle in space. The two dimensions that specify this triangle are the parallax angle (defined as 1 arcsecond) and the opposite side (defined as 1 astronomical unit (AU), the distance from the Earth to the Sun). Given these two measurements, along with the rules of trigonometry, the length of the adjacent side (the parsec) can be found."^^qudt:LatexString ; - qudt:conversionMultiplier 3.085678e16 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB067" ; - qudt:omUnit ; - qudt:symbol "pc" ; - qudt:ucumCode "pc"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C63" ; - rdfs:isDefinedBy ; - rdfs:label "Parsec"@en ; -. -unit:PCA - a qudt:Unit ; - dcterms:description "A pica is a typographic unit of measure corresponding to 1/72 of its respective foot, and therefore to 1/6 of an inch. The pica contains 12 point units of measure. Notably, Adobe PostScript promoted the pica unit of measure that is the standard in contemporary printing, as in home computers and printers. Usually, pica measurements are represented with an upper-case 'P' with an upper-right-to-lower-left virgule (slash) starting in the upper right portion of the 'P' and ending at the lower left of the upright portion of the 'P'; essentially drawing a virgule (/) through a 'P'. Note that these definitions are different from a typewriter's pica setting, which denotes a type size of ten characters per horizontal inch."^^rdf:HTML ; - qudt:conversionMultiplier 0.0042333 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pica"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB606" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pica?oldid=458102937"^^xsd:anyURI ; - qudt:symbol "pc" ; - qudt:ucumCode "[pca]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "R1" ; - rdfs:isDefinedBy ; - rdfs:label "Pica"@en ; -. -unit:PDL - a qudt:Unit ; - dcterms:description "The poundal is a unit of force that is part of the foot-pound-second system of units, in Imperial units introduced in 1877, and is from the specialized subsystem of English absolute (a coherent system). The poundal is defined as the force necessary to accelerate 1 pound-mass to 1 foot per second per second. \\(1 pdl = 0.138254954376 N\\) exactly."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.138254954376 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Poundal"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAB233" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Poundal?oldid=494626458"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "pdl" ; - qudt:ucumCode "[lb_av].[ft_i].s-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M76" ; - rdfs:isDefinedBy ; - rdfs:label "Poundal"@en ; -. -unit:PDL-PER-FT2 - a qudt:Unit ; - dcterms:description "Poundal Per Square Foot (\\(pdl/ft^2\\)) is a unit in the category of Pressure. It is also known as poundals per square foot, poundal/square foot. This unit is commonly used in the UK, US unit systems. Poundal Per Square Foot has a dimension of \\(ML^{-1}T^{-2}\\), where M is mass, L is length, and T is time. It can be converted to the corresponding standard SI unit \\si{Pa} by multiplying its value by a factor of 1.488163944."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.48816443 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(pdl/ft^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB243" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--pressure--poundal_per_square_foot.cfm"^^xsd:anyURI ; - qudt:symbol "pdl/ft²" ; - qudt:ucumCode "[lb_av].[ft_i].s-2.[sft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N21" ; - rdfs:isDefinedBy ; - rdfs:label "Poundal per Square Foot"@en ; -. -unit:PER-ANGSTROM - a qudt:Unit ; - dcterms:description "reciprocal of the unit angstrom"^^rdf:HTML ; - qudt:conversionMultiplier 0.0000000001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:iec61360Code "0112/2///62720#UAB058" ; - qudt:plainTextDescription "reciprocal of the unit angstrom" ; - qudt:symbol "/Å" ; - qudt:ucumCode "Ao-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C85" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Angstrom"@en ; -. -unit:PER-BAR - a qudt:Unit ; - dcterms:description "reciprocal of the metrical unit with the name bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Compressibility ; - qudt:hasQuantityKind quantitykind:InversePressure ; - qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; - qudt:iec61360Code "0112/2///62720#UAA328" ; - qudt:plainTextDescription "reciprocal of the metrical unit with the name bar" ; - qudt:symbol "/bar" ; - qudt:ucumCode "bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F58" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Bar"@en ; -. -unit:PER-CentiM - a qudt:Unit ; - dcterms:description "reciprocal of the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:iec61360Code "0112/2///62720#UAA382" ; - qudt:plainTextDescription "reciprocal of the 0.01-fold of the SI base unit metre" ; - qudt:symbol "/cm" ; - qudt:ucumCode "/cm"^^qudt:UCUMcs ; - qudt:ucumCode "cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E90" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Centimeter"@en-us ; - rdfs:label "Reciprocal Centimetre"@en ; -. -unit:PER-CentiM3 - a qudt:Unit ; - dcterms:description "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAA383" ; - qudt:plainTextDescription "reciprocal of the 0.000001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "/cm³" ; - qudt:ucumCode "cm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H50" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Centimeter"@en-us ; - rdfs:label "Reciprocal Cubic Centimetre"@en ; -. -unit:PER-DAY - a qudt:Unit ; - dcterms:description "reciprocal of the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.157407e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA408" ; - qudt:plainTextDescription "reciprocal of the unit day" ; - qudt:symbol "/day" ; - qudt:ucumCode "/d"^^qudt:UCUMcs ; - qudt:ucumCode "d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E91" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Day"@en ; -. -unit:PER-EV2 - a qudt:Unit ; - dcterms:description "Per Square Electron Volt is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 38956440500000000000000000000000000000.0 ; - qudt:expression "\\(/eV^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; - qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; - qudt:symbol "/eV²" ; - qudt:ucumCode "eV-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Electron Volt"@en ; -. -unit:PER-FT3 - a qudt:Unit ; - dcterms:description "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 35.31466 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAA453" ; - qudt:plainTextDescription "reciprocal value of the power of the unit foot according to the Anglo-American and the Imperial system of units with the exponent 3" ; - qudt:symbol "/ft³" ; - qudt:ucumCode "[cft_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K20" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Foot"@en ; -. -unit:PER-GM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/g" ; - qudt:ucumCode "g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal gram"@en ; -. -unit:PER-GigaEV2 - a qudt:Unit ; - dcterms:description "Per Square Giga Electron Volt Unit is a denominator unit with dimensions \\(/GeV^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.89564405e19 ; - qudt:expression "\\(/GeV^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; - qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; - qudt:symbol "/GeV²" ; - qudt:ucumCode "GeV-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Giga Electron Volt Unit"@en ; -. -unit:PER-H - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/H" ; - qudt:ucumCode "H-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C89" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Henry"@en ; -. -unit:PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal hour}\\) or \"inverse hour\"."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 360.0 ; - qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/hr" ; - qudt:ucumCode "/h"^^qudt:UCUMcs ; - qudt:ucumCode "h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H10" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Hour"@en ; -. -unit:PER-IN3 - a qudt:Unit ; - dcterms:description "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 61023.76 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAA546" ; - qudt:plainTextDescription "reciprocal value of the power of the unit inch according to the Anglo-American and the Imperial system of units with the exponent 3" ; - qudt:symbol "/in³" ; - qudt:ucumCode "[cin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K49" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Inch"@en ; -. -unit:PER-J-M3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(j^{-1}-m^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensityOfStates ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "/(J⋅m³)" ; - qudt:ucumCode "J-1.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C90" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Joule Cubic Meter"@en-us ; - rdfs:label "Reciprocal Joule Cubic Metre"@en ; -. -unit:PER-J2 - a qudt:Unit ; - dcterms:description "Per Square Joule is a denominator unit with dimensions \\(/eV^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(/J^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-4I0M-2H0T4D0 ; - qudt:hasQuantityKind quantitykind:InverseEnergy_Squared ; - qudt:symbol "/J²" ; - qudt:ucumCode "J-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Joule"@en ; -. -unit:PER-K - a qudt:Unit ; - dcterms:description "Per Kelvin Unit is a denominator unit with dimensions \\(/k\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:ExpansionRatio ; - qudt:hasQuantityKind quantitykind:InverseTemperature ; - qudt:hasQuantityKind quantitykind:RelativePressureCoefficient ; - qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; - qudt:symbol "/K" ; - qudt:ucumCode "K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C91" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Kelvin"@en ; -. -unit:PER-KiloGM2 - a qudt:Unit ; - dcterms:description "Per Square Kilogram is a denominator unit with dimensions \\(/kg^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(/kg^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseMass_Squared ; - qudt:symbol "/kg²" ; - qudt:ucumCode "kg-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Kilogram"@en ; -. -unit:PER-KiloM - a qudt:Unit ; - dcterms:description "Per Kilometer Unit is a denominator unit with dimensions \\(/km\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:expression "\\(per-kilometer\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/km" ; - qudt:ucumCode "/km"^^qudt:UCUMcs ; - qudt:ucumCode "km-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Kilometer"@en-us ; - rdfs:label "Reciprocal Kilometre"@en ; -. -unit:PER-KiloV-A-HR - a qudt:Unit ; - dcterms:description "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:InverseEnergy ; - qudt:iec61360Code "0112/2///62720#UAA098" ; - qudt:plainTextDescription "reciprocal of the 1,000-fold of the product of the SI derived unit volt and the SI base unit ampere and the unit hour" ; - qudt:symbol "/(kV⋅A⋅hr)" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Kilovolt Ampere Hour"@en ; -. -unit:PER-L - a qudt:Unit ; - dcterms:description "reciprocal value of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAA667" ; - qudt:plainTextDescription "reciprocal value of the unit litre" ; - qudt:symbol "/L" ; - qudt:ucumCode "/L"^^qudt:UCUMcs ; - qudt:ucumCode "L-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K63" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Liter"@en-us ; - rdfs:label "Reciprocal Litre"@en ; -. -unit:PER-M - a qudt:Unit ; - dcterms:description "Per Meter Unit is a denominator unit with dimensions \\(/m\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(per-meter\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/m" ; - qudt:ucumCode "/m"^^qudt:UCUMcs ; - qudt:ucumCode "m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C92" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Meter"@en-us ; - rdfs:label "Reciprocal Metre"@en ; -. -unit:PER-M-K - a qudt:Unit ; - dcterms:description "Per Meter Kelvin Unit is a denominator unit with dimensions \\(/m.k\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(/m.k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:InverseLengthTemperature ; - qudt:symbol "/(m⋅K)" ; - qudt:ucumCode "m-1.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Meter Kelvin"@en-us ; - rdfs:label "Reciprocal Metre Kelvin"@en ; -. -unit:PER-M-NanoM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(m⋅nm)" ; - qudt:ucumCode "m-1.nm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal metre per nanometre"@en ; -. -unit:PER-M-NanoM-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(m⋅nm⋅sr)" ; - qudt:ucumCode "m-1.nm-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal metre per nanometre per steradian"@en ; -. -unit:PER-M-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(m⋅s)" ; - qudt:ucumCode "m-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal metre per second"@en ; -. -unit:PER-M-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(m⋅sr)" ; - qudt:ucumCode "m-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal metre per steradian"@en ; -. -unit:PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Per Square Meter\" is a denominator unit with dimensions \\(/m^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ParticleFluence ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "/m²" ; - qudt:ucumCode "/m2"^^qudt:UCUMcs ; - qudt:ucumCode "m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C93" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Meter"@en-us ; - rdfs:label "Reciprocal Square Metre"@en ; -. -unit:PER-M2-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^{-2}-s^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Flux ; - qudt:hasQuantityKind quantitykind:ParticleFluenceRate ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "/(m²⋅s)" ; - qudt:ucumCode "m-2.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "B81" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Square Meter Second"@en-us ; - rdfs:label "Reciprocal Square Metre Second"@en ; - rdfs:label "Reciprocal square metre per second"@en ; -. -unit:PER-M3 - a qudt:Unit ; - dcterms:description "\"Per Cubic Meter\" is a denominator unit with dimensions \\(/m^3\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(/m^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:hasQuantityKind quantitykind:NumberDensity ; - qudt:symbol "/m³" ; - qudt:ucumCode "/m3"^^qudt:UCUMcs ; - qudt:ucumCode "m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C86" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Meter"@en-us ; - rdfs:label "Reciprocal Cubic Metre"@en ; -. -unit:PER-M3-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(m^{-3}-s^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:ParticleSourceDensity ; - qudt:hasQuantityKind quantitykind:Slowing-DownDensity ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31895"^^xsd:anyURI ; - qudt:symbol "/(m³⋅s)" ; - qudt:ucumCode "m-3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C87" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Meter Second"@en-us ; - rdfs:label "Reciprocal Cubic Metre Second"@en ; - rdfs:label "Reciprocal cubic metre per second"@en ; -. -unit:PER-MILLE-PER-PSI - a qudt:Unit ; - dcterms:description "thousandth divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; - qudt:conversionMultiplier 1.450377e-07 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Compressibility ; - qudt:hasQuantityKind quantitykind:InversePressure ; - qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; - qudt:iec61360Code "0112/2///62720#UAA016" ; - qudt:plainTextDescription "thousandth divided by the composed unit for pressure (pound-force per square inch)" ; - qudt:symbol "/ksi" ; - qudt:uneceCommonCode "J12" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Mille Per Psi"@en ; -. -unit:PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A reciprocal unit of time for \\(\\textit{reciprocal minute}\\) or \\(\\textit{inverse minute}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 60.0 ; - qudt:expression "\\(m^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/min" ; - qudt:ucumCode "/min"^^qudt:UCUMcs ; - qudt:ucumCode "min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C94" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Minute"@en ; -. -unit:PER-MO - a qudt:Unit ; - dcterms:description "reciprocal of the unit month"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.91935077e-07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA881" ; - qudt:plainTextDescription "reciprocal of the unit month" ; - qudt:symbol "/month" ; - qudt:ucumCode "mo-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H11" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Month"@en ; -. -unit:PER-MOL - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

Per Mole Unit is a denominator unit with dimensions \\(mol^{-1}\\)

."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(/mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseAmountOfSubstance ; - qudt:symbol "/mol" ; - qudt:ucumCode "/mol"^^qudt:UCUMcs ; - qudt:ucumCode "mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C95" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Mole"@en ; -. -unit:PER-MicroM - a qudt:Unit ; - dcterms:description "Per Micrometer Unit is a denominator unit with dimensions \\(/microm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:expression "\\(per-micrometer\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/µm" ; - qudt:ucumCode "/um"^^qudt:UCUMcs ; - qudt:ucumCode "um-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Micrometer"@en-us ; - rdfs:label "Reciprocal Micrometre"@en ; -. -unit:PER-MicroMOL-L - a qudt:Unit ; - dcterms:description "Units used to describe the sensitivity of detection of a spectrophotometer."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A-1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(mmol⋅L)" ; - qudt:ucumCode "umol-1.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal micromole per litre"@en ; -. -unit:PER-MilliL - a qudt:Unit ; - dcterms:description "reciprocal value of the unit Millilitre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:plainTextDescription "reciprocal value of the unit millilitre" ; - qudt:symbol "/mL" ; - qudt:ucumCode "/mL"^^qudt:UCUMcs ; - qudt:ucumCode "mL-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Milliliter"@en-us ; - rdfs:label "Reciprocal Millilitre"@en ; -. -unit:PER-MilliM - a qudt:Unit ; - dcterms:description "Per Millimeter Unit is a denominator unit with dimensions \\(/mm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:expression "\\(per-millimeter\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/mm" ; - qudt:ucumCode "/mm"^^qudt:UCUMcs ; - qudt:ucumCode "mm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Millimeter"@en-us ; - rdfs:label "Reciprocal Millimetre"@en ; -. -unit:PER-MilliM3 - a qudt:Unit ; - dcterms:description "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAA870" ; - qudt:plainTextDescription "reciprocal value of the 0.000000001-fold of the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "/mm³" ; - qudt:ucumCode "/mm3"^^qudt:UCUMcs ; - qudt:ucumCode "mm-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L20" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Millimeter"@en-us ; - rdfs:label "Reciprocal Cubic Millimetre"@en ; -. -unit:PER-MilliSEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/ms" ; - qudt:ucumCode "ms-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal millisecond"@en ; -. -unit:PER-NanoM - a qudt:Unit ; - dcterms:description "Per Nanometer Unit is a denominator unit with dimensions \\(/nm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:expression "\\(per-nanometer\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/nm" ; - qudt:ucumCode "/nm"^^qudt:UCUMcs ; - qudt:ucumCode "nm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Nanometer"@en-us ; - rdfs:label "Reciprocal Nanometre"@en ; -. -unit:PER-PA - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pascal"^^xsd:anyURI ; - qudt:expression "\\(/Pa\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Compressibility ; - qudt:hasQuantityKind quantitykind:InversePressure ; - qudt:hasQuantityKind quantitykind:IsentropicCompressibility ; - qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; - qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pascal?oldid=492989202"^^xsd:anyURI ; - qudt:siUnitsExpression "m^2/N" ; - qudt:symbol "/Pa" ; - qudt:ucumCode "Pa-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C96" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Pascal"@en ; -. -unit:PER-PA-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/(Pa⋅s)" ; - qudt:ucumCode "Pa-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Pascal per second"@en ; -. -unit:PER-PSI - a qudt:Unit ; - dcterms:description "reciprocal value of the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0001450377 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:InversePressure ; - qudt:hasQuantityKind quantitykind:IsothermalCompressibility ; - qudt:hasQuantityKind quantitykind:StressOpticCoefficient ; - qudt:iec61360Code "0112/2///62720#UAA709" ; - qudt:plainTextDescription "reciprocal value of the composed unit for pressure (pound-force per square inch)" ; - qudt:symbol "/psi" ; - qudt:ucumCode "[psi]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K93" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Psi"@en ; -. -unit:PER-PicoM - a qudt:Unit ; - dcterms:description "Per Picoometer Unit is a denominator unit with dimensions \\(/pm\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e12 ; - qudt:expression "\\(per-picoometer\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularReciprocalLatticeVector ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:CurvatureFromRadius ; - qudt:hasQuantityKind quantitykind:InverseLength ; - qudt:hasQuantityKind quantitykind:LinearAbsorptionCoefficient ; - qudt:hasQuantityKind quantitykind:LinearAttenuationCoefficient ; - qudt:hasQuantityKind quantitykind:LinearIonization ; - qudt:hasQuantityKind quantitykind:PhaseCoefficient ; - qudt:hasQuantityKind quantitykind:PropagationCoefficient ; - qudt:symbol "/pm" ; - qudt:ucumCode "/pm"^^qudt:UCUMcs ; - qudt:ucumCode "pm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Picometer"@en-us ; - rdfs:label "Reciprocal Picometre"@en ; -. -unit:PER-PlanckMass2 - a qudt:Unit ; - dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 2.111089e15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M-2H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseMass_Squared ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; - qudt:symbol "/mₚ²" ; - rdfs:isDefinedBy ; - rdfs:label "Inverse Square Planck Mass"@en ; -. -unit:PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A reciprical unit of time for \\(\\textit{reciprocal second}\\) or \\(\\textit{inverse second}\\). The \\(\\textit{Per Second}\\) is a unit of rate."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:exactMatch unit:HZ ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "/s" ; - qudt:ucumCode "/s"^^qudt:UCUMcs ; - qudt:ucumCode "s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C97" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Second"@en ; -. -unit:PER-SEC-M2 - a qudt:Unit ; - dcterms:description "\\(\\textit{Per Second Square Meter}\\) is a measure of flux with dimensions \\(/sec-m^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(per-sec-m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Flux ; - qudt:symbol "/s⋅m²" ; - qudt:ucumCode "/(s1.m2)"^^qudt:UCUMcs ; - qudt:ucumCode "s-1.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Second Square Meter"@en-us ; - rdfs:label "Reciprocal Second Square Metre"@en ; -. -unit:PER-SEC-M2-SR - a qudt:Unit ; - dcterms:description "Per Second Square Meter Steradian is a denominator unit with dimensions \\(/sec-m^2-sr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(/sec-m^2-sr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:PhotonRadiance ; - qudt:symbol "/s⋅m²⋅sr" ; - qudt:ucumCode "/(s.m2.sr)"^^qudt:UCUMcs ; - qudt:ucumCode "s-1.m-2.sr-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D2" ; - rdfs:comment "It is not clear this unit is ever used. [Editor]" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Second Square Meter Steradian"@en-us ; - rdfs:label "Reciprocal Second Square Metre Steradian"@en ; -. -unit:PER-SEC-SR - a qudt:Unit ; - dcterms:description "Per Second Steradian Unit is a denominator unit with dimensions \\(/sec-sr\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(/sec-sr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:PhotonIntensity ; - qudt:hasQuantityKind quantitykind:TemporalSummationFunction ; - qudt:symbol "/s⋅sr" ; - qudt:ucumCode "/(s.sr)"^^qudt:UCUMcs ; - qudt:ucumCode "s-1.sr-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D1" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Second Steradian"@en ; -. -unit:PER-SEC2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/s²" ; - qudt:ucumCode "s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal square second"@en ; -. -unit:PER-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "/sr" ; - qudt:ucumCode "sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal steradian"@en ; -. -unit:PER-T-M - a qudt:Unit ; - dcterms:description "Per Tesla Meter Unit is a denominator unit with dimensions \\(/m .\\cdot T\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L-1I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:MagneticReluctivity ; - qudt:latexSymbol "\\(m^{-1} \\cdot T^{-1}\\)"^^qudt:LatexString ; - qudt:symbol "/t⋅m" ; - qudt:ucumCode "T-1.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Tesla Meter"@en-us ; - rdfs:label "Reciprocal Tesla Metre"@en ; -. -unit:PER-T-SEC - a qudt:Unit ; - dcterms:description "Per Tesla Second Unit is a denominator unit with dimensions \\(/s . T\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(/s . T\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:symbol "/T⋅s" ; - qudt:ucumCode "T-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Tesla Second Unit"@en ; -. -unit:PER-WB - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(Wb^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:InverseMagneticFlux ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "/Wb" ; - qudt:ucumCode "Wb-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Weber"@en ; -. -unit:PER-WK - a qudt:Unit ; - dcterms:description "reciprocal of the unit week"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.653439e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA099" ; - qudt:plainTextDescription "reciprocal of the unit week" ; - qudt:symbol "/week" ; - qudt:ucumCode "wk-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H85" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Week"@en ; -. -unit:PER-YD3 - a qudt:Unit ; - dcterms:description "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.307951 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:InverseVolume ; - qudt:iec61360Code "0112/2///62720#UAB033" ; - qudt:plainTextDescription "reciprocal value of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3" ; - qudt:symbol "/yd³" ; - qudt:ucumCode "[cyd_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M10" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Cubic Yard"@en ; -. -unit:PER-YR - a qudt:Unit ; - dcterms:description "reciprocal of the unit year"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.1709792e-08 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAB027" ; - qudt:plainTextDescription "reciprocal of the unit year" ; - qudt:symbol "/yr" ; - qudt:ucumCode "/a"^^qudt:UCUMcs ; - qudt:ucumCode "a-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H09" ; - rdfs:isDefinedBy ; - rdfs:label "Reciprocal Year"@en ; -. -unit:PERCENT - a qudt:Unit ; - dcterms:description "\"Percent\" is a unit for 'Dimensionless Ratio' expressed as \\(\\%\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Percentage"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:hasQuantityKind quantitykind:LengthPercentage ; - qudt:hasQuantityKind quantitykind:PressurePercentage ; - qudt:hasQuantityKind quantitykind:Prevalence ; - qudt:hasQuantityKind quantitykind:Reflectance ; - qudt:hasQuantityKind quantitykind:RelativeHumidity ; - qudt:hasQuantityKind quantitykind:RelativeLuminousFlux ; - qudt:hasQuantityKind quantitykind:RelativePartialPressure ; - qudt:hasQuantityKind quantitykind:ResistancePercentage ; - qudt:hasQuantityKind quantitykind:TimePercentage ; - qudt:hasQuantityKind quantitykind:VoltagePercentage ; - qudt:iec61360Code "0112/2///62720#UAA000" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Percentage?oldid=495284540"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "%" ; - qudt:ucumCode "%"^^qudt:UCUMcs ; - qudt:udunitsCode "%" ; - qudt:uneceCommonCode "P1" ; - rdfs:isDefinedBy ; - rdfs:label "Percent"@en ; -. -unit:PERCENT-PER-DAY - a qudt:Unit ; - qudt:conversionMultiplier 1.15740740740741e-05 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "%/day" ; - qudt:ucumCode "%.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Percent per day"@en ; -. -unit:PERCENT-PER-HR - a qudt:Unit ; - qudt:conversionMultiplier 0.000277777777777778 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "%/day" ; - qudt:ucumCode "%.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Percent per hour"@en ; -. -unit:PERCENT-PER-M - a qudt:Unit ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AttenuationCoefficient ; - qudt:symbol "%/m" ; - qudt:ucumCode "%.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H99" ; - rdfs:isDefinedBy ; - rdfs:label "Percent per metre"@en ; -. -unit:PERCENT-PER-WK - a qudt:Unit ; - dcterms:description "A rate of change in percent over a period of 7 days"@en ; - qudt:conversionMultiplier 1.65343915343915e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "%/wk" ; - qudt:ucumCode "%.wk-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Percent per week"@en ; -. -unit:PERCENT_RH - a qudt:Unit ; - dcterms:description "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:RelativeHumidity ; - qudt:plainTextDescription "Percent relative humidity is the ratio of the partial pressure of water vapor to the equilibrium vapor pressure of water at a given temperature, expressed as a percentage." ; - qudt:symbol "%RH" ; - rdfs:isDefinedBy ; - rdfs:label "Percent Relative Humidity"@en ; -. -unit:PERMEABILITY_EM_REL - a qudt:Unit ; - dcterms:description "Relative permeability, denoted by the symbol \\(\\mu _T\\), is the ratio of the permeability of a specific medium to the permeability of free space \\(\\mu _0\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:ElectromagneticPermeabilityRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; - qudt:latexSymbol "\\(\\mu\\,T\\)"^^qudt:LatexString ; - qudt:symbol "μₜ" ; - qudt:ucumCode "[mu_0]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Relative Electromagnetic Permeability"@en ; -. -unit:PERMEABILITY_REL - a qudt:Unit ; - dcterms:description "In multiphase flow in porous media, the relative permeability of a phase is a dimensionless measure of the effective permeability of that phase. It is the ratio of the effective permeability of that phase to the absolute permeability. It can be viewed as an adaptation of Darcy's law to multiphase flow. For two-phase flow in porous media given steady-state conditions, we can write where is the flux, is the pressure drop, is the viscosity."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.25663706e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_permeability"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PermeabilityRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permeability"^^xsd:anyURI ; - qudt:symbol "kᵣ" ; - rdfs:isDefinedBy ; - rdfs:label "Relative Permeability"@en ; -. -unit:PERMITTIVITY_REL - a qudt:Unit ; - dcterms:description """The \\(\\textit{relative permittivity}\\) of a material under given conditions reflects the extent to which it concentrates electrostatic lines of flux. In technical terms, it is the ratio of the amount of electrical energy stored in a material by an applied voltage, relative to that stored in a vacuum. Likewise, it is also the ratio of the capacitance of a capacitor using that material as a dielectric, compared to a similar capacitor that has a vacuum as its dielectric. Relative permittivity is a dimensionless number that is in general complex. The imaginary portion of the permittivity corresponds to a phase shift of the polarization P relative to E and leads to the attenuation of electromagnetic waves passing through the medium.

-

\\(\\epsilon_r(w) = \\frac{\\epsilon(w)}{\\epsilon_O}\\)\\ where \\(\\epsilon_r(w)\\) is the complex frequency-dependent absolute permittivity of the material, and \\(\\epsilon_O\\) is the vacuum permittivity."""^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 8.854187817e-12 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Relative_static_permittivity"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_permittivity?oldid=489664437"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Relative_static_permittivity?oldid=334224492"^^xsd:anyURI ; - qudt:informativeReference "http://www.ncert.nic.in/html/learning_basket/electricity/electricity/charges%20&%20fields/absolute_permittivity.htm"^^xsd:anyURI ; - qudt:qkdvDenominator qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:qkdvNumerator qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:symbol "εᵣ" ; - qudt:ucumCode "[eps_0]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Relative Permittivity"@en ; -. -unit:PERM_Metric - a qudt:Unit ; - dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The metric perm (not an SI unit) is defined as 1 gram of water vapor per day, per square meter, per millimeter of mercury."@en ; - qudt:conversionMultiplier 8.68127e-11 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:VaporPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; - qudt:symbol "perm{Metric}" ; - rdfs:isDefinedBy ; - rdfs:label "Metric Perm"@en ; -. -unit:PERM_US - a qudt:Unit ; - dcterms:description "A perm is a unit of permeance or \"water vapor transmission\" given a certain differential in partial pressures on either side of a material or membrane. The U.S. perm is defined as 1 grain of water vapor per hour, per square foot, per inch of mercury."@en ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 5.72135e-11 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:VaporPermeability ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Perm_(unit)"^^xsd:anyURI ; - qudt:symbol "perm{US}" ; - rdfs:isDefinedBy ; - rdfs:label "U.S. Perm"@en ; -. -unit:PH - a qudt:Unit ; - dcterms:description "the negative decadic logarithmus of the concentration of free protons (or hydronium ions) expressed in 1 mol/l."@en ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Acidity ; - qudt:hasQuantityKind quantitykind:Basicity ; - qudt:hasQuantityKind quantitykind:PH ; - qudt:symbol "pH" ; - qudt:ucumCode "[pH]"^^qudt:UCUMcs ; - rdfs:comment "Unsure about dimensionality of pH; conversion requires a log function not just a multiplier"@en ; - rdfs:isDefinedBy ; - rdfs:label "Acidity"@en ; -. -unit:PHOT - a qudt:Unit ; - dcterms:description "A phot (ph) is a photometric unit of illuminance, or luminous flux through an area. It is not an SI unit, but rather is associated with the older centimetre gram second system of units. Metric dimensions: \\(illuminance = luminous intensity \\times solid angle / length\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 10000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Phot"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LuminousFluxPerArea ; - qudt:iec61360Code "0112/2///62720#UAB255" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Phot?oldid=477198725"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "ph" ; - qudt:ucumCode "ph"^^qudt:UCUMcs ; - qudt:udunitsCode "ph" ; - qudt:uneceCommonCode "P26" ; - rdfs:isDefinedBy ; - rdfs:label "Phot"@en ; -. -unit:PINT - a qudt:Unit ; - dcterms:description "\"Imperial Pint\" is an Imperial unit for 'Volume' expressed as \\(pint\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00056826125 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "pt" ; - qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "PTI" ; - rdfs:isDefinedBy ; - rdfs:label "Imperial Pint"@en ; -. -unit:PINT_UK - a qudt:Unit ; - dcterms:description "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0005682613 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA952" ; - qudt:plainTextDescription "unit of the volume (both for fluids and for dry measures) according to the Imperial system of units" ; - qudt:symbol "pt{UK}" ; - qudt:ucumCode "[pt_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "PTI" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (UK)"@en ; -. -unit:PINT_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 6.577098e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA953" ; - qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "pt{UK}/day" ; - qudt:ucumCode "[pt_br].d"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L53" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (UK) Per Day"@en ; -. -unit:PINT_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.578504e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA954" ; - qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "pt{UK}/hr" ; - qudt:ucumCode "[pt_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L54" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (UK) Per Hour"@en ; -. -unit:PINT_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 9.471022e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA955" ; - qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "pt{UK}/min" ; - qudt:ucumCode "[pt_br].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L55" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (UK) Per Minute"@en ; -. -unit:PINT_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0005682613 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA956" ; - qudt:plainTextDescription "unit of the volume pint (UK) (both for fluids and for dry measures) according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "pt{UK}/s" ; - qudt:ucumCode "[pt_br].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L56" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (UK) Per Second"@en ; -. -unit:PINT_US - a qudt:Unit ; - dcterms:description "\"US Liquid Pint\" is a unit for 'Liquid Volume' expressed as \\(pt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0004731765 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:symbol "pt{US}" ; - qudt:ucumCode "[pt_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "pt" ; - qudt:uneceCommonCode "PTL" ; - rdfs:isDefinedBy ; - rdfs:label "US Liquid Pint"@en ; -. -unit:PINT_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 5.47658e-09 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA958" ; - qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time day" ; - qudt:symbol "pt{US}/day" ; - qudt:ucumCode "[pt_us].d-1"^^qudt:UCUMcs ; - qudt:udunitsCode "kg" ; - qudt:uneceCommonCode "L57" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (US Liquid) Per Day"@en ; -. -unit:PINT_US-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.314379e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA959" ; - qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "pt{US}/hr" ; - qudt:ucumCode "[pt_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L58" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (US Liquid) Per Hour"@en ; -. -unit:PINT_US-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 7.886275e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA960" ; - qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "pt{US}/min" ; - qudt:ucumCode "[pt_us].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L59" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (US Liquid) Per Minute"@en ; -. -unit:PINT_US-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0004731765 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA961" ; - qudt:plainTextDescription "unit of the volume pint (US liquid) according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "pt{US}/s" ; - qudt:ucumCode "[pt_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L60" ; - rdfs:isDefinedBy ; - rdfs:label "Pint (US Liquid) Per Second"@en ; -. -unit:PINT_US_DRY - a qudt:Unit ; - dcterms:description "\"US Dry Pint\" is a C.G.S System unit for 'Dry Volume' expressed as \\(dry_pt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000550610471 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:symbol "pt{US Dry}" ; - qudt:ucumCode "[dpt_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "PTD" ; - rdfs:isDefinedBy ; - rdfs:label "US Dry Pint"@en ; -. -unit:PK_UK - a qudt:Unit ; - dcterms:description "unit of the volume according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.009092181 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA939" ; - qudt:plainTextDescription "unit of the volume according to the Imperial system of units" ; - qudt:symbol "peck{UK}" ; - qudt:ucumCode "[pk_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L43" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (UK)"@en ; -. -unit:PK_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.05233576e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA940" ; - qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "peck{UK}/day" ; - qudt:ucumCode "[pk_br].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L44" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (UK) Per Day"@en ; -. -unit:PK_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 2.525605833e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA941" ; - qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "peck{UK}/hr" ; - qudt:ucumCode "[pk_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L45" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (UK) Per Hour"@en ; -. -unit:PK_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.00015153635 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA942" ; - qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "peck{UK}/min" ; - qudt:ucumCode "[pk_br].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L46" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (UK) Per Minute"@en ; -. -unit:PK_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.009092181 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA943" ; - qudt:plainTextDescription "unit of the volume peck (UK) according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "peck{UK}/s" ; - qudt:ucumCode "[pk_br].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L47" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (UK) Per Second"@en ; -. -unit:PK_US_DRY - a qudt:Unit ; - dcterms:description "A peck is an imperial and U.S. customary unit of dry volume, equivalent to 2 gallons or 8 dry quarts or 16 dry pints. Two pecks make a kenning (obsolete), and four pecks make a bushel. In Scotland, the peck was used as a dry measure until the introduction of imperial units as a result of the Weights and Measures Act of 1824. The peck was equal to about 9 litres (in the case of certain crops, such as wheat, peas, beans and meal) and about 13 litres (in the case of barley, oats and malt). A firlot was equal to 4 pecks and the peck was equal to 4 lippies or forpets. "^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00880976754 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:symbol "peck{US Dry}" ; - qudt:ucumCode "[pk_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "pk" ; - qudt:uneceCommonCode "PY" ; - rdfs:isDefinedBy ; - rdfs:label "US Peck"@en ; -. -unit:PK_US_DRY-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.01964902e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA944" ; - qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time day" ; - qudt:symbol "peck{US}/day" ; - qudt:ucumCode "[pk_us].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L48" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (US Dry) Per Day"@en ; -. -unit:PK_US_DRY-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.447157651e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA945" ; - qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "peck{US}/hr" ; - qudt:ucumCode "[pk_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L49" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (US Dry) Per Hour"@en ; -. -unit:PK_US_DRY-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000146829459067 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA946" ; - qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "peck{US}/min" ; - qudt:ucumCode "[pk_us].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L50" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (US Dry) Per Minute"@en ; -. -unit:PK_US_DRY-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00880976754 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA947" ; - qudt:plainTextDescription "unit of the volume peck (US dry) as dry measure according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "peck{US}/s" ; - qudt:ucumCode "[pk_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L51" ; - rdfs:isDefinedBy ; - rdfs:label "Peck (US Dry) Per Second"@en ; -. -unit:POISE - a qudt:Unit ; - dcterms:description "The poise is the unit of dynamic viscosity in the centimetre gram second system of units. It is named after Jean Louis Marie Poiseuille."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:conversionMultiplier 0.1 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Poise"^^xsd:anyURI ; - qudt:derivedCoherentUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:derivedUnitOfSystem sou:CGS-GAUSS ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA255" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Poise?oldid=487835641"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "P" ; - qudt:ucumCode "P"^^qudt:UCUMcs ; - qudt:uneceCommonCode "89" ; - rdfs:isDefinedBy ; - rdfs:label "Poise"@en ; -. -unit:POISE-PER-BAR - a qudt:Unit ; - dcterms:description "CGS unit poise divided by the unit bar"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA257" ; - qudt:plainTextDescription "CGS unit poise divided by the unit bar" ; - qudt:symbol "P/bar" ; - qudt:ucumCode "P.bar-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F06" ; - rdfs:isDefinedBy ; - rdfs:label "Poise Per Bar"@en ; -. -unit:PPB - a qudt:Unit ; - dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:iec61360Code "0112/2///62720#UAD926" ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; - qudt:symbol "PPB" ; - qudt:ucumCode "[ppb]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "61" ; - rdfs:isDefinedBy ; - rdfs:label "Parts per billion"@en ; -. -unit:PPM - a qudt:Unit ; - dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:iec61360Code "0112/2///62720#UAD925" ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "PPM" ; - qudt:ucumCode "[ppm]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "59" ; - rdfs:isDefinedBy ; - rdfs:label "Parts per million"@en ; -. -unit:PPM-PER-K - a qudt:Unit ; - dcterms:description "Unit for expansion ratios expressed as parts per million per Kelvin."^^qudt:LatexString ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:expression "\\(PPM/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:ExpansionRatio ; - qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; - qudt:symbol "PPM/K" ; - qudt:ucumCode "ppm.K-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Parts Per Million per Kelvin"@en ; -. -unit:PPTH - a qudt:Unit ; - dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; - qudt:abbreviation "‰" ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; - qudt:symbol "‰" ; - qudt:ucumCode "[ppth]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "NX" ; - rdfs:isDefinedBy ; - rdfs:label "Parts per thousand"@en ; - skos:altLabel "per mil" ; -. -unit:PPTH-PER-HR - a qudt:Unit ; - qudt:conversionMultiplier 2.77777777777778e-07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "‰/hr" ; - qudt:ucumCode "[ppth].h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Parts per thousand per hour"@en ; -. -unit:PPTM - a qudt:Unit ; - dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:symbol "PPTM" ; - rdfs:isDefinedBy ; - rdfs:label "Parts per Ten Million"@en ; -. -unit:PPTM-PER-K - a qudt:Unit ; - dcterms:description "Unit for expansion ratios expressed as parts per ten million per Kelvin."^^qudt:LatexString ; - qudt:conversionMultiplier 1.0e-07 ; - qudt:expression "\\(PPTM/K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:ExpansionRatio ; - qudt:hasQuantityKind quantitykind:ThermalExpansionCoefficient ; - qudt:symbol "PPTM/K" ; - rdfs:isDefinedBy ; - rdfs:label "Parts Per Ten Million per Kelvin"@en ; -. -unit:PPTR - a qudt:Unit ; - dcterms:description "Dimensionless unit for concentration. Recommended practice is to use specific units such as \\(ug/l\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:informativeReference "http://aurora.regenstrief.org/~ucum/ucum.html#section-Derived-Unit-Atoms"^^xsd:anyURI ; - qudt:symbol "PPTR" ; - qudt:ucumCode "[pptr]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Parts per trillion"@en ; -. -unit:PPTR_VOL - a qudt:Unit ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pptr" ; - qudt:ucumCode "[pptr]{vol}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Parts per trillion by volume"@en ; -. -unit:PSI - a qudt:Unit ; - dcterms:description "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6894.75789 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:LB_F-PER-IN2 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:plainTextDescription "Pounds of force per square inch, the unit for pressure as a compounded unit pound-force according to the Anglo-American system of units divided by the power of the unit Inch according to the Anglo-American and Imperial system of units by exponent 2" ; - qudt:symbol "psi" ; - qudt:ucumCode "[psi]"^^qudt:UCUMcs ; - qudt:udunitsCode "psi" ; - qudt:uneceCommonCode "PS" ; - rdfs:isDefinedBy ; - rdfs:label "PSI"@en ; -. -unit:PSI-IN3-PER-SEC - a qudt:Unit ; - dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.1129848 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA703" ; - qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic inch per second)" ; - qudt:symbol "psi⋅in³/s" ; - qudt:ucumCode "[psi].[cin_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K87" ; - rdfs:isDefinedBy ; - rdfs:label "Psi Cubic Inch Per Second"@en ; -. -unit:PSI-L-PER-SEC - a qudt:Unit ; - dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)"^^rdf:HTML ; - qudt:conversionMultiplier 6.894757 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAA704" ; - qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (litre per second)" ; - qudt:symbol "psi⋅L³/s" ; - qudt:ucumCode "[psi].L.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K88" ; - rdfs:isDefinedBy ; - rdfs:label "Psi Liter Per Second"@en-us ; - rdfs:label "Psi Litre Per Second"@en ; -. -unit:PSI-M3-PER-SEC - a qudt:Unit ; - dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)"^^rdf:HTML ; - qudt:conversionMultiplier 6894.757 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA705" ; - qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the composed unit for volume flow (cubic metre per second)" ; - qudt:symbol "psi⋅m³/s" ; - qudt:ucumCode "[psi].m3.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K89" ; - rdfs:isDefinedBy ; - rdfs:label "PSI Cubic Meter Per Second"@en-us ; - rdfs:label "PSI Cubic Metre Per Second"@en ; -. -unit:PSI-PER-PSI - a qudt:Unit ; - dcterms:description "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:PressureRatio ; - qudt:iec61360Code "0112/2///62720#UAA951" ; - qudt:plainTextDescription "composed unit for pressure (pound-force per square inch) divided by the composed unit for pressure (pound-force per square inch)" ; - qudt:symbol "psi/psi" ; - qudt:ucumCode "[psi].[psi]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L52" ; - rdfs:isDefinedBy ; - rdfs:label "Psi Per Psi"@en ; -. -unit:PSI-YD3-PER-SEC - a qudt:Unit ; - dcterms:description "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 5271.42 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA706" ; - qudt:plainTextDescription "product of the composed unit for pressure (pound-force per square inch) and the square inch) and the composed unit for volume flow (cubic yard per second)" ; - qudt:symbol "psi⋅yd³/s" ; - qudt:ucumCode "[psi].[cyd_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K90" ; - rdfs:isDefinedBy ; - rdfs:label "Psi Cubic Yard Per Second"@en ; -. -unit:PSU - a qudt:Unit ; - dcterms:description "Practical salinity scale 1978 (PSS-78) is used for ionic content of seawater determined by electrical conductivity. Salinities measured using PSS-78 do not have units, but are approximately scaled to parts-per-thousand for the valid range. The suffix psu or PSU (denoting practical salinity unit) is sometimes added to PSS-78 measurement values. The addition of PSU as a unit after the value is \"formally incorrect and strongly discouraged\"."^^rdf:HTML ; - dcterms:source ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Salinity#PSU"^^xsd:anyURI ; - qudt:symbol "PSU" ; - rdfs:isDefinedBy ; - rdfs:label "Practical salinity unit" ; - rdfs:seeAlso unit:PPTH ; -. -unit:PT - a qudt:Unit ; - dcterms:description "In typography, a point is the smallest unit of measure, being a subdivision of the larger pica. It is commonly abbreviated as pt. The point has long been the usual unit for measuring font size and leading and other minute items on a printed page."^^rdf:HTML ; - qudt:conversionMultiplier 2.54e-05 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB605" ; - qudt:symbol "pt" ; - qudt:ucumCode "[pnt]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N3" ; - rdfs:isDefinedBy ; - rdfs:label "Point"@en ; -. -unit:PebiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The pebibyte is a standards-based binary multiple (prefix pebi, symbol Pi) of the byte, a unit of digital information storage. The pebibyte unit symbol is PiB. 1 pebibyte = 1125899906842624bytes = 1024 tebibytes The pebibyte is closely related to the petabyte, which is defined as \\(10^{15} bytes = 1,000,000,000,000,000 bytes\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 6.2433147681653592088811673338586e15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pebibyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAA274" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pebibyte?oldid=492685015"^^xsd:anyURI ; - qudt:prefix prefix:Pebi ; - qudt:symbol "PiB" ; - qudt:uneceCommonCode "E60" ; - rdfs:isDefinedBy ; - rdfs:label "PebiByte"@en ; -. -unit:Pennyweight - a qudt:Unit ; - dcterms:description "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg"^^rdf:HTML ; - qudt:conversionMultiplier 0.001555174 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB182" ; - qudt:plainTextDescription "non SI-conforming unit of mass which comes from the Anglo-American Troy or Apothecaries' Weight System of units according to NIST of 1 pwt = 1.555174 10^3 kg" ; - qudt:symbol "dwt" ; - qudt:ucumCode "[pwt_tr]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "DWT" ; - rdfs:isDefinedBy ; - rdfs:label "Pennyweight"@en ; -. -unit:PetaBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "A petabyte is a unit of information equal to one quadrillion bytes, or 1024 terabytes. The unit symbol for the petabyte is PB. The prefix peta (P) indicates the fifth power to 1000: 1 PB = 1000000000000000B, 1 million gigabytes = 1 thousand terabytes The pebibyte (PiB), using a binary prefix, is the corresponding power of 1024, which is more than \\(12\\% \\)greater (\\(2^{50} bytes = 1,125,899,906,842,624 bytes\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.5451774444795624753378569716654e15 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Petabyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB187" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Petabyte?oldid=494735969"^^xsd:anyURI ; - qudt:prefix prefix:Peta ; - qudt:symbol "PB" ; - qudt:ucumCode "PBy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E36" ; - rdfs:isDefinedBy ; - rdfs:label "PetaByte"@en ; -. -unit:PetaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A PetaCoulomb is \\(10^{15} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e15 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Peta ; - qudt:symbol "PC" ; - qudt:ucumCode "PC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "PetaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:PetaJ - a qudt:Unit ; - dcterms:description "1,000,000,000,000,000-fold of the derived SI unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e15 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAB123" ; - qudt:plainTextDescription "1,000,000,000,000,000-fold of the derived SI unit joule" ; - qudt:prefix prefix:Peta ; - qudt:symbol "PJ" ; - qudt:ucumCode "PJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C68" ; - rdfs:isDefinedBy ; - rdfs:label "Petajoule"@en ; -. -unit:PicoA - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:iec61360Code "0112/2///62720#UAA928" ; - qudt:prefix prefix:Pico ; - qudt:symbol "pA" ; - qudt:ucumCode "pA"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C70" ; - rdfs:isDefinedBy ; - rdfs:label "picoampere"@en ; -. -unit:PicoA-PER-MicroMOL-L - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.001 ; - qudt:hasDimensionVector qkdv:A-1E1L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pA/(mmol⋅L)" ; - qudt:ucumCode "pA.umol-1.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picoamps per micromole per litre"@en ; -. -unit:PicoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A PicoCoulomb is \\(10^{-12} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA929" ; - qudt:prefix prefix:Pico ; - qudt:symbol "pC" ; - qudt:ucumCode "pC"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C71" ; - rdfs:isDefinedBy ; - rdfs:label "PicoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:PicoFARAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"PicoF\" is a common unit of electric capacitance equal to \\(10^{-12} farad\\). This unit was formerly called the micromicrofarad."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Farad"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Capacitance ; - qudt:iec61360Code "0112/2///62720#UAA930" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Farad?oldid=493070876"^^xsd:anyURI ; - qudt:prefix prefix:Pico ; - qudt:symbol "pF" ; - qudt:ucumCode "pF"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4T" ; - rdfs:isDefinedBy ; - rdfs:label "Picofarad"@en ; -. -unit:PicoFARAD-PER-M - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T4D0 ; - qudt:hasQuantityKind quantitykind:Permittivity ; - qudt:iec61360Code "0112/2///62720#UAA931" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit farad divided by the SI base unit metre" ; - qudt:symbol "pF/m" ; - qudt:ucumCode "pF.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C72" ; - rdfs:isDefinedBy ; - rdfs:label "Picofarad Per Meter"@en-us ; - rdfs:label "Picofarad Per Metre"@en ; -. -unit:PicoGM - a qudt:Unit ; - dcterms:description "10**-12 grams or one 10**-15 of the SI standard unit of mass (kilogram)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:prefix prefix:Pico ; - qudt:symbol "pg" ; - qudt:ucumCode "pg"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picograms"@en ; -. -unit:PicoGM-PER-GM - a qudt:Unit ; - dcterms:description "One part per 10**12 (trillion) by mass of the measurand in the matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "pg/g" ; - qudt:ucumCode "pg.g-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picograms per gram"@en ; -. -unit:PicoGM-PER-KiloGM - a qudt:Unit ; - dcterms:description "One part per 10**15 by mass of the measurand in the matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:MassRatio ; - qudt:qkdvDenominator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M1H0T0D0 ; - qudt:symbol "pg/kg" ; - qudt:ucumCode "pg.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picograms per kilogram"@en ; -. -unit:PicoGM-PER-L - a qudt:Unit ; - dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per litre volume of matrix.."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "pg/L" ; - qudt:ucumCode "pg.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picograms per litre"@en ; -. -unit:PicoGM-PER-MilliL - a qudt:Unit ; - dcterms:description "One 10**15 part of the SI standard unit of mass of the measurand per millilitre volume of matrix."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassConcentration ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "pg/mL" ; - qudt:ucumCode "pg/mL"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picograms per millilitre"@en ; -. -unit:PicoH - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit henry"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Inductance ; - qudt:iec61360Code "0112/2///62720#UAA932" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit henry" ; - qudt:prefix prefix:Pico ; - qudt:symbol "pH" ; - qudt:ucumCode "pH"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C73" ; - rdfs:isDefinedBy ; - rdfs:label "Picohenry"@en ; -. -unit:PicoKAT-PER-L - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A unit of catalytic activity used especially in the chemistry of enzymes. A catalyst is a substance that starts or speeds a chemical reaction. Enzymes are proteins that act as catalysts within the bodies of living plants and animals. A catalyst has an activity of one katal if it enables a reaction to proceed at the rate of one mole per second. "^^rdf:HTML ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000000001 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:CatalyticActivityConcentration ; - qudt:symbol "pkat/L" ; - qudt:ucumCode "pkat/L"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picokatal Per Liter"@en-us ; - rdfs:label "Picokatal Per Litre"@en ; -. -unit:PicoL - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the unit litre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:plainTextDescription "0.000000000001-fold of the unit litre" ; - qudt:symbol "pL" ; - qudt:ucumCode "pL"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q33" ; - rdfs:isDefinedBy ; - rdfs:label "Picolitre"@en ; - rdfs:label "Picolitre"@en-us ; -. -unit:PicoM - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA949" ; - qudt:plainTextDescription "0.000000000001-fold of the SI base unit metre" ; - qudt:prefix prefix:Pico ; - qudt:symbol "pM" ; - qudt:ucumCode "pm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C52" ; - rdfs:isDefinedBy ; - rdfs:label "Picometer"@en-us ; - rdfs:label "Picometre"@en ; -. -unit:PicoMOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000001 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstance ; - qudt:hasQuantityKind quantitykind:ExtentOfReaction ; - qudt:symbol "pmol" ; - rdfs:isDefinedBy ; - rdfs:label "PicoMole"@en ; -. -unit:PicoMOL-PER-KiloGM - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A1E0L0I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitMass ; - qudt:symbol "pmol/kg" ; - qudt:ucumCode "pmol.kg-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per kilogram"@en ; -. -unit:PicoMOL-PER-L - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-09 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "pmol/L" ; - qudt:ucumCode "pmol.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per litre"@en ; -. -unit:PicoMOL-PER-L-DAY - a qudt:Unit ; - dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 86400 seconds."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-14 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pmol/day" ; - qudt:ucumCode "pmol.L-1.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per litre per day"@en ; -. -unit:PicoMOL-PER-L-HR - a qudt:Unit ; - dcterms:description "A change in the quantity of matter of 10^-12 moles in the SI unit of volume scaled by 10^-3 over a period of 3600 seconds."@en ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.77777777777778e-13 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pmol/(L⋅hr)" ; - qudt:ucumCode "pmol.L-1.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per litre per hour"@en ; -. -unit:PicoMOL-PER-M-W-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M-1H0T2D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pmol/(m⋅W⋅s)" ; - qudt:ucumCode "pmol.m-1.W-1.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per metre per watt per second"@en ; -. -unit:PicoMOL-PER-M2-DAY - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.15740740740741e-17 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pmol/(m²⋅day)" ; - qudt:ucumCode "pmol.m-2.d-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per square metre per day"@en ; -. -unit:PicoMOL-PER-M3 - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceConcentration ; - qudt:hasQuantityKind quantitykind:AmountOfSubstancePerUnitVolume ; - qudt:hasQuantityKind quantitykind:Solubility_Water ; - qudt:symbol "pmol/m³" ; - qudt:ucumCode "pmol.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per cubic metre"@en ; -. -unit:PicoMOL-PER-M3-SEC - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A1E0L-3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pmol/(m³⋅s)" ; - qudt:ucumCode "pmol.m-3.s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picomoles per cubic metre per second"@en ; -. -unit:PicoPA - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000001 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:BulkModulus ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:Fugacity ; - qudt:hasQuantityKind quantitykind:ModulusOfElasticity ; - qudt:hasQuantityKind quantitykind:ShearModulus ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:symbol "pPa" ; - rdfs:isDefinedBy ; - rdfs:label "PicoPascal"@en ; -. -unit:PicoPA-PER-KiloM - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-15 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:hasQuantityKind quantitykind:ForcePerLength ; - qudt:iec61360Code "0112/2///62720#UAA933" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit pascal divided by the 1 000-fold of the SI base unit metre" ; - qudt:symbol "pPa/km" ; - qudt:ucumCode "pPa.km-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H69" ; - rdfs:isDefinedBy ; - rdfs:label "Picopascal Per Kilometer"@en-us ; - rdfs:label "Picopascal Per Kilometre"@en ; -. -unit:PicoS - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.000000000001 ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:symbol "pS" ; - rdfs:isDefinedBy ; - rdfs:label "PicoSiemens"@en ; -. -unit:PicoS-PER-M - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA934" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit Siemens divided by the SI base unit metre" ; - qudt:symbol "pS/m" ; - qudt:ucumCode "pS.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L42" ; - rdfs:isDefinedBy ; - rdfs:label "Picosiemens Per Meter"@en-us ; - rdfs:label "Picosiemens Per Metre"@en ; -. -unit:PicoSEC - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA950" ; - qudt:plainTextDescription "0.000000000001-fold of the SI base unit second" ; - qudt:prefix prefix:Pico ; - qudt:symbol "ps" ; - qudt:ucumCode "ps"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H70" ; - rdfs:isDefinedBy ; - rdfs:label "Picosecond"@en ; -. -unit:PicoW - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA935" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt" ; - qudt:prefix prefix:Pico ; - qudt:symbol "pW" ; - qudt:ucumCode "pW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C75" ; - rdfs:isDefinedBy ; - rdfs:label "Picowatt"@en ; -. -unit:PicoW-PER-CentiM2-L - a qudt:Unit ; - dcterms:description "The power (scaled by 10^-12) per SI unit of area (scaled by 10^-4) produced per SI unit of volume (scaled by 10^-3)."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-05 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "pW/(cm²⋅L)" ; - qudt:ucumCode "pW.cm-2.L-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Picowatts per square centimetre per litre"@en ; -. -unit:PicoW-PER-M2 - a qudt:Unit ; - dcterms:description "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAA936" ; - qudt:plainTextDescription "0.000000000001-fold of the SI derived unit watt divided by the power of the SI base unit metre with the exponent 2" ; - qudt:symbol "pW/m²" ; - qudt:ucumCode "pW.m-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C76" ; - rdfs:isDefinedBy ; - rdfs:label "Picowatt Per Square Meter"@en-us ; - rdfs:label "Picowatt Per Square Metre"@en ; -. -unit:PlanckArea - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 2.61223e-71 ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:symbol "planckarea" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Area"@en ; -. -unit:PlanckCharge - a qudt:Unit ; - dcterms:description "In physics, the Planck charge, denoted by, is one of the base units in the system of natural units called Planck units. It is a quantity of electric charge defined in terms of fundamental physical constants. The Planck charge is defined as: coulombs, where: is the speed of light in the vacuum, is Planck's constant, is the reduced Planck constant, is the permittivity of free space is the elementary charge = (137.03599911) is the fine structure constant. The Planck charge is times greater than the elementary charge \\(e\\) carried by an electron."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.87554587e-18 ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:latexSymbol "\\(Q_P\\)"^^qudt:LatexString ; - qudt:symbol "planckcharge" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Charge"@en ; -. -unit:PlanckCurrent - a qudt:Unit ; - dcterms:description "The Planck current is the unit of electric current, denoted by IP, in the system of natural units known as Planck units. \\(\\approx 3.479 \\times 10 A\\), where: the Planck time is the permittivity in vacuum and the reduced Planck constant G is the gravitational constant c is the speed of light in vacuum. The Planck current is that current which, in a conductor, carries a Planck charge in Planck time. Alternatively, the Planck current is that constant current which, if maintained in two straight parallel conductors of infinite length and negligible circular cross-section, and placed a Planck length apart in vacuum, would produce between these conductors a force equal to a Planck force per Planck length."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 3.4789e25 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_current"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrent ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_current?oldid=493640689"^^xsd:anyURI ; - qudt:symbol "planckcurrent" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Current"@en ; -. -unit:PlanckCurrentDensity - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.331774e95 ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E1L-2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:ElectricCurrentDensity ; - qudt:symbol "planckcurrentdensity" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Current Density"@en ; -. -unit:PlanckDensity - a qudt:Unit ; - dcterms:description "The Planck density is the unit of density, denoted by \\(\\rho_P\\), in the system of natural units known as Planck units. \\(1\\ \\rho_P \\ is \\approx 5.155 \\times 10^{96} kg/m^3\\). This is a unit which is very large, about equivalent to \\(10^{23}\\) solar masses squeezed into the space of a single atomic nucleus. At one unit of Planck time after the Big Bang, the mass density of the universe is thought to have been approximately one unit of Planck density."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 5.155e96 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_density"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_density?oldid=493642128"^^xsd:anyURI ; - qudt:symbol "planckdensity" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Density"@en ; -. -unit:PlanckEnergy - a qudt:Unit ; - dcterms:description "In physics, the unit of energy in the system of natural units known as Planck units is called the Planck energy, denoted by \\(E_P\\). \\(E_P\\) is a derived, as opposed to basic, Planck unit. An equivalent definition is:\\(E_P = \\hbar / T_P\\) where \\(T_P\\) is the Planck time. Also: \\(E_P = m_P c^2\\) where \\(m_P\\) is the Planck mass."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.9561e09 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_energy"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_energy?oldid=493639955"^^xsd:anyURI ; - qudt:latexDefinition "\\(E_\\rho = \\sqrt{\\frac{ \\hbar c^5}{G}} \\approx 1.936 \\times 10^9 J \\approx 1.22 \\times 10^{28} eV \\approx 0.5433 MWh\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; - qudt:symbol "Eᵨ" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Energy"@en ; -. -unit:PlanckForce - a qudt:Unit ; - dcterms:description "Planck force is the derived unit of force resulting from the definition of the base Planck units for time, length, and mass. It is equal to the natural unit of momentum divided by the natural unit of time."^^rdf:HTML ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.21027e44 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_force"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_force?oldid=493643031"^^xsd:anyURI ; - qudt:symbol "planckforce" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Force"@en ; -. -unit:PlanckFrequency - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.85487e43 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_angular_frequency?oldid=493641308"^^xsd:anyURI ; - qudt:symbol "planckfrequency" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Frequency"@en ; -. -unit:PlanckFrequency_Ang - a qudt:Unit ; - qudt:conversionMultiplier 1.8548e43 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_angular_frequency"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "planckangularfrequency" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Angular Frequency"@en ; -. -unit:PlanckImpedance - a qudt:Unit ; - dcterms:description "The Planck impedance is the unit of electrical resistance, denoted by ZP, in the system of natural units known as Planck units. The Planck impedance is directly coupled to the impedance of free space, Z0, and differs in value from Z0 only by a factor of \\(4\\pi\\). If the Planck charge were instead defined to normalize the permittivity of free space, \\(\\epsilon_0\\), rather than the Coulomb constant, \\(1/(4\\pi\\epsilon_0)\\), then the Planck impedance would be identical to the characteristic impedance of free space."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 29.9792458 ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_impedance"^^xsd:anyURI ; - qudt:latexDefinition "\\(Z_P = \\frac{V_P}{I_P}= \\frac{1}{4\\pi\\epsilon_0c}=\\frac{\\mu_oc}{4\\pi}=\\frac{Z_0}{4\\pi}=29.9792458\\Omega\\)\\where \\(V_P\\) is the Planck voltage, \\(I_P\\) is the Planck current, \\(c\\) is the speed of light in a vacuum, \\(\\epsilon_0\\) is the permittivity of free space, \\(\\mu_0\\) is the permeability of free space, and \\(Z_0\\) is the impedance of free space."^^qudt:LatexString ; - qudt:symbol "Zₚ" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Impedance"@en ; -. -unit:PlanckLength - a qudt:Unit ; - dcterms:description "In physics, the Planck length, denoted \\(\\ell_P\\), is a unit of length, equal to \\(1.616199(97)×10^{-35}\\) metres. It is a base unit in the system of Planck units. The Planck length can be defined from three fundamental physical constants: the speed of light in a vacuum, Planck's constant, and the gravitational constant. "^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.616252e-35 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_length"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_length?oldid=495093067"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\ell_P = \\sqrt{\\frac{ \\hbar G}{c^3}} \\approx 1.616199(97)) \\times 10^{-35} m\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; - qudt:latexSymbol "\\(\\ell_P\\)"^^qudt:LatexString ; - qudt:symbol "plancklength" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Length"@en ; -. -unit:PlanckMass - a qudt:Unit ; - dcterms:description "In physics, the Planck mass, denoted by \\(m_P\\), is the unit of mass in the system of natural units known as Planck units. It is defined so that \\(\\approx 1.2209 \\times 10 GeV/c_0 = 2.17651(13) \\times 10 kg\\), (or \\(21.7651 \\mu g\\)), where \\(c_0\\) is the speed of light in a vacuum, \\(G\\) is the gravitational constant, and \\(\\hbar\\) is the reduced Planck constant. Particle physicists and cosmologists often use the reduced Planck mass, which is \\(\\approx 4.341 \\times 10 kg = 2.435 \\times 10 GeV/c\\). The added factor of \\(1/{\\sqrt{8\\pi}}\\) simplifies a number of equations in general relativity. Quantum effects are typified by the magnitude of Planck's constant."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 2.17644e-08 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_mass?oldid=493648632"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:latexDefinition "\\(m_P = \\sqrt{\\frac{ \\hbar c^3}{G}} \\approx 1.2209 \\times 10^{19} GeV/c^2 = 2.17651(13) \\times 10^{-8}\\), where \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant, and \\(G\\) is the gravitational constant. The two digits enclosed by parentheses are the estimated standard error associated with the reported numerical value."^^qudt:LatexString ; - qudt:latexSymbol "\\(m_P\\)"^^qudt:LatexString ; - qudt:symbol "planckmass" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Mass"@en ; -. -unit:PlanckMomentum - a qudt:Unit ; - dcterms:description "Planck momentum is the unit of momentum in the system of natural units known as Planck units. It has no commonly used symbol of its own, but can be denoted by, where is the Planck mass and is the speed of light in a vacuum. Then where is the reduced Planck's constant, is the Planck length, is the gravitational constant. In SI units Planck momentum is \\(\\approx 6.5 kg m/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 6.52485 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_momentum"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:LinearMomentum ; - qudt:hasQuantityKind quantitykind:Momentum ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_momentum?oldid=493644981"^^xsd:anyURI ; - qudt:symbol "planckmomentum" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Momentum"@en ; -. -unit:PlanckPower - a qudt:Unit ; - dcterms:description "The Planck energy divided by the Planck time is the Planck power \\(P_p \\), equal to about \\(3.62831 \\times 10^{52} W\\). This is an extremely large unit; even gamma-ray bursts, the most luminous phenomena known, have output on the order of \\(1 \\times 10^{45} W\\), less than one ten-millionth of the Planck power."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 3.62831e52 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_power"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_power?oldid=493642483"^^xsd:anyURI ; - qudt:latexDefinition "\\(P_p = {\\frac{ c^5}{G}}\\), where \\(c\\) is the speed of light in a vacuum, and \\(G\\) is the gravitational constant."^^qudt:LatexString ; - qudt:symbol "planckpower" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Power"@en ; -. -unit:PlanckPressure - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 4.63309e113 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_pressure"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_pressure?oldid=493640883"^^xsd:anyURI ; - qudt:symbol "planckpressure" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Pressure"@en ; -. -unit:PlanckTemperature - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.416784e32 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H1T0D0 ; - qudt:hasQuantityKind quantitykind:BoilingPoint ; - qudt:hasQuantityKind quantitykind:FlashPoint ; - qudt:hasQuantityKind quantitykind:MeltingPoint ; - qudt:hasQuantityKind quantitykind:Temperature ; - qudt:hasQuantityKind quantitykind:ThermodynamicTemperature ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:symbol "plancktemperature" ; - rdfs:isDefinedBy ; - rdfs:label "PlanckTemperature"@en ; -. -unit:PlanckTime - a qudt:Unit ; - dcterms:description "In physics, the Planck time, denoted by \\(t_P\\), is the unit of time in the system of natural units known as Planck units. It is the time required for light to travel, in a vacuum, a distance of 1 Planck length. The unit is named after Max Planck, who was the first to propose it. \\( \\\\ t_P \\equiv \\sqrt{\\frac{\\hbar G}{c^5}} \\approx 5.39106(32) \\times 10^{-44} s\\) where, \\(c\\) is the speed of light in a vacuum, \\(\\hbar\\) is the reduced Planck's constant (defined as \\(\\hbar = \\frac{h}{2 \\pi}\\) and \\(G\\) is the gravitational constant. The two digits between parentheses denote the standard error of the estimated value."^^qudt:LatexString ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 5.39124e-49 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Planck_time"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Planck_time?oldid=495362103"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Planck_units"^^xsd:anyURI ; - qudt:latexSymbol "\\(t_P\\)"^^qudt:LatexString ; - qudt:symbol "tₚ" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Time"@en ; -. -unit:PlanckVolt - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 1.04295e27 ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:symbol "Vₚ" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Volt"@en ; -. -unit:PlanckVolume - a qudt:Unit ; - qudt:applicableSystem sou:PLANCK ; - qudt:conversionMultiplier 4.22419e-105 ; - qudt:derivedUnitOfSystem sou:PLANCK ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "l³ₚ" ; - rdfs:isDefinedBy ; - rdfs:label "Planck Volume"@en ; -. -unit:QT_UK - a qudt:Unit ; - dcterms:description "unit of the volume for fluids according to the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0011365225 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA963" ; - qudt:plainTextDescription "unit of the volume for fluids according to the Imperial system of units" ; - qudt:symbol "qt{UK}" ; - qudt:ucumCode "[qt_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "QTI" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (UK)"@en ; -. -unit:QT_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.31542e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA710" ; - qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time day" ; - qudt:symbol "qt{UK}/day" ; - qudt:ucumCode "[qt_br].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K94" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (UK Liquid) Per Day"@en ; -. -unit:QT_UK-PER-HR - a qudt:Unit ; - dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 3.157007e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA711" ; - qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time hour" ; - qudt:symbol "qt{UK}/hr" ; - qudt:ucumCode "[qt_br].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K95" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (UK Liquid) Per Hour"@en ; -. -unit:QT_UK-PER-MIN - a qudt:Unit ; - dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.894205e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA712" ; - qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the unit for time minute" ; - qudt:symbol "qt{UK}/min" ; - qudt:ucumCode "[qt_br].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K96" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (UK Liquid) Per Minute"@en ; -. -unit:QT_UK-PER-SEC - a qudt:Unit ; - dcterms:description "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.0011365225 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA713" ; - qudt:plainTextDescription "unit of the volume quart (UK liquid) for fluids according to the Imperial system of units divided by the SI base unit second" ; - qudt:symbol "qt{UK}/s" ; - qudt:ucumCode "[qt_br].h-1.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K97" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (UK Liquid) Per Second"@en ; -. -unit:QT_US - a qudt:Unit ; - dcterms:description "\"US Liquid Quart\" is a unit for 'Liquid Volume' expressed as \\(qt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.000946353 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:LiquidVolume ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:symbol "qt" ; - qudt:ucumCode "[qt_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "QTL" ; - rdfs:isDefinedBy ; - rdfs:label "US Liquid Quart"@en ; -. -unit:QT_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.095316e-08 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA714" ; - qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time day" ; - qudt:symbol "qt{US}/day" ; - qudt:ucumCode "[qt_us].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K98" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (US Liquid) Per Day"@en ; -. -unit:QT_US-PER-HR - a qudt:Unit ; - dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.62875833e-07 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA715" ; - qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time hour" ; - qudt:symbol "qt{US}/hr" ; - qudt:ucumCode "[qt_us].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "K99" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (US Liquid) Per Hour"@en ; -. -unit:QT_US-PER-MIN - a qudt:Unit ; - dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.577255e-05 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA716" ; - qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the unit for time minute" ; - qudt:symbol "qt{US}/min" ; - qudt:ucumCode "[qt_us].min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L10" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (US Liquid) Per Minute"@en ; -. -unit:QT_US-PER-SEC - a qudt:Unit ; - dcterms:description "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 9.46353e-04 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAA717" ; - qudt:plainTextDescription "unit fo the volume quart (US liquid) for fluids according to the Anglo-American system of units divided by the SI base unit second" ; - qudt:symbol "qt{US}/s" ; - qudt:ucumCode "[qt_us].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L11" ; - rdfs:isDefinedBy ; - rdfs:label "Quart (US Liquid) Per Second"@en ; -. -unit:QT_US_DRY - a qudt:Unit ; - dcterms:description "\"US Dry Quart\" is a unit for 'Dry Volume' expressed as \\(dry_qt\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.001101220942715 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:DryVolume ; - qudt:symbol "qt{US Dry}" ; - qudt:ucumCode "[dqt_us]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "QTD" ; - rdfs:isDefinedBy ; - rdfs:label "US Dry Quart"@en ; -. -unit:QUAD - a qudt:Unit ; - dcterms:description "A quad is a unit of energy equal to \\(10 BTU\\), or \\(1.055 \\times \\SI{10}{\\joule}\\), which is \\(1.055 exajoule\\) or \\(EJ\\) in SI units. The unit is used by the U.S. Department of Energy in discussing world and national energy budgets. Some common types of an energy carrier approximately equal 1 quad are: 8,007,000,000 Gallons (US) of gasoline 293,083,000,000 Kilowatt-hours (kWh) 36,000,000 Tonnes of coal 970,434,000,000 Cubic feet of natural gas 5,996,000,000 UK gallons of diesel oil 25,200,000 Tonnes of oil 252,000,000 tonnes of TNT or five times the energy of the Tsar Bomba nuclear test."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.055e18 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quad"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quad?oldid=492086827"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "quad" ; - qudt:uneceCommonCode "N70" ; - rdfs:isDefinedBy ; - rdfs:label "Quad"@en ; -. -unit:Quarter_UK - a qudt:Unit ; - dcterms:description "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 12.70058636 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB202" ; - qudt:plainTextDescription "unit of the mass according to the avoirdupois system of units: 1 qr. l. = 28 lb" ; - qudt:symbol "quarter" ; - qudt:ucumCode "28.[lb_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "QTR" ; - rdfs:isDefinedBy ; - rdfs:label "Quarter (UK)"@en ; -. -unit:R - a qudt:Unit ; - dcterms:description "Not to be confused with roentgen equivalent man or roentgen equivalent physical. The roentgen (symbol R) is an obsolete unit of measurement for the kerma of X-rays and gamma rays up to 3 MeV."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 2.58e-04 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Roentgen"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M-1H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricChargePerMass ; - qudt:iec61360Code "0112/2///62720#UAA275" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen?oldid=491213233"^^xsd:anyURI ; - qudt:symbol "R" ; - qudt:ucumCode "R"^^qudt:UCUMcs ; - qudt:udunitsCode "R" ; - qudt:uneceCommonCode "2C" ; - rdfs:isDefinedBy ; - rdfs:label "Roentgen"@en ; -. -unit:RAD - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. In the absence of any symbol radians are assumed, and when degrees are meant the symbol \\(^{\\ circ}\\) is used. "^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Radian"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:exactMatch unit:MilliARCSEC ; - qudt:guidance "

See NIST section SP811 section7.10

"^^rdf:HTML ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAA966" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Radian?oldid=492309312"^^xsd:anyURI ; - qudt:omUnit ; - qudt:plainTextDescription "The radian is the standard unit of angular measure, used in many areas of mathematics. It describes the plane angle subtended by a circular arc as the length of the arc divided by the radius of the arc. The unit was formerly a SI supplementary unit, but this category was abolished in 1995 and the radian is now considered a SI derived unit. The SI unit of solid angle measurement is the steradian. The radian is represented by the symbol \"rad\" or, more rarely, by the superscript c (for \"circular measure\"). For example, an angle of 1.2 radians would be written as \"1.2 rad\" or \"1.2c\" (the second symbol is often mistaken for a degree: \"1.2u00b0\"). As the ratio of two lengths, the radian is a \"pure number\" that needs no unit symbol, and in mathematical writing the symbol \"rad\" is almost always omitted. In the absence of any symbol radians are assumed, and when degrees are meant the symbol u00b0 is used. [Wikipedia]" ; - qudt:symbol "rad" ; - qudt:ucumCode "rad"^^qudt:UCUMcs ; - qudt:udunitsCode "rad" ; - qudt:uneceCommonCode "C81" ; - rdfs:comment "The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities." ; - rdfs:isDefinedBy ; - rdfs:label "Radiant"@de ; - rdfs:label "radian"@en ; - rdfs:label "radian"@fr ; - rdfs:label "radian"@la ; - rdfs:label "radian"@ms ; - rdfs:label "radian"@pl ; - rdfs:label "radian"@ro ; - rdfs:label "radian"@sl ; - rdfs:label "radiano"@pt ; - rdfs:label "radiante"@it ; - rdfs:label "radián"@cs ; - rdfs:label "radián"@es ; - rdfs:label "radián"@hu ; - rdfs:label "radyan"@tr ; - rdfs:label "ακτίνιο"@el ; - rdfs:label "радиан"@bg ; - rdfs:label "радиан"@ru ; - rdfs:label "רדיאן"@he ; - rdfs:label "راديان"@ar ; - rdfs:label "رادیان"@fa ; - rdfs:label "वर्ग मीटर"@hi ; - rdfs:label "ラジアン"@ja ; - rdfs:label "弧度"@zh ; -. -unit:RAD-M2-PER-KiloGM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(rad m^2 / kg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M-1H0T0D0 ; - qudt:hasQuantityKind quantitykind:SpecificOpticalRotatoryPower ; - qudt:iec61360Code "0112/2///62720#UAB162" ; - qudt:symbol "rad⋅m²/kg" ; - qudt:ucumCode "rad.m2.kg-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C83" ; - rdfs:isDefinedBy ; - rdfs:label "Radian Square Meter per Kilogram"@en-us ; - rdfs:label "Radian Square Metre per Kilogram"@en ; -. -unit:RAD-M2-PER-MOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(rad m^2 / mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:MolarOpticalRotatoryPower ; - qudt:iec61360Code "0112/2///62720#UAB161" ; - qudt:symbol "rad⋅m²/mol" ; - qudt:ucumCode "rad.m2.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C82" ; - rdfs:isDefinedBy ; - rdfs:label "Radian Square Meter per Mole"@en-us ; - rdfs:label "Radian Square Metre per Mole"@en ; -. -unit:RAD-PER-HR - a qudt:Unit ; - dcterms:description "\"Radian per Hour\" is a unit for 'Angular Velocity' expressed as \\(rad/h\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:expression "\\(rad/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "rad/h" ; - qudt:ucumCode "rad.h-1"^^qudt:UCUMcs ; - qudt:ucumCode "rad/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Radian per Hour"@en ; -. -unit:RAD-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:AngularWavenumber ; - qudt:hasQuantityKind quantitykind:DebyeAngularWavenumber ; - qudt:hasQuantityKind quantitykind:FermiAngularWavenumber ; - qudt:iec61360Code "0112/2///62720#UAA967" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "rad/m" ; - qudt:ucumCode "rad.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C84" ; - rdfs:isDefinedBy ; - rdfs:label "Radian per Meter"@en-us ; - rdfs:label "Radiant je Meter"@de ; - rdfs:label "radian na metr"@pl ; - rdfs:label "radian par mètre"@fr ; - rdfs:label "radian per meter"@ms ; - rdfs:label "radian per metre"@en ; - rdfs:label "radiane pe metru"@ro ; - rdfs:label "radiano por metro"@pt ; - rdfs:label "radiante al metro"@it ; - rdfs:label "radián por metro"@es ; - rdfs:label "radiánů na metr"@cs ; - rdfs:label "radyan bölü metre"@tr ; - rdfs:label "радиан на метр"@ru ; - rdfs:label "رادیان بر متر"@fa ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "प्रति मीटर वर्ग मीटर"@hi ; - rdfs:label "ラジアン毎メートル"@ja ; - rdfs:label "弧度每米"@zh ; -. -unit:RAD-PER-MIN - a qudt:Unit ; - dcterms:description "Radian Per Minute (rad/min) is a unit in the category of Angular velocity. It is also known as radians per minute, radian/minute. Radian Per Minute (rad/min) has a dimension of aT-1 where T is time. It can be converted to the corresponding standard SI unit rad/s by multiplying its value by a factor of 0.0166666666667. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 60.0 ; - qudt:expression "\\(rad/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "rad/min" ; - qudt:ucumCode "rad.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "rad/min"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Radian per Minute"@en ; -. -unit:RAD-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Radian per Second\" is the SI unit of rotational speed (angular velocity), and, also the unit of angular frequency. The radian per second is defined as the change in the orientation of an object, in radians, every second."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(rad/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:iec61360Code "0112/2///62720#UAA968" ; - qudt:symbol "rad/s" ; - qudt:ucumCode "rad.s-1"^^qudt:UCUMcs ; - qudt:ucumCode "rad/s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2A" ; - rdfs:isDefinedBy ; - rdfs:label "Radian je Sekunde"@de ; - rdfs:label "radian na sekundo"@sl ; - rdfs:label "radian na sekundę"@pl ; - rdfs:label "radian par seconde"@fr ; - rdfs:label "radian pe secundă"@ro ; - rdfs:label "radian per saat"@ms ; - rdfs:label "radian per second"@en ; - rdfs:label "radiano por segundo"@pt ; - rdfs:label "radiante al secondo"@it ; - rdfs:label "radián por segundo"@es ; - rdfs:label "radián za sekundu"@cs ; - rdfs:label "radyan bölü saniye"@tr ; - rdfs:label "радиан в секунду"@ru ; - rdfs:label "راديان في الثانية"@ar ; - rdfs:label "رادیان بر ثانیه"@fa ; - rdfs:label "वर्ग मीटर प्रति सैकिण्ड"@hi ; - rdfs:label "ラジアン毎秒"@ja ; - rdfs:label "弧度每秒"@zh ; -. -unit:RAD-PER-SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Angular acceleration is the rate of change of angular velocity. In SI units, it is measured in radians per Square second (\\(rad/s^2\\)), and is usually denoted by the Greek letter \\(\\alpha\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(rad/s2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AngularAcceleration ; - qudt:iec61360Code "0112/2///62720#UAA969" ; - qudt:symbol "rad/s²" ; - qudt:ucumCode "rad.s-2"^^qudt:UCUMcs ; - qudt:ucumCode "rad/s2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "2B" ; - rdfs:isDefinedBy ; - rdfs:label "Radian per Square Second"@en ; -. -unit:RAD_R - a qudt:Unit ; - dcterms:description "The \\(rad\\) is a deprecated unit of absorbed radiation dose, defined as \\(1 rad = 0.01\\,Gy = 0.01 J/kg\\). It was originally defined in CGS units in 1953 as the dose causing 100 ergs of energy to be absorbed by one gram of matter. It has been replaced by the gray in most of the world. A related unit, the \\(roentgen\\), was formerly used to quantify the number of rad deposited into a target when it was exposed to radiation. The F-factor can used to convert between rad and roentgens. The material absorbing the radiation can be human tissue or silicon microchips or any other medium (for example, air, water, lead shielding, etc.)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.01 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/RAD"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDose ; - qudt:informativeReference "http://en.wikipedia.org/wiki/RAD?oldid=493716376"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "rad" ; - qudt:ucumCode "RAD"^^qudt:UCUMcs ; - qudt:uneceCommonCode "C80" ; - rdfs:isDefinedBy ; - rdfs:label "Rad"@en ; -. -unit:RAYL - a qudt:Unit ; - dcterms:description "The \\(Rayl\\) is one of two units of specific acoustic impedance. When sound waves pass through any physical substance the pressure of the waves causes the particles of the substance to move. The sound specific impedance is the ratio between the sound pressure and the particle velocity it produces. The specific impedance is one rayl if unit pressure produces unit velocity. It is defined as follows: \\(1\\; rayl = 1 dyn\\cdot s\\cdot cm^{-3}\\) Or in SI as: \\(1 \\; rayl = 10^{-1}Pa\\cdot s\\cdot m^{-1}\\), which equals \\(10\\,N \\cdot s\\cdot m^{-3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Rayl"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:SpecificAcousticImpedance ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rayl?oldid=433570842"^^xsd:anyURI ; - qudt:symbol "rayl" ; - rdfs:isDefinedBy ; - rdfs:label "Rayl"@en ; -. -unit:REM - a qudt:Unit ; - dcterms:description "A Rem is a deprecated unit used to measure the biological effects of ionizing radiation. The rem is defined as equal to 0.01 sievert, which is the more commonly used unit outside of the United States. Equivalent dose, effective dose, and committed dose can all be measured in units of rem. These quantities are products of the absorbed dose in rads and weighting factors. These factors must be selected for each exposure situation; there is no universally applicable conversion constant from rad to rem. A rem is a large dose of radiation, so the millirem (mrem), which is one thousandth of a rem, is often used for the dosages commonly encountered, such as the amount of radiation received from medical x-rays and background sources."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.01 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:iec61360Code "0112/2///62720#UAA971" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Roentgen_equivalent_man"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "rem" ; - qudt:ucumCode "REM"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D91" ; - rdfs:isDefinedBy ; - rdfs:label "Rem"@en ; -. -unit:REV - a qudt:Unit ; - dcterms:description "\"Revolution\" is a unit for 'Plane Angle' expressed as \\(rev\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 6.28318531 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Revolution"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Angle ; - qudt:hasQuantityKind quantitykind:PlaneAngle ; - qudt:iec61360Code "0112/2///62720#UAB206" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Revolution?oldid=494110330"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "rev" ; - qudt:ucumCode "{#}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M44" ; - rdfs:isDefinedBy ; - rdfs:label "Revolution"@en ; -. -unit:REV-PER-HR - a qudt:Unit ; - dcterms:description "\"Revolution per Hour\" is a unit for 'Angular Velocity' expressed as \\(rev/h\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.00174532925 ; - qudt:expression "\\(rev/h\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "rev/h" ; - qudt:ucumCode "{#}.h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Revolution per Hour"@en ; -. -unit:REV-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Revolution per Minute\" is a unit for 'Angular Velocity' expressed as \\(rev/min\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 0.104719755 ; - qudt:expression "\\(rev/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:iec61360Code "0112/2///62720#UAB231" ; - qudt:symbol "rev/min" ; - qudt:ucumCode "{#}.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M46" ; - rdfs:isDefinedBy ; - rdfs:label "Revolution per Minute"@en ; -. -unit:REV-PER-SEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Revolution per Second\" is a unit for 'Angular Velocity' expressed as \\(rev/s\\)."^^qudt:LatexString ; - qudt:conversionMultiplier 6.28318531 ; - qudt:expression "\\(rev/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:AngularVelocity ; - qudt:symbol "rev/s" ; - qudt:ucumCode "{#}.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "RPS" ; - rdfs:isDefinedBy ; - rdfs:label "Revolution per Second"@en ; -. -unit:REV-PER-SEC2 - a qudt:Unit ; - dcterms:description "\"Revolution per Square Second\" is a C.G.S System unit for 'Angular Acceleration' expressed as \\(rev-per-s^2\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 6.28318531 ; - qudt:expression "\\(rev/s2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:AngularAcceleration ; - qudt:symbol "rev/s²" ; - qudt:ucumCode "{#}.s-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Revolution per Square Second"@en ; -. -unit:ROD - a qudt:Unit ; - dcterms:description "A unit of distance equal to 5.5 yards (16 feet 6 inches)."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 5.02921 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Rod"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(rd\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAA970" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rod?oldid=492590086"^^xsd:anyURI ; - qudt:symbol "rod" ; - qudt:ucumCode "[rd_br]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "F49" ; - rdfs:isDefinedBy ; - rdfs:label "Rod"@en ; -. -unit:RPK - a qudt:Unit ; - dcterms:description "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:hasQuantityKind quantitykind:GeneFamilyAbundance ; - qudt:informativeReference "https://learn.gencore.bio.nyu.edu/metgenomics/shotgun-metagenomics/functional-analysis/"^^xsd:anyURI ; - qudt:plainTextDescription "RPK (Reads Per Kilobases) are obtained by dividing read counts by gene lengths (expressed in kilo-nucleotides)." ; - qudt:qkdvDenominator qkdv:A0E0L0I0M0H0T0D1 ; - qudt:qkdvNumerator qkdv:A0E0L0I0M0H0T0D1 ; - qudt:symbol "RPK" ; - rdfs:isDefinedBy ; - rdfs:label "Reads Per Kilobase"@en ; - skos:altLabel "RPK" ; -. -unit:RT - a qudt:Unit ; - dcterms:description "The register ton is a unit of volume used for the cargo capacity of a ship, defined as 100 cubic feet (roughly 2.83 cubic metres)."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 2.8316846592 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Tonnage#Tonnage_measurements"^^xsd:anyURI ; - qudt:symbol "RT" ; - qudt:ucumCode "100.[cft_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M70" ; - rdfs:isDefinedBy ; - rdfs:label "Register Ton"@en ; - rdfs:seeAlso unit:GT ; -. -unit:S - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Siemens}\\) is the SI unit of electric conductance, susceptance, and admittance. The most important property of a conductor is the amount of current it will carry when a voltage is applied. Current flow is opposed by resistance in all circuits, and by also by reactance and impedance in alternating current circuits. Conductance, susceptance, and admittance are the inverses of resistance, reactance, and impedance, respectively. To measure these properties, the siemens is the reciprocal of the ohm. In other words, the conductance, susceptance, or admittance, in siemens, is simply 1 divided by the resistance, reactance or impedance, respectively, in ohms. The unit is named for the German electrical engineer Werner von Siemens (1816-1892). \\(\\ \\text{Siemens}\\equiv\\frac{\\text{A}}{\\text{V}}\\equiv\\frac{\\text{amp}}{\\text{volt}}\\equiv\\frac{\\text{F}}{\\text {s}}\\equiv\\frac{\\text{farad}}{\\text{second}}\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:exactMatch unit:MHO ; - qudt:hasDimensionVector qkdv:A0E2L-2I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Admittance ; - qudt:hasQuantityKind quantitykind:Conductance ; - qudt:iec61360Code "0112/2///62720#UAA277" ; - qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Siemens_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "A/V" ; - qudt:symbol "S" ; - qudt:ucumCode "S"^^qudt:UCUMcs ; - qudt:udunitsCode "S" ; - qudt:uneceCommonCode "SIE" ; - rdfs:isDefinedBy ; - rdfs:label "Siemens"@de ; - rdfs:label "siemens"@cs ; - rdfs:label "siemens"@en ; - rdfs:label "siemens"@es ; - rdfs:label "siemens"@fr ; - rdfs:label "siemens"@hu ; - rdfs:label "siemens"@it ; - rdfs:label "siemens"@la ; - rdfs:label "siemens"@ms ; - rdfs:label "siemens"@pt ; - rdfs:label "siemens"@ro ; - rdfs:label "siemens"@sl ; - rdfs:label "siemens"@tr ; - rdfs:label "simens"@pl ; - rdfs:label "ζίμενς"@el ; - rdfs:label "сименс"@bg ; - rdfs:label "сименс"@ru ; - rdfs:label "סימנס"@he ; - rdfs:label "زیمنس"@fa ; - rdfs:label "سيمنز"@ar ; - rdfs:label "सीमैन्स"@hi ; - rdfs:label "ジーメンス"@ja ; - rdfs:label "西门子"@zh ; -. -unit:S-M2-PER-MOL - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(s-m2-per-mol\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A-1E2L0I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:MolarConductivity ; - qudt:iec61360Code "0112/2///62720#UAA280" ; - qudt:symbol "S⋅m²/mol" ; - qudt:ucumCode "S.m2.mol-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D12" ; - rdfs:isDefinedBy ; - rdfs:label "Siemens Square meter per mole"@en-us ; - rdfs:label "Siemens Square metre per mole"@en ; -. -unit:S-PER-CentiM - a qudt:Unit ; - dcterms:description "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:iec61360Code "0112/2///62720#UAA278" ; - qudt:plainTextDescription "SI derived unit Siemens divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "S/cm" ; - qudt:ucumCode "S.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H43" ; - rdfs:isDefinedBy ; - rdfs:label "Siemens Per Centimeter"@en-us ; - rdfs:label "Siemens Per Centimetre"@en ; -. -unit:S-PER-M - a qudt:Unit ; - dcterms:description "SI derived unit siemens divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:KiloGM-PER-M2-PA-SEC ; - qudt:expression "\\(s-per-m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:Conductivity ; - qudt:hasQuantityKind quantitykind:ElectrolyticConductivity ; - qudt:iec61360Code "0112/2///62720#UAA279" ; - qudt:plainTextDescription "SI derived unit siemens divided by the SI base unit metre" ; - qudt:symbol "S/m" ; - qudt:ucumCode "S.m-1"^^qudt:UCUMcs ; - qudt:ucumCode "S/m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D10" ; - rdfs:isDefinedBy ; - rdfs:label "Siemens Per Meter"@en-us ; - rdfs:label "Siemens je Meter"@de ; - rdfs:label "siemens al metro"@it ; - rdfs:label "siemens bölü metre"@tr ; - rdfs:label "siemens na meter"@sl ; - rdfs:label "siemens par mètre"@fr ; - rdfs:label "siemens pe metru"@ro ; - rdfs:label "siemens per meter"@ms ; - rdfs:label "siemens per metre"@en ; - rdfs:label "siemens por metro"@es ; - rdfs:label "siemens por metro"@pt ; - rdfs:label "siemensů na metr"@cs ; - rdfs:label "simens na metr"@pl ; - rdfs:label "сименс на метр"@ru ; - rdfs:label "زیمنس بر متر"@fa ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "प्रति मीटर सीमैन्स"@hi ; - rdfs:label "ジーメンス毎メートル"@ja ; - rdfs:label "西门子每米"@zh ; -. -unit:SAMPLE-PER-SEC - a qudt:Unit ; - dcterms:description "The number of discrete samples of some thing per second."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(sample-per-sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:symbol "sample/s" ; - qudt:ucumCode "s-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Sample per second"@en ; -. -unit:SEC - a qudt:Unit ; - dcterms:description """The \\(Second\\) (symbol: \\(s\\)) is the base unit of time in the International System of Units (SI) and is also a unit of time in other systems of measurement. Between the years1000 (when al-Biruni used seconds) and 1960 the second was defined as \\(1/86400\\) of a mean solar day (that definition still applies in some astronomical and legal contexts). Between 1960 and 1967, it was defined in terms of the period of the Earth's orbit around the Sun in 1900, but it is now defined more precisely in atomic terms. -Under the International System of Units (via the International Committee for Weights and Measures, or CIPM), since 1967 the second has been defined as the duration of \\({9192631770}\\) periods of the radiation corresponding to the transition between the two hyperfine levels of the ground state of the caesium 133 atom.In 1997 CIPM added that the periods would be defined for a caesium atom at rest, and approaching the theoretical temperature of absolute zero, and in 1999, it included corrections from ambient radiation."""^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Second"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Period ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAA972" ; - qudt:iec61360Code "0112/2///62720#UAD722" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Second?oldid=495241006"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "s" ; - qudt:ucumCode "s"^^qudt:UCUMcs ; - qudt:udunitsCode "s" ; - qudt:uneceCommonCode "SEC" ; - rdfs:isDefinedBy ; - rdfs:label "Sekunde"@de ; - rdfs:label "másodperc"@hu ; - rdfs:label "saat"@ms ; - rdfs:label "saniye"@tr ; - rdfs:label "second"@en ; - rdfs:label "seconde"@fr ; - rdfs:label "secondo"@it ; - rdfs:label "secundum"@la ; - rdfs:label "secundă"@ro ; - rdfs:label "segundo"@es ; - rdfs:label "segundo"@pt ; - rdfs:label "sekunda"@cs ; - rdfs:label "sekunda"@pl ; - rdfs:label "sekunda"@sl ; - rdfs:label "δευτερόλεπτο"@el ; - rdfs:label "секунда"@bg ; - rdfs:label "секунда"@ru ; - rdfs:label "שנייה"@he ; - rdfs:label "ثانية"@ar ; - rdfs:label "ثانیه"@fa ; - rdfs:label "सैकण्ड"@hi ; - rdfs:label "秒"@ja ; - rdfs:label "秒"@zh ; -. -unit:SEC-FT2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Second Square Foot\" is an Imperial unit for 'Area Time' expressed as \\(s-ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.09290304 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(s-ft^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:AreaTime ; - qudt:symbol "s⋅ft²" ; - qudt:ucumCode "s.[ft_i]2"^^qudt:UCUMcs ; - qudt:ucumCode "s.[sft_i]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Second Square Foot"@en ; -. -unit:SEC-PER-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "s/m" ; - qudt:ucumCode "s.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Seconds per metre"@en ; -. -unit:SEC-PER-RAD-M3 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:expression "\\(sec/rad-m^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:DensityOfStates ; - qudt:iec61360Code "0112/2///62720#UAB352" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "s/rad⋅m³" ; - qudt:ucumCode "s.rad-1.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q22" ; - rdfs:isDefinedBy ; - rdfs:label "Second per Radian Cubic Meter"@en-us ; - rdfs:label "Second per Radian Cubic Metre"@en ; -. -unit:SEC2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Square Second\" is a unit for 'Square Time' expressed as \\(s^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(s^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T2D0 ; - qudt:hasQuantityKind quantitykind:Time_Squared ; - qudt:symbol "s²" ; - qudt:ucumCode "s2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Square Second"@en ; -. -unit:SH - a qudt:Unit ; - dcterms:description "A shake is an informal unit of time equal to 10 nanoseconds. It has applications in nuclear physics, helping to conveniently express the timing of various events in a nuclear explosion. The typical time required for one step in the chain reaction (i.e. the typical time for each neutron to cause a fission event which releases more neutrons) is of order 1 shake, and the chain reaction is typically complete by 50 to 100 shakes."^^rdf:HTML ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Shake"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB226" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Shake?oldid=494796779"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "shake" ; - qudt:ucumCode "10.ns"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M56" ; - rdfs:isDefinedBy ; - rdfs:label "Shake"@en ; -. -unit:SHANNON - a qudt:Unit ; - dcterms:description "The \"Shannon\" is a unit of information."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.69314718055994530941723212145818 ; - qudt:expression "\\(Sh\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB343" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Sh" ; - qudt:uneceCommonCode "Q14" ; - rdfs:isDefinedBy ; - rdfs:label "Shannon"@en ; -. -unit:SHANNON-PER-SEC - a qudt:Unit ; - dcterms:description "The \"Shannon per Second\" is a unit of information rate."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(Sh/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:InformationFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB346" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ban_(information)"^^xsd:anyURI ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31898"^^xsd:anyURI ; - qudt:symbol "Sh/s" ; - qudt:uneceCommonCode "Q17" ; - rdfs:isDefinedBy ; - rdfs:label "Shannon per Second"@en ; -. -unit:SLUG - a qudt:Unit ; - dcterms:description "The slug is a unit of mass associated with Imperial units. It is a mass that accelerates by \\(1 ft/s\\) when a force of one pound-force (\\(lbF\\)) is exerted on it. With standard gravity \\(gc = 9.80665 m/s\\), the international foot of \\(0.3048 m\\) and the avoirdupois pound of \\(0.45359237 kg\\), one slug therefore has a mass of approximately \\(32.17405 lbm\\) or \\(14.593903 kg\\). At the surface of the Earth, an object with a mass of 1 slug exerts a force of about \\(32.17 lbF\\) or \\(143 N\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 14.593903 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Slug"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAA978" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Slug?oldid=495010998"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "slug" ; - qudt:uneceCommonCode "F13" ; - rdfs:isDefinedBy ; - rdfs:label "Slug"@en ; -. -unit:SLUG-PER-DAY - a qudt:Unit ; - dcterms:description "unit slug for mass according to an English engineering system divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1.6891087963e-04 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA979" ; - qudt:plainTextDescription "unit slug for mass according to an English engineering system divided by the unit day" ; - qudt:symbol "slug/day" ; - qudt:uneceCommonCode "L63" ; - rdfs:isDefinedBy ; - rdfs:label "Slug Per Day"@en ; -. -unit:SLUG-PER-FT - a qudt:Unit ; - dcterms:description "\"Slug per Foot\" is an Imperial unit for 'Mass Per Length' expressed as \\(slug/ft\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 47.8802591863517 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(slug/ft\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:symbol "slug/ft" ; - rdfs:isDefinedBy ; - rdfs:label "Slug per Foot"@en ; -. -unit:SLUG-PER-FT-SEC - a qudt:Unit ; - dcterms:description "\\(\\textbf{Slug per Foot Second} is a unit for 'Dynamic Viscosity' expressed as \\(slug/(ft-s)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 47.8802591863517 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(slug/(ft-s)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:DynamicViscosity ; - qudt:hasQuantityKind quantitykind:Viscosity ; - qudt:iec61360Code "0112/2///62720#UAA980" ; - qudt:symbol "slug/(ft⋅s)" ; - qudt:uneceCommonCode "L64" ; - rdfs:isDefinedBy ; - rdfs:label "Slug per Foot Second"@en ; -. -unit:SLUG-PER-FT2 - a qudt:Unit ; - dcterms:description "\"Slug per Square Foot\" is an Imperial unit for 'Mass Per Area' expressed as \\(slug/ft^{2}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 157.08746452215124 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(slug/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:symbol "slug/ft²" ; - rdfs:isDefinedBy ; - rdfs:label "Slug per Square Foot"@en ; -. -unit:SLUG-PER-FT3 - a qudt:Unit ; - dcterms:description "\"Slug per Cubic Foot\" is an Imperial unit for 'Density' expressed as \\(slug/ft^{3}\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 515.3788206107324 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(slug/ft^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA981" ; - qudt:symbol "slug/ft³" ; - qudt:uneceCommonCode "L65" ; - rdfs:isDefinedBy ; - rdfs:label "Slug per Cubic Foot"@en ; -. -unit:SLUG-PER-HR - a qudt:Unit ; - dcterms:description "unit slug for mass slug according to the English engineering system divided by the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.004053861111111 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA982" ; - qudt:plainTextDescription "unit slug for mass slug according to the English engineering system divided by the unit hour" ; - qudt:symbol "slug/hr" ; - qudt:uneceCommonCode "L66" ; - rdfs:isDefinedBy ; - rdfs:label "Slug Per Hour"@en ; -. -unit:SLUG-PER-MIN - a qudt:Unit ; - dcterms:description "unit slug for the mass according to the English engineering system divided by the unit minute"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.243231666666667 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA983" ; - qudt:plainTextDescription "unit slug for the mass according to the English engineering system divided by the unit minute" ; - qudt:symbol "slug/min" ; - qudt:uneceCommonCode "L67" ; - rdfs:isDefinedBy ; - rdfs:label "Slug Per Minute"@en ; -. -unit:SLUG-PER-SEC - a qudt:Unit ; - dcterms:description "\"Slug per Second\" is an Imperial unit for 'Mass Per Time' expressed as \\(slug/s\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 14.593903 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:expression "\\(slug/s\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:iec61360Code "0112/2///62720#UAA984" ; - qudt:symbol "slug/s" ; - qudt:uneceCommonCode "L68" ; - rdfs:isDefinedBy ; - rdfs:label "Slug per Second"@en ; -. -unit:SR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The steradian (symbol: sr) is the SI unit of solid angle. It is used to describe two-dimensional angular spans in three-dimensional space, analogous to the way in which the radian describes angles in a plane. The radian and steradian are special names for the number one that may be used to convey information about the quantity concerned. In practice the symbols rad and sr are used where appropriate, but the symbol for the derived unit one is generally omitted in specifying the values of dimensionless quantities."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Steradian"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:SolidAngle ; - qudt:iec61360Code "0112/2///62720#UAA986" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Steradian?oldid=494317847"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "sr" ; - qudt:ucumCode "sr"^^qudt:UCUMcs ; - qudt:udunitsCode "sr" ; - qudt:uneceCommonCode "D27" ; - rdfs:isDefinedBy ; - rdfs:label "Steradiant"@de ; - rdfs:label "estereorradián"@es ; - rdfs:label "esterradiano"@pt ; - rdfs:label "steradian"@en ; - rdfs:label "steradian"@la ; - rdfs:label "steradian"@ms ; - rdfs:label "steradian"@pl ; - rdfs:label "steradian"@ro ; - rdfs:label "steradian"@sl ; - rdfs:label "steradiante"@it ; - rdfs:label "steradián"@cs ; - rdfs:label "steradyan"@tr ; - rdfs:label "stéradian"@fr ; - rdfs:label "szteradián"@hu ; - rdfs:label "στερακτίνιο"@el ; - rdfs:label "стерадиан"@bg ; - rdfs:label "стерадиан"@ru ; - rdfs:label "סטרדיאן"@he ; - rdfs:label "استرادیان"@fa ; - rdfs:label "ستراديان"@ar ; - rdfs:label "घन मीटर"@hi ; - rdfs:label "ステラジアン"@ja ; - rdfs:label "球面度"@zh ; -. -unit:ST - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Stokes (St)}\\) is a unit in the category of Kinematic viscosity. This unit is commonly used in the cgs unit system. Stokes (St) has a dimension of \\(L^2T^{-1}\\) where \\(L\\) is length, and \\(T\\) is time. It can be converted to the corresponding standard SI unit \\(m^2/s\\) by multiplying its value by a factor of 0.0001."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 0.0001 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Stokes"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:KinematicViscosity ; - qudt:iec61360Code "0112/2///62720#UAA281" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stokes?oldid=426159512"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--kinematic_viscosity--stokes.cfm"^^xsd:anyURI ; - qudt:latexDefinition "\\((cm^2/s\\))"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "St" ; - qudt:ucumCode "St"^^qudt:UCUMcs ; - qudt:udunitsCode "St" ; - qudt:uneceCommonCode "91" ; - rdfs:isDefinedBy ; - rdfs:label "Stokes"@en ; -. -unit:STILB - a qudt:Unit ; - dcterms:description "\\(The \\textit{stilb (sb)} is the CGS unit of luminance for objects that are not self-luminous. It is equal to one candela per square centimeter or 10 nits (candelas per square meter). The name was coined by the French physicist A. Blondel around 1920. It comes from the Greek word stilbein meaning 'to glitter'. It was in common use in Europe up to World War I. In North America self-explanatory terms such as candle per square inch and candle per square meter were more common. The unit has since largely been replaced by the SI unit: candela per square meter.\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 10000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Stilb"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-2I1M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Luminance ; - qudt:iec61360Code "0112/2///62720#UAB260" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stilb?oldid=375748497"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "sb" ; - qudt:ucumCode "sb"^^qudt:UCUMcs ; - qudt:udunitsCode "sb" ; - qudt:uneceCommonCode "P31" ; - rdfs:isDefinedBy ; - rdfs:label "Stilb"@en ; -. -unit:STR - a qudt:Unit ; - dcterms:description "The stere is a unit of volume in the original metric system equal to one cubic metre. The stere is typically used for measuring large quantities of firewood or other cut wood, while the cubic meter is used for uncut wood. It is not part of the modern metric system (SI). In Dutch there's also a kuub, short for kubieke meter which is similar but different."^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/St%C3%A8re"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAA987" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Stère?oldid=393570287"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "st" ; - qudt:ucumCode "st"^^qudt:UCUMcs ; - qudt:uneceCommonCode "G26" ; - rdfs:isDefinedBy ; - rdfs:label "Stere"@en ; -. -unit:SUSCEPTIBILITY_ELEC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:latexDefinition "\\chi_{\\text{e}} = \\frac{{\\mathbf P}}{\\varepsilon_0{\\mathbf E}}"^^qudt:LatexString ; - qudt:plainTextDescription "Electric susceptibility is a dimensionless proportionality constant that indicates the degree of polarization of a dielectric material in response to an applied electric field. Here P = epsilon_0 * chi_e * E. Where epsilon_0 is the electric permittivity of free space (electric constant), P is the polarization density of the material chi_e is the electric susceptibility and E is the electric field." ; - qudt:symbol "χ" ; - rdfs:isDefinedBy ; - rdfs:label "Electric Susceptibility Unit" ; -. -unit:SUSCEPTIBILITY_MAG - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:latexDefinition "\\chi_\\text{v} = \\frac{\\mathbf{M}}{\\mathbf{H}}"^^qudt:LatexString ; - qudt:plainTextDescription "Magnetic susceptibility is a dimensionless proportionality constant that indicates the degree of magnetization of a material in response to an applied magnetic field. Here M = chi * H. Where M is the magnetization of the material (the magnetic dipole moment per unit volume), measured in amperes per meter, and H is the magnetic field strength, also measured in amperes per meter. Chi is therefore a dimensionless quantity." ; - qudt:symbol "χ" ; - rdfs:isDefinedBy ; - rdfs:label "Magnetic Susceptibility Unit" ; -. -unit:SV - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Although the sievert has the same dimensions as the gray (i.e. joules per kilogram), it measures a different quantity. To avoid any risk of confusion between the absorbed dose and the equivalent dose, the corresponding special units, namely the gray instead of the joule per kilogram for absorbed dose and the sievert instead of the joule per kilogram for the dose equivalent, should be used."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sievert"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-2D0 ; - qudt:hasQuantityKind quantitykind:DoseEquivalent ; - qudt:iec61360Code "0112/2///62720#UAA284" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sievert?oldid=495474333"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1284"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "J/kg" ; - qudt:symbol "Sv" ; - qudt:ucumCode "Sv"^^qudt:UCUMcs ; - qudt:udunitsCode "Sv" ; - qudt:uneceCommonCode "D13" ; - rdfs:isDefinedBy ; - rdfs:label "Sievert"@de ; - rdfs:label "sievert"@cs ; - rdfs:label "sievert"@en ; - rdfs:label "sievert"@es ; - rdfs:label "sievert"@fr ; - rdfs:label "sievert"@hu ; - rdfs:label "sievert"@it ; - rdfs:label "sievert"@ms ; - rdfs:label "sievert"@pt ; - rdfs:label "sievert"@ro ; - rdfs:label "sievert"@sl ; - rdfs:label "sievert"@tr ; - rdfs:label "sievertum"@la ; - rdfs:label "siwert"@pl ; - rdfs:label "σίβερτ"@el ; - rdfs:label "зиверт"@ru ; - rdfs:label "сиверт"@bg ; - rdfs:label "זיוורט"@he ; - rdfs:label "زيفرت"@ar ; - rdfs:label "سیورت"@fa ; - rdfs:label "सैवर्ट"@hi ; - rdfs:label "シーベルト"@ja ; - rdfs:label "西弗"@zh ; -. -unit:S_Ab - a qudt:Unit ; - dcterms:description "The CGS electromagnetic unit of conductance; one absiemen is the conductance at which a potential of one abvolt forces a current of one abampere; equal to \\(10^{9}\\) siemens. One siemen is the conductance at which a potential of one volt forces a current of one ampere and named for Karl Wilhem Siemens."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e09 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:informativeReference "http://wordinfo.info/unit/4266"^^xsd:anyURI ; - qudt:symbol "aS" ; - qudt:ucumCode "GS"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Absiemen"@en ; -. -unit:S_Stat - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The unit of conductance, admittance, and susceptance in the centimeter-gram-second electrostatic system of units."^^rdf:HTML ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 1.1126500561e-12 ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:exactMatch unit:MHO_Stat ; - qudt:hasDimensionVector qkdv:A0E2L-3I0M-1H0T3D0 ; - qudt:hasQuantityKind quantitykind:ElectricConductivity ; - qudt:informativeReference "http://www.knowledgedoor.com/2/units_and_constants_handbook/statsiemens.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.sizes.com/units/statmho.htm"^^xsd:anyURI ; - qudt:informativeReference "http://www3.wolframalpha.com/input/?i=statsiemens"^^xsd:anyURI ; - qudt:symbol "statS" ; - rdfs:isDefinedBy ; - rdfs:label "Statsiemens"@en ; - skos:altLabel "statmho" ; -. -unit:SolarMass - a qudt:Unit ; - dcterms:description "The astronomical unit of mass is the solar mass.The symbol \\(S\\) is often used in astronomy to refer to this unit, although \\(M_{\\odot}\\) is also common. The solar mass, \\(1.98844 \\times 10^{30} kg\\), is a standard way to express mass in astronomy, used to describe the masses of other stars and galaxies. It is equal to the mass of the Sun, about 333,000 times the mass of the Earth or 1,048 times the mass of Jupiter. In practice, the masses of celestial bodies appear in the dynamics of the solar system only through the products GM, where G is the constant of gravitation."^^qudt:LatexString ; - qudt:conversionMultiplier 1.988435e30 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Solar_mass"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Solar_mass?oldid=494074016"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "S" ; - rdfs:isDefinedBy ; - rdfs:label "Solar mass"@en ; -. -unit:Standard - a qudt:Unit ; - dcterms:description "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre"^^rdf:HTML ; - qudt:conversionMultiplier 4.672 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB116" ; - qudt:plainTextDescription "non SI-conform unit of the volume of readily finished wood material : 1 standard = 1,980 board feet or approximate 4.672 cubic metre" ; - qudt:symbol "standard" ; - qudt:ucumCode "1980.[bf_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "WSD" ; - rdfs:isDefinedBy ; - rdfs:label "Standard"@en ; -. -unit:Stone_UK - a qudt:Unit ; - dcterms:description "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 6.35029318 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB081" ; - qudt:plainTextDescription "unit of the mass which is commonly used for the determination of the weight of living beings regarding to the conversion to the avoirdupois system of units: 1 st = 14 lb (av)" ; - qudt:symbol "st{UK}" ; - qudt:ucumCode "[stone_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "STI" ; - rdfs:isDefinedBy ; - rdfs:label "Stone (UK)"@en ; -. -unit:T - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of flux density (or field intensity) for magnetic fields (also called the magnetic induction). The intensity of a magnetic field can be measured by placing a current-carrying conductor in the field. The magnetic field exerts a force on the conductor, a force which depends on the amount of the current and on the length of the conductor. One tesla is defined as the field intensity generating one newton of force per ampere of current per meter of conductor. Equivalently, one tesla represents a magnetic flux density of one weber per square meter of area. A field of one tesla is quite strong: the strongest fields available in laboratories are about 20 teslas, and the Earth's magnetic flux density, at its surface, is about 50 microteslas. The tesla, defined in 1958, honors the Serbian-American electrical engineer Nikola Tesla (1856-1943), whose work in electromagnetic induction led to the first practical generators and motors using alternating current. \\(T = V\\cdot s \\cdot m^{-2} = N\\cdot A^{-1}\\cdot m^{-1} = Wb\\cdot m^{-1} = kg \\cdot C^{-1}\\cdot s^{-1}\\cdot A^{-1} = kg \\cdot s^{-2}\\cdot A^{-1} = N \\cdot s \\cdot C^{-1}\\cdot m^{-1}\\) where, \\(\\\\\\) \\(A\\) = ampere, \\(C\\)=coulomb, \\(m\\) = meter, \\(N\\) = newton, \\(s\\) = second, \\(T\\) = tesla, \\(Wb\\) = weber"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tesla"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticField ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:iec61360Code "0112/2///62720#UAA285" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tesla?oldid=481198244"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tesla_(unit)"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1406?rskey=AzXBLd"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "Wb/m^2" ; - qudt:symbol "T" ; - qudt:ucumCode "T"^^qudt:UCUMcs ; - qudt:udunitsCode "T" ; - qudt:uneceCommonCode "D33" ; - rdfs:isDefinedBy ; - rdfs:label "Tesla"@de ; - rdfs:label "tesla"@cs ; - rdfs:label "tesla"@en ; - rdfs:label "tesla"@es ; - rdfs:label "tesla"@fr ; - rdfs:label "tesla"@hu ; - rdfs:label "tesla"@it ; - rdfs:label "tesla"@la ; - rdfs:label "tesla"@ms ; - rdfs:label "tesla"@pl ; - rdfs:label "tesla"@pt ; - rdfs:label "tesla"@ro ; - rdfs:label "tesla"@sl ; - rdfs:label "tesla"@tr ; - rdfs:label "τέσλα"@el ; - rdfs:label "тесла"@bg ; - rdfs:label "тесла"@ru ; - rdfs:label "טסלה"@he ; - rdfs:label "تسلا"@ar ; - rdfs:label "تسلا"@fa ; - rdfs:label "टैस्ला"@hi ; - rdfs:label "テスラ"@ja ; - rdfs:label "特斯拉"@zh ; -. -unit:T-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:symbol "T⋅m" ; - qudt:ucumCode "T.m"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "T-M"@en ; -. -unit:T-SEC - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerElectricCharge ; - qudt:symbol "T⋅s" ; - qudt:ucumCode "T.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "T-SEC"@en ; -. -unit:TBSP - a qudt:Unit ; - dcterms:description "In the US and parts of Canada, a tablespoon is the largest type of spoon used for eating from a bowl. In the UK and most Commonwealth countries, a tablespoon is a type of large spoon usually used for serving. In countries where a tablespoon is a serving spoon, the nearest equivalent to the US tablespoon is either the dessert spoon or the soup spoon. A tablespoonful, nominally the capacity of one tablespoon, is commonly used as a measure of volume in cooking. It is abbreviated as T, tb, tbs, tbsp, tblsp, or tblspn. The capacity of ordinary tablespoons is not regulated by law and is subject to considerable variation. In most countries one level tablespoon is approximately 15 mL; in Australia it is 20 mL."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.47867656e-05 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tablespoon"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB006" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tablespoon?oldid=494615208"^^xsd:anyURI ; - qudt:symbol "tbsp" ; - qudt:ucumCode "[tbs_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "Tbl" ; - qudt:udunitsCode "Tblsp" ; - qudt:udunitsCode "Tbsp" ; - qudt:udunitsCode "tblsp" ; - qudt:udunitsCode "tbsp" ; - qudt:uneceCommonCode "G24" ; - rdfs:isDefinedBy ; - rdfs:label "Tablespoon"@en ; -. -unit:TEX - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "

\\textit{Tex is a unit of measure for the linear mass density of fibers and is defined as the mass in grams per 1000 meters. Tex is more likely to be used in Canada and Continental Europe, while denier remains more common in the United States and United Kingdom. The unit code is 'tex'. The most commonly used unit is actually the decitex, abbreviated dtex, which is the mass in grams per 10,000 meters. When measuring objects that consist of multiple fibers the term 'filament tex' is sometimes used, referring to the mass in grams per 1000 meters of a single filament. Tex is used for measuring fiber size in many products, including cigarette filters, optical cable, yarn, and fabric.}"^^rdf:HTML ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tex"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerLength ; - qudt:iec61360Code "0112/2///62720#UAB246" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tex?oldid=457265525"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Units_of_textile_measurement"^^xsd:anyURI ; - qudt:symbol "tex" ; - qudt:ucumCode "tex"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D34" ; - rdfs:isDefinedBy ; - rdfs:label "Tex"@en ; -. -unit:THM_EEC - a qudt:Unit ; - qudt:expression "\\(therm-eec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:symbol "thm{EEC}" ; - qudt:ucumCode "100000.[Btu_IT]"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "THM_EEC"@en ; -. -unit:THM_US - a qudt:Unit ; - dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. In the US gas industry its SI equivalent is defined as exactly \\(100,000 BTU59^\\circ F\\) or \\(105.4804 megajoules\\). Public utilities in the U.S. use the therm unit for measuring customer usage of gas and calculating the monthly bills."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.054804e08 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; - qudt:symbol "thm{US}" ; - qudt:ucumCode "100000.[Btu_59]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N72" ; - rdfs:isDefinedBy ; - rdfs:label "Therm US"@en ; -. -unit:THM_US-PER-HR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Therm} (symbol \\(thm\\)) is a non-SI unit of heat energy. It was defined in the United States in 1968 as the energy equivalent of burning 100 cubic feet of natural gas at standard temperature and pressure. Industrial processes in the U.S. use therm/hr unit most often in the power, steam generation, heating, and air conditioning industries."^^qudt:LatexString ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 29300.1111 ; - qudt:expression "\\(thm/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://www.convertunits.com/info/therm%2B%5BU.S.%5D"^^xsd:anyURI ; - qudt:symbol "thm{US}/hr" ; - qudt:ucumCode "[thm{US}].h-1"^^qudt:UCUMcs ; - qudt:ucumCode "[thm{US}]/h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Therm US per Hour"@en ; -. -unit:TOE - a qudt:Unit ; - dcterms:description "

The tonne of oil equivalent (toe) is a unit of energy: the amount of energy released by burning one tonne of crude oil, approximately 42 GJ (as different crude oils have different calorific values, the exact value of the toe is defined by convention; unfortunately there are several slightly different definitions as discussed below). The toe is sometimes used for large amounts of energy, as it can be more intuitive to visualise, say, the energy released by burning 1000 tonnes of oil than 42,000 billion joules (the SI unit of energy). Multiples of the toe are used, in particular the megatoe (Mtoe, one million toe) and the gigatoe (Gtoe, one billion toe).

"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.1868e10 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne_of_oil_equivalent"^^xsd:anyURI ; - qudt:symbol "toe" ; - rdfs:isDefinedBy ; - rdfs:label "Ton of Oil Equivalent"@en ; -. -unit:TONNE - a qudt:Unit ; - dcterms:description "1,000-fold of the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:TON_Metric ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; - qudt:symbol "t" ; - qudt:ucumCode "t"^^qudt:UCUMcs ; - qudt:udunitsCode "t" ; - qudt:uneceCommonCode "TNE" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne"@en ; -. -unit:TONNE-PER-DAY - a qudt:Unit ; - dcterms:description "metric unit tonne divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.011574074074074 ; - qudt:exactMatch unit:TON_Metric-PER-DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA991" ; - qudt:plainTextDescription "metric unit tonne divided by the unit for time day" ; - qudt:symbol "t/day" ; - qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L71" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Day"@en ; -. -unit:TONNE-PER-HA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:exactMatch unit:MegaGM-PER-HA ; - qudt:exactMatch unit:TON_Metric-PER-HA ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; - qudt:symbol "t/ha" ; - qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "tonne per hectare"@en ; -. -unit:TONNE-PER-HA-YR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.17e-09 ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassPerAreaTime ; - qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare per year or one Megagram per hectare per year, typically used to express a volume of biomass or crop yield." ; - qudt:symbol "t/(ha⋅year)" ; - qudt:ucumCode "t.har-1.year-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "tonne per hectare per year"@en ; -. -unit:TONNE-PER-HR - a qudt:Unit ; - dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.277777777777778 ; - qudt:exactMatch unit:TON_Metric-PER-HR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB994" ; - qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; - qudt:symbol "t/hr" ; - qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E18" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Hour"@en ; -. -unit:TONNE-PER-M3 - a qudt:Unit ; - dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:TON_Metric-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA997" ; - qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "t/m³" ; - qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D41" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Cubic Meter"@en-us ; - rdfs:label "Tonne Per Cubic Metre"@en ; -. -unit:TONNE-PER-MIN - a qudt:Unit ; - dcterms:description "unit tonne divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 16.666666666666668 ; - qudt:exactMatch unit:TON_Metric-PER-MIN ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB000" ; - qudt:plainTextDescription "unit tonne divided by the unit for time minute" ; - qudt:symbol "t/min" ; - qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L78" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Minute"@en ; -. -unit:TONNE-PER-SEC - a qudt:Unit ; - dcterms:description "unit tonne divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:TON_Metric-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB003" ; - qudt:plainTextDescription "unit tonne divided by the SI base unit second" ; - qudt:symbol "t/s" ; - qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L81" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Second"@en ; -. -unit:TON_Assay - a qudt:Unit ; - dcterms:description "In the United States, a unit of mass, approximately \\(29.167\\, grams\\). The number of milligrams of precious metal in one assay ton of the ore being tested is equal to the number of troy ounces of pure precious metal in one 2000-pound ton of the ore. i.e. a bead is obtained that weights 3 milligrams, thus the precious metals in the bead would equal three troy ounces to each ton of ore with the understanding that this varies considerably in the real world as the amount of precious values in each ton of ore varies considerably."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.02916667 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://www.assaying.org/assayton.htm"^^xsd:anyURI ; - qudt:symbol "AT" ; - rdfs:isDefinedBy ; - rdfs:label "Assay Ton"@en ; -. -unit:TON_FG - a qudt:Unit ; - dcterms:description "12000 btu per hour

"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3516.853 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(t/fg\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:HeatFlowRate ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "t/fg" ; - rdfs:isDefinedBy ; - rdfs:label "Ton of Refrigeration"@en ; -. -unit:TON_FG-HR - a qudt:Unit ; - dcterms:description "12000 btu

"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 12660670.2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ton_of_refrigeration"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ThermalEnergy ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ton_of_refrigeration?oldid=494342824"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Ton of Refrigeration Hour"@en ; -. -unit:TON_F_US - a qudt:Unit ; - dcterms:description "unit of the force according to the American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 8896.443230521 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Force ; - qudt:iec61360Code "0112/2///62720#UAB021" ; - qudt:plainTextDescription "unit of the force according to the American system of units" ; - qudt:symbol "tonf{us}" ; - qudt:ucumCode "[stonf_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L94" ; - rdfs:isDefinedBy ; - rdfs:label "Ton Force (US Short)"@en ; -. -unit:TON_LONG - a qudt:Unit ; - dcterms:description """Long ton (weight ton or imperial ton) is the name for the unit called the \"ton\" in the avoirdupois or Imperial system of measurements, as used in the United Kingdom and several other Commonwealth countries. One long ton is equal to 2,240 pounds (1,016 kg), 1.12 times as much as a short ton, or 35 cubic feet (0.9911 m3) of salt water with a density of 64 lb/ft3 (1.025 g/ml).

-

It has some limited use in the United States, most commonly in measuring the displacement of ships, and was the unit prescribed for warships by the Washington Naval Treaty 1922-for example battleships were limited to a mass of 35,000 long tons (36,000 t; 39,000 short tons).

"""^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1016.0469088 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:exactMatch unit:TON_UK ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Long_ton"^^xsd:anyURI ; - qudt:symbol "t{long}" ; - qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "LTN" ; - rdfs:isDefinedBy ; - rdfs:label "Long Ton"@en ; -. -unit:TON_LONG-PER-YD3 - a qudt:Unit ; - dcterms:description "The long ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in long tons."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1328.9391836174336 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:exactMatch unit:TON_UK-PER-YD3 ; - qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "t{long}/yd³" ; - qudt:ucumCode "[lton_av]/[cyd_i]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L92" ; - rdfs:isDefinedBy ; - rdfs:label "Long Ton per Cubic Yard"@en ; -. -unit:TON_Metric - a qudt:Unit ; - dcterms:description "The tonne (SI unit symbol: t) is a metric system unit of mass equal to 1,000 kilograms (2,204.6 pounds). It is a non-SI unit accepted for use with SI. To avoid confusion with the ton, it is also known as the metric tonne and metric ton in the United States[3] and occasionally in the United Kingdom. In SI units and prefixes, the tonne is a megagram (Mg), a rarely-used symbol, easily confused with mg, for milligram."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tonne"^^xsd:anyURI ; - qudt:exactMatch unit:TONNE ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tonne?oldid=492526238"^^xsd:anyURI ; - qudt:plainTextDescription "1,000-fold of the SI base unit kilogram" ; - qudt:symbol "t" ; - qudt:ucumCode "t"^^qudt:UCUMcs ; - qudt:uneceCommonCode "TNE" ; - rdfs:isDefinedBy ; - rdfs:label "Metric Ton"@en ; - skos:altLabel "metric-tonne" ; -. -unit:TON_Metric-PER-DAY - a qudt:Unit ; - dcterms:description "metric unit ton divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.011574074074074 ; - qudt:exactMatch unit:TONNE-PER-DAY ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA991" ; - qudt:plainTextDescription "metric unit ton divided by the unit for time day" ; - qudt:symbol "t/day" ; - qudt:ucumCode "t.d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L71" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Day"@en ; -. -unit:TON_Metric-PER-HA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.1 ; - qudt:exactMatch unit:MegaGM-PER-HA ; - qudt:exactMatch unit:TONNE-PER-HA ; - qudt:hasDimensionVector qkdv:A0E0L-2I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:MassPerArea ; - qudt:plainTextDescription "A measure of density equivalent to 1000kg per hectare or one Megagram per hectare, typically used to express a volume of biomass or crop yield." ; - qudt:symbol "t/ha" ; - qudt:ucumCode "t.har-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "metric tonne per hectare"@en ; -. -unit:TON_Metric-PER-HR - a qudt:Unit ; - dcterms:description "unit tonne divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 0.277777777777778 ; - qudt:exactMatch unit:TONNE-PER-HR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB994" ; - qudt:plainTextDescription "unit tonne divided by the unit for time hour" ; - qudt:symbol "t/hr" ; - qudt:ucumCode "t.h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E18" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Hour"@en ; -. -unit:TON_Metric-PER-M3 - a qudt:Unit ; - dcterms:description "unit tonne divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:TONNE-PER-M3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAA997" ; - qudt:plainTextDescription "unit tonne divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "t/m³" ; - qudt:ucumCode "t.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D41" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Cubic Meter"@en-us ; - rdfs:label "Tonne Per Cubic Metre"@en ; -. -unit:TON_Metric-PER-MIN - a qudt:Unit ; - dcterms:description "unit ton divided by the unit for time minute"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 16.666666666666668 ; - qudt:exactMatch unit:TONNE-PER-MIN ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB000" ; - qudt:plainTextDescription "unit ton divided by the unit for time minute" ; - qudt:symbol "t/min" ; - qudt:ucumCode "t.min-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L78" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Minute"@en ; -. -unit:TON_Metric-PER-SEC - a qudt:Unit ; - dcterms:description "unit ton divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:TONNE-PER-SEC ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB003" ; - qudt:plainTextDescription "unit ton divided by the SI base unit second" ; - qudt:symbol "t/s" ; - qudt:ucumCode "t.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L81" ; - rdfs:isDefinedBy ; - rdfs:label "Tonne Per Second (metric Ton)"@en ; -. -unit:TON_SHIPPING_US - a qudt:Unit ; - dcterms:description "traditional unit for volume of cargo, especially in shipping"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.1326 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB011" ; - qudt:plainTextDescription "traditional unit for volume of cargo, especially in shipping" ; - qudt:symbol "MTON" ; - qudt:uneceCommonCode "L86" ; - rdfs:isDefinedBy ; - rdfs:label "Ton (US Shipping)"@en ; -. -unit:TON_SHORT - a qudt:Unit ; - dcterms:description "

The short ton is a unit of mass equal to 2,000 pounds (907.18474 kg). In the United States it is often called simply ton without distinguishing it from the metric ton (tonne, 1,000 kilograms / 2,204.62262 pounds) or the long ton (2,240 pounds / 1,016.0469088 kilograms); rather, the other two are specifically noted. There are, however, some U.S. applications for which unspecified tons normally means long tons.

"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 907.18474 ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:TON_US ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Short_ton"^^xsd:anyURI ; - qudt:symbol "ton{short}" ; - qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "STN" ; - rdfs:isDefinedBy ; - rdfs:label "Short Ton"@en ; -. -unit:TON_SHORT-PER-HR - a qudt:Unit ; - dcterms:description "The short Ton per Hour is a unit used to express a weight processed in a period of time."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.251995761 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:TON_US-PER-HR ; - qudt:expression "\\(ton/hr\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:hasQuantityKind quantitykind:MassPerTime ; - qudt:symbol "ton/hr" ; - qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Short Ton per Hour"@en ; -. -unit:TON_SHORT-PER-YD3 - a qudt:Unit ; - dcterms:description "The short ton per cubic yard density measurement unit is used to measure volume in cubic yards in order to estimate weight or mass in short tons."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1186.552842515566 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:exactMatch unit:TON_US-PER-YD3 ; - qudt:expression "\\(ton/yd^3\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:symbol "ton{short}/yd³" ; - qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Short Ton per Cubic Yard"@en ; -. -unit:TON_UK - a qudt:Unit ; - dcterms:description "traditional Imperial unit for mass of cargo, especially in the shipping sector"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1016.0 ; - qudt:exactMatch unit:TON_LONG ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB009" ; - qudt:plainTextDescription "unit of the mass according to the Imperial system of units" ; - qudt:symbol "ton{UK}" ; - qudt:ucumCode "[lton_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "LTN" ; - rdfs:isDefinedBy ; - rdfs:label "Ton (UK)"@en ; -. -unit:TON_UK-PER-DAY - a qudt:Unit ; - dcterms:description "unit British ton according to the Imperial system of units divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 0.011759259259259 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB010" ; - qudt:plainTextDescription "unit British ton according to the Imperial system of units divided by the unit day" ; - qudt:symbol "t{long}/day" ; - qudt:ucumCode "[lton_av].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L85" ; - rdfs:isDefinedBy ; - rdfs:label "Long Ton (uk) Per Day"@en ; -. -unit:TON_UK-PER-YD3 - a qudt:Unit ; - dcterms:description "unit of the density according the Imperial system of units"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:conversionMultiplier 1328.8778292234224 ; - qudt:exactMatch unit:TON_LONG-PER-YD3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAB018" ; - qudt:plainTextDescription "unit of the density according the Imperial system of units" ; - qudt:symbol "t{long}/yd³" ; - qudt:ucumCode "[lton_av].[cyd_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Long Ton (UK) Per Cubic Yard"@en ; -. -unit:TON_US - a qudt:Unit ; - dcterms:description "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 907.1847 ; - qudt:exactMatch unit:TON_SHORT ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB012" ; - qudt:plainTextDescription "A ton is a unit of mass in the US customary system, where 1 ton is equal to 2000 pounds of mass." ; - qudt:symbol "ton{US}" ; - qudt:ucumCode "[ston_av]"^^qudt:UCUMcs ; - qudt:uneceCommonCode "STN" ; - rdfs:isDefinedBy ; - rdfs:label "Ton (US)"@en ; -. -unit:TON_US-PER-DAY - a qudt:Unit ; - dcterms:description "unit American ton according to the Anglo-American system of units divided by the unit day"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.010497685185185 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAB014" ; - qudt:plainTextDescription "unit American ton according to the Anglo-American system of units divided by the unit day" ; - qudt:symbol "ton{US}/day" ; - qudt:ucumCode "[ston_av].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L88" ; - rdfs:isDefinedBy ; - rdfs:label "Short Ton (us) Per Day"@en ; -. -unit:TON_US-PER-HR - a qudt:Unit ; - dcterms:description "unit ton divided by the unit for time hour"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.251944444444444 ; - qudt:exactMatch unit:TON_SHORT-PER-HR ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-1D0 ; - qudt:hasQuantityKind quantitykind:MassFlowRate ; - qudt:iec61360Code "0112/2///62720#UAA994" ; - qudt:iec61360Code "0112/2///62720#UAB019" ; - qudt:plainTextDescription "unit ton divided by the unit for time hour" ; - qudt:symbol "ton{US}/hr" ; - qudt:ucumCode "[ston_av].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "4W" ; - qudt:uneceCommonCode "E18" ; - rdfs:isDefinedBy ; - rdfs:label "Ton (US) Per Hour"@en ; -. -unit:TON_US-PER-YD3 - a qudt:Unit ; - dcterms:description "unit of the density according to the Anglo-American system of units"^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1186.3112117181538 ; - qudt:exactMatch unit:TON_SHORT-PER-YD3 ; - qudt:hasDimensionVector qkdv:A0E0L-3I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Density ; - qudt:hasQuantityKind quantitykind:MassDensity ; - qudt:iec61360Code "0112/2///62720#UAB020" ; - qudt:plainTextDescription "unit of the density according to the Anglo-American system of units" ; - qudt:symbol "ton{US}/yd³" ; - qudt:ucumCode "[ston_av].[cyd_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L93" ; - rdfs:isDefinedBy ; - rdfs:label "Short Ton (US) Per Cubic Yard"@en ; -. -unit:TORR - a qudt:Unit ; - dcterms:description "

The \\textit{torr} is a non-SI unit of pressure with the ratio of 760 to 1 standard atmosphere, chosen to be roughly equal to the fluid pressure exerted by a millimeter of mercury, i.e. , a pressure of 1 torr is approximately equal to one millimeter of mercury. Note that the symbol (Torr) is spelled exactly the same as the unit (torr), but the letter case differs. The unit is written lower-case, while the symbol of the unit (Torr) is capitalized (as upper-case), as is customary in metric units derived from names. Thus, it is correctly written either way, and is only incorrect when specification is first made that the word is being used as a unit, or else a symbol of the unit, and then the incorrect letter case for the specified use is employed.

"^^rdf:HTML ; - qudt:conversionMultiplier 133.322 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Torr"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:ForcePerArea ; - qudt:hasQuantityKind quantitykind:VaporPressure ; - qudt:iec61360Code "0112/2///62720#UAB022" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Torr?oldid=495199381"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "Torr" ; - qudt:uneceCommonCode "UA" ; - rdfs:isDefinedBy ; - rdfs:label "Torr"@en ; -. -unit:TSP - a qudt:Unit ; - dcterms:description "A teaspoon is a unit of volume. In the United States one teaspoon as a unit of culinary measure is \\(1/3\\) tablespoon , that is, \\(\\approx 4.93 mL\\); it is exactly \\(1/6 U.S. fl. oz\\), \\(1/48 \\; cup\\), and \\(1/768 \\; U.S. liquid gallon\\) (see United States customary units for relative volumes of these other measures) and approximately \\(1/3 cubic inch\\). For nutritional labeling on food packages in the U.S., the teaspoon is defined as precisely \\(5 mL\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 4.92892187e-06 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Teaspoon"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB007" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Teaspoon?oldid=490940468"^^xsd:anyURI ; - qudt:symbol "tsp" ; - qudt:ucumCode "[tsp_us]"^^qudt:UCUMcs ; - qudt:udunitsCode "tsp" ; - qudt:uneceCommonCode "G25" ; - rdfs:isDefinedBy ; - rdfs:label "Teaspoon"@en ; -. -unit:T_Ab - a qudt:Unit ; - dcterms:description "The unit of magnetic induction in the cgs system, \\(10^{-4}\\,tesla\\). Also known as the gauss."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 0.0001 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:exactMatch unit:GAUSS ; - qudt:exactMatch unit:Gs ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticField ; - qudt:hasQuantityKind quantitykind:MagneticFluxDensity ; - qudt:informativeReference "http://www.diracdelta.co.uk/science/source/g/a/gauss/source.html"^^xsd:anyURI ; - qudt:symbol "abT" ; - rdfs:isDefinedBy ; - rdfs:label "Abtesla"@en ; -. -unit:TebiBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The tebibyte is a multiple of the unit byte for digital information. The prefix tebi means 1024^4"^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 6.0969870782864836024230149744713e12 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tebibyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Byte#Multiple-byte_units"^^xsd:anyURI ; - qudt:prefix prefix:Tebi ; - qudt:symbol "TiB" ; - qudt:uneceCommonCode "E61" ; - rdfs:isDefinedBy ; - rdfs:label "TebiByte"@en ; -. -unit:TeraBYTE - a qudt:CountingUnit ; - a qudt:Unit ; - dcterms:description "The terabyte is a multiple of the unit byte for digital information. The prefix tera means 10^12 in the International System of Units (SI), and therefore 1 terabyte is 1000000000000bytes, or 1 trillion bytes, or 1000 gigabytes. 1 terabyte in binary prefixes is 0.9095 tebibytes, or 931.32 gibibytes. The unit symbol for the terabyte is TB or TByte, but not Tb (lower case b) which refers to terabit."^^rdf:HTML ; - qudt:applicableSystem sou:ASU ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 5.5451774444795624753378569716654e12 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Terabyte"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:InformationEntropy ; - qudt:iec61360Code "0112/2///62720#UAB186" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Terabyte?oldid=494671550"^^xsd:anyURI ; - qudt:prefix prefix:Tera ; - qudt:symbol "TB" ; - qudt:ucumCode "TBy"^^qudt:UCUMcs ; - qudt:uneceCommonCode "E35" ; - rdfs:isDefinedBy ; - rdfs:label "TeraByte"@en ; -. -unit:TeraC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A TeraCoulomb is \\(10^{12} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e12 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Tera ; - qudt:symbol "TC" ; - qudt:ucumCode "TC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "TeraCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:TeraHZ - a qudt:Unit ; - dcterms:description "1 000 000 000 000-fold of the SI derived unit hertz"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0e12 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAA287" ; - qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit hertz" ; - qudt:prefix prefix:Tera ; - qudt:symbol "THz" ; - qudt:ucumCode "THz"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D29" ; - rdfs:isDefinedBy ; - rdfs:label "Terahertz"@en ; -. -unit:TeraJ - a qudt:Unit ; - dcterms:description "1 000 000 000 000-fold of the SI derived unit joule"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e12 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA288" ; - qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit joule" ; - qudt:prefix prefix:Tera ; - qudt:symbol "TJ" ; - qudt:ucumCode "TJ"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D30" ; - rdfs:isDefinedBy ; - rdfs:label "Terajoule"@en ; -. -unit:TeraOHM - a qudt:Unit ; - dcterms:description "1,000,000,000,000-fold of the SI derived unit ohm"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e12 ; - qudt:hasDimensionVector qkdv:A0E-2L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Resistance ; - qudt:iec61360Code "0112/2///62720#UAA286" ; - qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit ohm" ; - qudt:prefix prefix:Tera ; - qudt:symbol "TΩ" ; - qudt:ucumCode "TOhm"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H44" ; - rdfs:isDefinedBy ; - rdfs:label "Teraohm"@en ; -. -unit:TeraW - a qudt:Unit ; - dcterms:description "1,000,000,000,000-fold of the SI derived unit watt"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e12 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA289" ; - qudt:plainTextDescription "1,000,000,000,000-fold of the SI derived unit watt" ; - qudt:prefix prefix:Tera ; - qudt:symbol "TW" ; - qudt:ucumCode "TW"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D31" ; - rdfs:isDefinedBy ; - rdfs:label "Terawatt"@en ; -. -unit:TeraW-HR - a qudt:Unit ; - dcterms:description "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3.60e15 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA290" ; - qudt:plainTextDescription "1,000,000,000,000-fold of the product of the SI derived unit watt and the unit hour" ; - qudt:symbol "TW⋅hr" ; - qudt:ucumCode "TW/h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D32" ; - rdfs:isDefinedBy ; - rdfs:label "Terawatt Hour"@en ; -. -unit:TonEnergy - a qudt:Unit ; - dcterms:description "Energy equivalent of one ton of TNT"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 4.1840e09 ; - qudt:expression "\\(t/lbf\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:symbol "t/lbf" ; - qudt:ucumCode "Gcal"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Ton Energy"@en ; -. -unit:U - a qudt:Unit ; - dcterms:description "The unified atomic mass unit (symbol: \\(u\\)) or dalton (symbol: \\(Da\\)) is the standard unit that is used for indicating mass on an atomic or molecular scale (atomic mass). It is defined as one twelfth of the mass of an unbound neutral atom of carbon-12 in its nuclear and electronic ground state,[ and has a value of \\(1.660538921(73) \\times 10^{-27} kg\\). One dalton is approximately equal to the mass of one nucleon; an equivalence of saying \\(1 g mol^{-1}\\). The CIPM have categorised it as a 'non-SI unit' because units values in SI units must be obtained experimentally."^^qudt:LatexString ; - qudt:conversionMultiplier 1.66053878283e-27 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_mass_unit"^^xsd:anyURI ; - qudt:exactMatch unit:AMU ; - qudt:exactMatch unit:Da ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T0D0 ; - qudt:hasQuantityKind quantitykind:Mass ; - qudt:iec61360Code "0112/2///62720#UAB083" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_mass_unit"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "u" ; - qudt:ucumCode "u"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D43" ; - rdfs:isDefinedBy ; - rdfs:label "Unified Atomic Mass Unit"@en ; -. -unit:UNITLESS - a qudt:CountingUnit ; - a qudt:DimensionlessUnit ; - a qudt:Unit ; - dcterms:description "An explicit unit to say something has no units."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Absorptance ; - qudt:hasQuantityKind quantitykind:ActivityCoefficient ; - qudt:hasQuantityKind quantitykind:AmountOfSubstanceFraction ; - qudt:hasQuantityKind quantitykind:AtomScatteringFactor ; - qudt:hasQuantityKind quantitykind:AverageLogarithmicEnergyDecrement ; - qudt:hasQuantityKind quantitykind:BindingFraction ; - qudt:hasQuantityKind quantitykind:BioconcentrationFactor ; - qudt:hasQuantityKind quantitykind:CanonicalPartitionFunction ; - qudt:hasQuantityKind quantitykind:Chromaticity ; - qudt:hasQuantityKind quantitykind:Constringence ; - qudt:hasQuantityKind quantitykind:Count ; - qudt:hasQuantityKind quantitykind:CouplingFactor ; - qudt:hasQuantityKind quantitykind:Debye-WallerFactor ; - qudt:hasQuantityKind quantitykind:DegreeOfDissociation ; - qudt:hasQuantityKind quantitykind:Dimensionless ; - qudt:hasQuantityKind quantitykind:DimensionlessRatio ; - qudt:hasQuantityKind quantitykind:Dissipance ; - qudt:hasQuantityKind quantitykind:DoseEquivalentQualityFactor ; - qudt:hasQuantityKind quantitykind:Duv ; - qudt:hasQuantityKind quantitykind:EinsteinTransitionProbability ; - qudt:hasQuantityKind quantitykind:ElectricSusceptibility ; - qudt:hasQuantityKind quantitykind:Emissivity ; - qudt:hasQuantityKind quantitykind:EquilibriumConstant ; - qudt:hasQuantityKind quantitykind:FastFissionFactor ; - qudt:hasQuantityKind quantitykind:FrictionCoefficient ; - qudt:hasQuantityKind quantitykind:GFactorOfNucleus ; - qudt:hasQuantityKind quantitykind:GeneralizedCoordinate ; - qudt:hasQuantityKind quantitykind:GeneralizedForce ; - qudt:hasQuantityKind quantitykind:GeneralizedMomentum ; - qudt:hasQuantityKind quantitykind:GeneralizedVelocity ; - qudt:hasQuantityKind quantitykind:GruneisenParameter ; - qudt:hasQuantityKind quantitykind:InternalConversionFactor ; - qudt:hasQuantityKind quantitykind:IsentropicExponent ; - qudt:hasQuantityKind quantitykind:LandeGFactor ; - qudt:hasQuantityKind quantitykind:LeakageFactor ; - qudt:hasQuantityKind quantitykind:Lethargy ; - qudt:hasQuantityKind quantitykind:LogOctanolAirPartitionCoefficient ; - qudt:hasQuantityKind quantitykind:LogOctanolWaterPartitionCoefficient ; - qudt:hasQuantityKind quantitykind:LogarithmicFrequencyInterval ; - qudt:hasQuantityKind quantitykind:Long-RangeOrderParameter ; - qudt:hasQuantityKind quantitykind:LossFactor ; - qudt:hasQuantityKind quantitykind:MadelungConstant ; - qudt:hasQuantityKind quantitykind:MagneticSusceptability ; - qudt:hasQuantityKind quantitykind:MassFraction ; - qudt:hasQuantityKind quantitykind:MassFractionOfDryMatter ; - qudt:hasQuantityKind quantitykind:MassFractionOfWater ; - qudt:hasQuantityKind quantitykind:MassRatioOfWaterToDryMatter ; - qudt:hasQuantityKind quantitykind:MassRatioOfWaterVapourToDryGas ; - qudt:hasQuantityKind quantitykind:MobilityRatio ; - qudt:hasQuantityKind quantitykind:MultiplicationFactor ; - qudt:hasQuantityKind quantitykind:NapierianAbsorbance ; - qudt:hasQuantityKind quantitykind:NeutronYieldPerAbsorption ; - qudt:hasQuantityKind quantitykind:NeutronYieldPerFission ; - qudt:hasQuantityKind quantitykind:Non-LeakageProbability ; - qudt:hasQuantityKind quantitykind:NumberOfParticles ; - qudt:hasQuantityKind quantitykind:OrderOfReflection ; - qudt:hasQuantityKind quantitykind:OsmoticCoefficient ; - qudt:hasQuantityKind quantitykind:PackingFraction ; - qudt:hasQuantityKind quantitykind:PermittivityRatio ; - qudt:hasQuantityKind quantitykind:PoissonRatio ; - qudt:hasQuantityKind quantitykind:PowerFactor ; - qudt:hasQuantityKind quantitykind:QualityFactor ; - qudt:hasQuantityKind quantitykind:RadianceFactor ; - qudt:hasQuantityKind quantitykind:RatioOfSpecificHeatCapacities ; - qudt:hasQuantityKind quantitykind:Reactivity ; - qudt:hasQuantityKind quantitykind:Reflectance ; - qudt:hasQuantityKind quantitykind:ReflectanceFactor ; - qudt:hasQuantityKind quantitykind:RefractiveIndex ; - qudt:hasQuantityKind quantitykind:RelativeMassConcentrationOfVapour ; - qudt:hasQuantityKind quantitykind:RelativeMassDensity ; - qudt:hasQuantityKind quantitykind:RelativeMassExcess ; - qudt:hasQuantityKind quantitykind:RelativeMassRatioOfVapour ; - qudt:hasQuantityKind quantitykind:ResonanceEscapeProbability ; - qudt:hasQuantityKind quantitykind:Short-RangeOrderParameter ; - qudt:hasQuantityKind quantitykind:StandardAbsoluteActivity ; - qudt:hasQuantityKind quantitykind:StatisticalWeight ; - qudt:hasQuantityKind quantitykind:StructureFactor ; - qudt:hasQuantityKind quantitykind:ThermalDiffusionFactor ; - qudt:hasQuantityKind quantitykind:ThermalDiffusionRatio ; - qudt:hasQuantityKind quantitykind:ThermalUtilizationFactor ; - qudt:hasQuantityKind quantitykind:TotalIonization ; - qudt:hasQuantityKind quantitykind:TransmittanceDensity ; - qudt:hasQuantityKind quantitykind:Turns ; - qudt:symbol "一" ; - qudt:uneceCommonCode "C62" ; - rdfs:isDefinedBy ; - rdfs:label "Unitless"@en ; -. -unit:UNKNOWN - a qudt:Unit ; - dcterms:description "Placeholder unit for abstract quantities" ; - qudt:hasDimensionVector qkdv:NotApplicable ; - qudt:hasQuantityKind quantitykind:Unknown ; - rdfs:isDefinedBy ; - rdfs:label "Unknown"@en ; -. -unit:UnitPole - a qudt:Unit ; - dcterms:description "A magnetic pole is a unit pole if it exerts a force of one dyne on another pole of equal strength at a distance of 1 cm. The strength of any given pole in cgs units is therefore numerically equal to the force in dynes which it exerts on a unit pole 1 cm away."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 1.256637e-07 ; - qudt:expression "\\(U/nWb\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAB214" ; - qudt:omUnit ; - qudt:symbol "pole" ; - qudt:uneceCommonCode "P53" ; - rdfs:isDefinedBy ; - rdfs:label "Unit Pole"@en ; -. -unit:V - a qudt:Unit ; - dcterms:description "\\(\\textit{Volt} is the SI unit of electric potential. Separating electric charges creates potential energy, which can be measured in energy units such as joules. Electric potential is defined as the amount of potential energy present per unit of charge. Electric potential is measured in volts, with one volt representing a potential of one joule per coulomb of charge. The name of the unit honors the Italian scientist Count Alessandro Volta (1745-1827), the inventor of the first battery. The volt also may be expressed with a variety of other units. For example, a volt is also equal to one watt per ampere (W/A) and one joule per ampere per second (J/A/s).\\)"^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Volt"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:iec61360Code "0112/2///62720#UAA296" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Volt?oldid=494812083"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\text{V}\\ \\equiv\\ \\text{volt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W.s}}{\\text{C}}\\ \\equiv\\ \\frac{\\text{watt.second}}{\\text{coulomb}}\\ \\equiv\\ \\frac{\\text{W}}{\\text{A}}\\ \\equiv\\ \\frac{\\text{watt}}{\\text{amp}}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:siUnitsExpression "W/A" ; - qudt:symbol "V" ; - qudt:ucumCode "V"^^qudt:UCUMcs ; - qudt:udunitsCode "V" ; - qudt:uneceCommonCode "VLT" ; - rdfs:isDefinedBy ; - rdfs:label "Volt"@de ; - rdfs:label "volt"@cs ; - rdfs:label "volt"@en ; - rdfs:label "volt"@fr ; - rdfs:label "volt"@hu ; - rdfs:label "volt"@it ; - rdfs:label "volt"@ms ; - rdfs:label "volt"@pt ; - rdfs:label "volt"@ro ; - rdfs:label "volt"@sl ; - rdfs:label "volt"@tr ; - rdfs:label "voltio"@es ; - rdfs:label "voltium"@la ; - rdfs:label "wolt"@pl ; - rdfs:label "βολτ"@el ; - rdfs:label "волт"@bg ; - rdfs:label "вольт"@ru ; - rdfs:label "וולט"@he ; - rdfs:label "فولت"@ar ; - rdfs:label "ولت"@fa ; - rdfs:label "वोल्ट"@hi ; - rdfs:label "ボルト"@ja ; - rdfs:label "伏特"@zh ; -. -unit:V-A - a qudt:Unit ; - dcterms:description "product of the SI derived unit volt and the SI base unit ampere"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ComplexPower ; - qudt:hasQuantityKind quantitykind:NonActivePower ; - qudt:iec61360Code "0112/2///62720#UAA298" ; - qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit ampere" ; - qudt:symbol "V⋅A" ; - qudt:ucumCode "V.A"^^qudt:UCUMcs ; - qudt:udunitsCode "VA" ; - qudt:uneceCommonCode "D46" ; - rdfs:isDefinedBy ; - rdfs:label "Voltampere"@de ; - rdfs:label "volt ampere"@en ; - rdfs:label "volt ampere"@it ; - rdfs:label "volt-ampere"@pt ; - rdfs:label "voltampère"@fr ; - rdfs:label "voltiamperio"@es ; - rdfs:label "вольт-ампер"@ru ; - rdfs:label "فولت. أمبير" ; -. -unit:V-A-HR - a qudt:Unit ; - dcterms:description "product of the unit for apparent by ampere and the unit hour"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:plainTextDescription "product of the unit for apparent by ampere and the unit hour" ; - qudt:symbol "V⋅A⋅hr" ; - qudt:ucumCode "V.A.h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Volt Ampere Hour"@en ; -. -unit:V-A_Reactive - a qudt:Unit ; - dcterms:description "unit with special name for reactive power"^^rdf:HTML ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ReactivePower ; - qudt:iec61360Code "0112/2///62720#UAB023" ; - qudt:plainTextDescription "unit with special name for reactive power" ; - qudt:symbol "V⋅A{Reactive}" ; - qudt:ucumCode "V.A{reactive}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D44" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Ampere Reactive"@en ; -. -unit:V-A_Reactive-HR - a qudt:Unit ; - dcterms:description "product of the unit volt ampere reactive and the unit hour"^^rdf:HTML ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:plainTextDescription "product of the unit volt ampere reactive and the unit hour" ; - qudt:symbol "V⋅A{reactive}⋅hr" ; - qudt:ucumCode "V.A{reactive}.h"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Volt Ampere Reactive Hour"@en ; -. -unit:V-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFlux ; - qudt:symbol "V⋅m" ; - qudt:ucumCode "V.m"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "V-M"@en ; -. -unit:V-PER-CentiM - a qudt:Unit ; - dcterms:description "derived SI unit volt divided by the 0.01-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 100.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAB054" ; - qudt:plainTextDescription "derived SI unit volt divided by the 0.01-fold of the SI base unit metre" ; - qudt:symbol "V/cm" ; - qudt:ucumCode "V.cm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D47" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Per Centimeter"@en-us ; - rdfs:label "Volt Per Centimetre"@en ; -. -unit:V-PER-IN - a qudt:Unit ; - dcterms:description "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units"^^rdf:HTML ; - qudt:conversionMultiplier 39.37007874015748 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA300" ; - qudt:plainTextDescription "SI derived unit volt divided by the unit inch according to the Anglo-American and the Imperial system of units" ; - qudt:symbol "V/in" ; - qudt:ucumCode "V.[in_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H23" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Per Inch"@en ; -. -unit:V-PER-K - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(v/k\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:SeebeckCoefficient ; - qudt:hasQuantityKind quantitykind:ThomsonCoefficient ; - qudt:iec61360Code "0112/2///62720#UAB173" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "V/K" ; - qudt:ucumCode "V.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D48" ; - rdfs:isDefinedBy ; - rdfs:label "Volt per Kelvin"@en ; -. -unit:V-PER-M - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Volt Per Meter (V/m) is a unit in the category of Electric field strength. It is also known as volts per meter, volt/meter, volt/metre, volt per metre, volts per metre. This unit is commonly used in the SI unit system. Volt Per Meter (V/m) has a dimension of \\(MLT^{-3}I^{-1}\\) where M is mass, L is length, T is time, and I is electric current. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(V/m\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricField ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA301" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--electric_field_strength--volt_per_meter.cfm"^^xsd:anyURI ; - qudt:symbol "V/m" ; - qudt:ucumCode "V.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D50" ; - rdfs:isDefinedBy ; - rdfs:label "Volt je Meter"@de ; - rdfs:label "Volt per Meter"@en-us ; - rdfs:label "volt al metro"@it ; - rdfs:label "volt bölü metre"@tr ; - rdfs:label "volt na meter"@sl ; - rdfs:label "volt par mètre"@fr ; - rdfs:label "volt per meter"@ms ; - rdfs:label "volt per metre"@en ; - rdfs:label "volt por metro"@pt ; - rdfs:label "voltio por metro"@es ; - rdfs:label "voltů na metr"@cs ; - rdfs:label "volți pe metru"@ro ; - rdfs:label "wolt na metr"@pl ; - rdfs:label "вольт на метр"@ru ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "ولت بر متر"@fa ; - rdfs:label "प्रति मीटर वोल्ट"@hi ; - rdfs:label "ボルト毎メートル"@ja ; - rdfs:label "伏特每米"@zh ; -. -unit:V-PER-M2 - a qudt:Unit ; - dcterms:description "The divergence at a particular point in a vector field is (roughly) how much the vector field 'spreads out' from that point. Operationally, we take the partial derivative of each of the field with respect to each of its space variables and add all the derivatives together to get the divergence. Electric field (V/m) differentiated with respect to distance (m) yields \\(V/(m^2)\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(V m^{-2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerAreaElectricCharge ; - qudt:informativeReference "http://www.funtrivia.com/en/subtopics/Physical-Quantities-310909.html"^^xsd:anyURI ; - qudt:symbol "V/m²" ; - qudt:ucumCode "V.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Volt per Square Meter"@en-us ; - rdfs:label "Volt per Square Metre"@en ; -. -unit:V-PER-MicroSEC - a qudt:Unit ; - dcterms:description "SI derived unit volt divided by the 0.000001-fold of the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e06 ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; - qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA297" ; - qudt:plainTextDescription "SI derived unit volt divided by the 0.000001-fold of the SI base unit second" ; - qudt:symbol "V/µs" ; - qudt:ucumCode "V.us-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H24" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Per Microsecond"@en ; -. -unit:V-PER-MilliM - a qudt:Unit ; - dcterms:description "SI derived unit volt divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:iec61360Code "0112/2///62720#UAA302" ; - qudt:plainTextDescription "SI derived unit volt divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "V/mm" ; - qudt:ucumCode "V.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D51" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Per Millimeter"@en-us ; - rdfs:label "Volt Per Millimetre"@en ; -. -unit:V-PER-SEC - a qudt:Unit ; - dcterms:description "'Volt per Second' is a unit of magnetic flux equaling one weber. This is the flux passing through a conducting loop and reduced to zero at a uniform rate in one second inducing an electric potential of one volt in the loop. "^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(V / sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-4D0 ; - qudt:hasQuantityKind quantitykind:PowerPerElectricCharge ; - qudt:iec61360Code "0112/2///62720#UAA304" ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1512"^^xsd:anyURI ; - qudt:informativeReference "http://www.thefreedictionary.com/Webers"^^xsd:anyURI ; - qudt:symbol "V/s" ; - qudt:ucumCode "V.s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H46" ; - rdfs:isDefinedBy ; - rdfs:label "Volt per second"@en ; -. -unit:V-SEC-PER-M - a qudt:Unit ; - dcterms:description "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFluxPerUnitLength ; - qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; - qudt:hasQuantityKind quantitykind:ScalarMagneticPotential ; - qudt:iec61360Code "0112/2///62720#UAA303" ; - qudt:plainTextDescription "product of the SI derived unit volt and the SI base unit second divided by the SI base unit metre" ; - qudt:symbol "V⋅s/m" ; - qudt:ucumCode "V.s.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H45" ; - rdfs:isDefinedBy ; - rdfs:label "Volt Second Per Meter"@en-us ; - rdfs:label "Volt Second Per Metre"@en ; -. -unit:V2-PER-K2 - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(v^2/k^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-2L4I0M2H-2T-6D0 ; - qudt:hasQuantityKind quantitykind:LorenzCoefficient ; - qudt:iec61360Code "0112/2///62720#UAB172" ; - qudt:informativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=31897"^^xsd:anyURI ; - qudt:symbol "V²/K²" ; - qudt:ucumCode "V2.K-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D45" ; - rdfs:isDefinedBy ; - rdfs:label "Square Volt per Square Kelvin"@en ; -. -unit:V_Ab - a qudt:Unit ; - dcterms:description "A unit of electrical potential equal to one hundred millionth of a volt (\\(10^{-8}\\,volts\\)), used in the centimeter-gram-second (CGS) system of units. One abV is the potential difference that exists between two points when the work done to transfer one abcoulomb of charge between them equals: \\(1\\,erg\\cdot\\,1\\,abV\\,=\\,10\\,nV\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Abvolt"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Abvolt?oldid=477198646"^^xsd:anyURI ; - qudt:informativeReference "http://www.lexic.us/definition-of/abvolt"^^xsd:anyURI ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-27"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "abV" ; - qudt:ucumCode "10.nV"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abvolt"@en ; -. -unit:V_Ab-PER-CentiM - a qudt:Unit ; - dcterms:description "In the electromagnetic centimeter-gram-second system of units, 'abvolt per centimeter' is the unit of electric field strength."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e-06 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricField ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:informativeReference "http://www.endmemo.com/convert/electric%20field%20strength.php"^^xsd:anyURI ; - qudt:symbol "abV/cm" ; - qudt:ucumCode "10.nV.cm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abvolt per centimeter"@en-us ; - rdfs:label "Abvolt per centimetre"@en ; -. -unit:V_Ab-SEC - a qudt:Unit ; - dcterms:description "The magnetic flux whose expenditure in 1 second produces 1 abvolt per turn of a linked circuit. Technically defined in a three-dimensional system, it corresponds in the four-dimensional electromagnetic sector of the SI system to 10 nWb, and is an impractically small unit. In use for some years, the name was agreed by the International Electrotechnical Committee in 1930, along with a corresponding practical unit, the pramaxwell (or pro-maxwell) = \\(10^{8}\\) maxwell."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:conversionMultiplier 1.0e-08 ; - qudt:derivedUnitOfSystem sou:CGS-EMU ; - qudt:expression "\\(abv-sec\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-820"^^xsd:anyURI ; - qudt:symbol "abv⋅s" ; - qudt:ucumCode "10.nV.s"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Abvolt Second"@en ; -. -unit:V_Stat - a qudt:Unit ; - dcterms:description "\"statvolt\" is a unit of voltage and electrical potential used in the cgs system of units. The conversion to the SI system is \\(1 statvolt = 299.792458 volts\\). The conversion factor 299.792458 is simply the numerical value of the speed of light in m/s divided by 106. The statvolt is also defined in the cgs system as \\(1 erg / esu\\). It is a useful unit for electromagnetism because one statvolt per centimetre is equal in magnitude to one gauss. Thus, for example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. The abvolt is another option for a unit of voltage in the cgs system."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-ESU ; - qudt:conversionMultiplier 299.792458 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Statvolt"^^xsd:anyURI ; - qudt:derivedUnitOfSystem sou:CGS-ESU ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricPotential ; - qudt:hasQuantityKind quantitykind:ElectricPotentialDifference ; - qudt:hasQuantityKind quantitykind:EnergyPerElectricCharge ; - qudt:hasQuantityKind quantitykind:Voltage ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt?oldid=491769750"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "statV" ; - rdfs:isDefinedBy ; - rdfs:label "Statvolt"@en ; -. -unit:V_Stat-CentiM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:expression "\\(statvolt-centimeter\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricFlux ; - qudt:symbol "statV⋅cm" ; - rdfs:isDefinedBy ; - rdfs:label "V_Stat-CentiM"@en ; -. -unit:V_Stat-PER-CentiM - a qudt:Unit ; - dcterms:description """One statvolt per centimetre is equal in magnitude to one gauss. For example, an electric field of one statvolt/cm has the same energy density as a magnetic field of one gauss. Likewise, a plane wave propagating in a vacuum has perpendicular electric and magnetic fields such that for every gauss of magnetic field intensity there is one statvolt/cm of electric field intensity. -The abvolt is another option for a unit of voltage in the cgs system."""^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:conversionMultiplier 29979.2458 ; - qudt:expression "\\(statv-per-cm\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ElectricField ; - qudt:hasQuantityKind quantitykind:ElectricFieldStrength ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Statvolt"^^xsd:anyURI ; - qudt:symbol "statV/cm" ; - rdfs:isDefinedBy ; - rdfs:label "Statvolt per Centimeter"@en-us ; - rdfs:label "Statvolt per Centimetre"@en ; -. -unit:W - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of power. Power is the rate at which work is done, or (equivalently) the rate at which energy is expended. One watt is equal to a power rate of one joule of work per second of time. This unit is used both in mechanics and in electricity, so it links the mechanical and electrical units to one another. In mechanical terms, one watt equals about 0.001 341 02 horsepower (hp) or 0.737 562 foot-pound per second (lbf/s). In electrical terms, one watt is the power produced by a current of one ampere flowing through an electric potential of one volt. The name of the unit honors James Watt (1736-1819), the British engineer whose improvements to the steam engine are often credited with igniting the Industrial Revolution."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Watt"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ActivePower ; - qudt:hasQuantityKind quantitykind:Power ; - qudt:iec61360Code "0112/2///62720#UAA306" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Watt?oldid=494906356"^^xsd:anyURI ; - qudt:latexDefinition "\\(\\text{W}\\ \\equiv\\ \\text{watt}\\ \\equiv\\ \\frac{\\text{J}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{joule}}{\\text{second}}\\ \\equiv\\ \\frac{\\text{N.m}}{\\text{s}}\\ \\equiv\\ \\frac{\\text{newton.metre}}{\\text{second}}\\ \\equiv\\ \\text{V.A}\\ \\equiv\\ \\text{volt.amp}\\ \\equiv\\ \\Omega\\text{.A}^{2}\\ \\equiv\\ \\text{ohm.amp}^{2}\\)"^^qudt:LatexString ; - qudt:omUnit ; - qudt:symbol "W" ; - qudt:ucumCode "W"^^qudt:UCUMcs ; - qudt:udunitsCode "W" ; - qudt:uneceCommonCode "WTT" ; - rdfs:isDefinedBy ; - rdfs:label "Watt"@de ; - rdfs:label "vatio"@es ; - rdfs:label "wat"@pl ; - rdfs:label "watt"@cs ; - rdfs:label "watt"@en ; - rdfs:label "watt"@fr ; - rdfs:label "watt"@hu ; - rdfs:label "watt"@it ; - rdfs:label "watt"@ms ; - rdfs:label "watt"@pt ; - rdfs:label "watt"@ro ; - rdfs:label "watt"@sl ; - rdfs:label "watt"@tr ; - rdfs:label "wattium"@la ; - rdfs:label "βατ"@el ; - rdfs:label "ват"@bg ; - rdfs:label "ватт"@ru ; - rdfs:label "ואט"@he ; - rdfs:label "وات"@fa ; - rdfs:label "واط"@ar ; - rdfs:label "वाट"@hi ; - rdfs:label "ワット"@ja ; - rdfs:label "瓦特"@zh ; -. -unit:W-HR - a qudt:Unit ; - dcterms:description "The watt hour is a unit of energy, equal to 3,600 joule."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:symbol "W⋅hr" ; - qudt:ucumCode "W.h"^^qudt:UCUMcs ; - qudt:uneceCommonCode "WHR" ; - rdfs:isDefinedBy ; - rdfs:label "Watthour"@en ; -. -unit:W-HR-PER-M2 - a qudt:Unit ; - dcterms:description "A unit of energy per unit area, equivalent to 3,600 joules per square metre."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier "3600"^^xsd:double ; - qudt:conversionOffset "0"^^xsd:double ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:plainTextDescription "A unit of energy per unit area, equivalent to 3,600 joules per square metre." ; - qudt:symbol "W⋅h/m²" ; - rdfs:isDefinedBy ; - rdfs:label "Watt hour per square metre"@en ; -. -unit:W-HR-PER-M3 - a qudt:Unit ; - dcterms:description "The watt hour per cubic meter is a unit of energy density, equal to 3,600 joule per cubic meter."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 3600.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyDensity ; - qudt:symbol "W⋅hr/m³" ; - qudt:ucumCode "W.h.m-3"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watthour per Cubic meter"@en-us ; - rdfs:label "Watthour per Cubic metre"@en ; -. -unit:W-M-PER-M2-SR - a qudt:Unit ; - dcterms:description "The power per unit area of radiation of a given wavenumber illuminating a target at a given incident angle."@en ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W⋅m/m²⋅sr" ; - qudt:ucumCode "W.m-2.m.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watts per square metre per inverse metre per steradian"@en ; -. -unit:W-M2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerArea ; - qudt:symbol "W⋅m²" ; - qudt:ucumCode "W.m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "Q21" ; - rdfs:isDefinedBy ; - rdfs:label "W-M2"@en ; -. -unit:W-M2-PER-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E0L4I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerAreaPerSolidAngle ; - qudt:symbol "W⋅m²/sr" ; - qudt:ucumCode "W.m2.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "W-M2-PER-SR"@en ; -. -unit:W-PER-CentiM2 - a qudt:Unit ; - dcterms:description "Watt Per Square Centimeter is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 10000.0 ; - qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAB224" ; - qudt:symbol "W/cm²" ; - qudt:ucumCode "W.cm-2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N48" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Centimeter"@en-us ; - rdfs:label "Watt per Square Centimetre"@en ; -. -unit:W-PER-FT2 - a qudt:Unit ; - dcterms:description "Watt Per Square Foot is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 10.7639104 ; - qudt:expression "\\(W/ft^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:symbol "W/ft²" ; - qudt:ucumCode "W.[sft_i]-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Foot"@en ; -. -unit:W-PER-GM - a qudt:Unit ; - dcterms:description "SI derived unit watt divided by the SI derived unit gram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:exactMatch unit:MilliW-PER-MilliGM ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:hasQuantityKind quantitykind:SpecificPower ; - qudt:plainTextDescription "SI derived unit watt divided by the SI derived unit gram" ; - qudt:symbol "W/g" ; - qudt:ucumCode "W.g-1"^^qudt:UCUMcs ; - qudt:ucumCode "W/g"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Gram"@en ; -. -unit:W-PER-IN2 - a qudt:Unit ; - dcterms:description "Watt Per Square Inch is a unit of heat flux or thermal flux, the rate of heat energy transfer through a given surface."^^rdf:HTML ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1550.0031 ; - qudt:expression "\\(W/in^{2}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:iec61360Code "0112/2///62720#UAB225" ; - qudt:symbol "W/in²" ; - qudt:ucumCode "W.[sin_i]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "N49" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Inch"@en ; -. -unit:W-PER-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Watt Per Kelvin (\\(W/K\\)) is a unit in the category of Thermal conductivity."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(w-per-K\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductance ; - qudt:iec61360Code "0112/2///62720#UAA307" ; - qudt:symbol "w/K" ; - qudt:ucumCode "W.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D52" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Kelvin"@en ; -. -unit:W-PER-KiloGM - a qudt:Unit ; - dcterms:description "SI derived unit watt divided by the SI base unit kilogram"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T-3D0 ; - qudt:hasQuantityKind quantitykind:AbsorbedDoseRate ; - qudt:hasQuantityKind quantitykind:SpecificPower ; - qudt:iec61360Code "0112/2///62720#UAA316" ; - qudt:plainTextDescription "SI derived unit watt divided by the SI base unit kilogram" ; - qudt:symbol "W/kg" ; - qudt:ucumCode "W.kg-1"^^qudt:UCUMcs ; - qudt:ucumCode "W/kg"^^qudt:UCUMcs ; - qudt:uneceCommonCode "WA" ; - rdfs:isDefinedBy ; - rdfs:label "Watt Per Kilogram"@en ; -. -unit:W-PER-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W/m" ; - qudt:ucumCode "W.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H74" ; - rdfs:isDefinedBy ; - rdfs:label "Watts per metre"@en ; -. -unit:W-PER-M-K - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(W-per-MK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:ThermalConductivity ; - qudt:iec61360Code "0112/2///62720#UAA309" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thermal_conductivity"^^xsd:anyURI ; - qudt:latexSymbol "\\(W \\cdot m^{-1} \\cdot K^{-1}\\)"^^qudt:LatexString ; - qudt:symbol "W/(m⋅K)" ; - qudt:ucumCode "W.m-1.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D53" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Meter Kelvin"@en-us ; - rdfs:label "Watt per Metre Kelvin"@en ; -. -unit:W-PER-M2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Watt per Square Meter} is a unit of irradiance defined as the power received per area. This is a unit in the category of Energy flux. It is also known as watts per square meter, watt per square metre, watts per square metre, watt/square meter, watt/square metre. This unit is commonly used in the SI unit system. Watt Per Square Meter (\\(W/m^2\\)) has a dimension of \\(MT^{-3\"\\) where M is mass, and T is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(W/m^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerArea ; - qudt:hasQuantityKind quantitykind:PoyntingVector ; - qudt:iec61360Code "0112/2///62720#UAA310" ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--energy_flux--watt_per_square_meter.cfm"^^xsd:anyURI ; - qudt:symbol "W/m²" ; - qudt:ucumCode "W.m-2"^^qudt:UCUMcs ; - qudt:ucumCode "W/m2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D54" ; - rdfs:isDefinedBy ; - rdfs:label "Watt je Quadratmeter"@de ; - rdfs:label "Watt per Square Meter"@en-us ; - rdfs:label "vatio por metro cuadrado"@es ; - rdfs:label "wat na metr kwadratowy"@pl ; - rdfs:label "watt al metro quadrato"@it ; - rdfs:label "watt bölü metre kare"@tr ; - rdfs:label "watt na kvadratni meter"@sl ; - rdfs:label "watt na metr čtvereční"@cs ; - rdfs:label "watt par mètre carré"@fr ; - rdfs:label "watt pe metru pătrat"@ro ; - rdfs:label "watt per meter persegi"@ms ; - rdfs:label "watt per square metre"@en ; - rdfs:label "watt por metro quadrado"@pt ; - rdfs:label "ватт на квадратный метр"@ru ; - rdfs:label "وات بر مترمربع"@fa ; - rdfs:label "واط في المتر المربع"@ar ; - rdfs:label "वाट प्रति वर्ग मीटर"@hi ; - rdfs:label "ワット毎平方メートル"@ja ; - rdfs:label "瓦特每平方米"@zh ; -. -unit:W-PER-M2-K - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Watt Per Square Meter Per Kelvin }(\\(W m^{-2} K^{-1}\\)) is a unit in the category of Thermal heat transfer coefficient. It is also known as watt/square meter-kelvin. This unit is commonly used in the SI unit system. Watt Per Square Meter Per Kelvin (\\(W m^{-2} K^{-1}\\)) has a dimension of \\(MT^{-1}Q^{-1}\\) where \\(M\\) is mass, \\(T\\) is time, and \\(Q\\) is temperature. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(W/(m^{2}-K)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-1T-3D0 ; - qudt:hasQuantityKind quantitykind:CoefficientOfHeatTransfer ; - qudt:hasQuantityKind quantitykind:CombinedNonEvaporativeHeatTransferCoefficient ; - qudt:hasQuantityKind quantitykind:SurfaceCoefficientOfHeatTransfer ; - qudt:iec61360Code "0112/2///62720#UAA311" ; - qudt:symbol "W/(m²⋅K)" ; - qudt:ucumCode "W.m-2.K-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D55" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Meter Kelvin"@en-us ; - rdfs:label "Watt per Square Metre Kelvin"@en ; -. -unit:W-PER-M2-K4 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Watt Per Square Meter Per Quartic Kelvin (\\(W/m2\\cdotK4)\\) is a unit in the category of light."^^qudt:LatexString ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(W/(m^2.K^4)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H-4T-3D0 ; - qudt:hasQuantityKind quantitykind:PowerPerAreaQuarticTemperature ; - qudt:symbol "W/(m²⋅K⁴)" ; - qudt:ucumCode "W.m-2.K-4"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D56" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Meter Quartic Kelvin"@en-us ; - rdfs:label "Watt per Square Metre Quartic Kelvin"@en ; -. -unit:W-PER-M2-M - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W/m²⋅m" ; - qudt:ucumCode "W.m-2.m-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watts per square metre per metre"@en ; -. -unit:W-PER-M2-M-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W/m²⋅m⋅sr" ; - qudt:ucumCode "W.m-2.m-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watts per square metre per metre per steradian"@en ; -. -unit:W-PER-M2-NanoM - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W/m²⋅nm" ; - qudt:ucumCode "W.m-2.nm-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watts per square metre per nanometre"@en ; -. -unit:W-PER-M2-NanoM-SR - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e09 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Unknown ; - qudt:symbol "W/m²⋅nm⋅sr" ; - qudt:ucumCode "W.m-2.nm-1.sr-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watts per square metre per nanometre per steradian"@en ; -. -unit:W-PER-M2-PA - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "Watt Per Square Meter Per Pascal (\\(W/m^2-pa\\)) is a unit of Evaporative Heat Transfer."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:expression "\\(W/(m^2.pa)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:EvaporativeHeatTransferCoefficient ; - qudt:isoNormativeReference "http://www.iso.org/iso/catalogue_detail?csnumber=43012"^^xsd:anyURI ; - qudt:symbol "W/(m²⋅pa)" ; - qudt:ucumCode "W.m-2.Pa-1"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Meter Pascal"@en-us ; - rdfs:label "Watt per Square Metre Pascal"@en ; -. -unit:W-PER-M2-SR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Watt per steradian per square metre}\\) is the SI unit of radiance (\\(W·sr^{-1}·m^{-2}\\)), while that of spectral radiance in frequency is the watt per steradian per square metre per hertz (\\(W·sr^{-1}·m^{-2}·Hz^{-1}\\)) and that of spectral radiance in wavelength is the watt per steradian per square metre, per metre (\\(W·sr^{-1}·m^{-3}\\)), commonly the watt per steradian per square metre per nanometre (\\(W·sr^{-1}·m^{-2}·nm^{-1}\\)). It has a dimension of \\(ML^{-4}T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(W/(m^2.sr)\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:Radiance ; - qudt:informativeReference "http://asd-www.larc.nasa.gov/Instrument/ceres_units.html"^^xsd:anyURI ; - qudt:informativeReference "http://www.efunda.com/glossary/units/units--radiance--watt_per_square_meter_per_steradian.cfm"^^xsd:anyURI ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Radiance"^^xsd:anyURI ; - qudt:symbol "W/(m²⋅sr)" ; - qudt:ucumCode "W.m-2.sr-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D58" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Square Meter Steradian"@en-us ; - rdfs:label "Watt per Square Metre Steradian"@en ; -. -unit:W-PER-M3 - a qudt:Unit ; - dcterms:description "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L-1I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:ForcePerAreaTime ; - qudt:iec61360Code "0112/2///62720#UAA312" ; - qudt:plainTextDescription "SI derived unit watt divided by the power of the SI base unit metre with the exponent 3" ; - qudt:symbol "W/m³" ; - qudt:ucumCode "W.m-3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "H47" ; - rdfs:isDefinedBy ; - rdfs:label "Watt Per Cubic Meter"@en-us ; - rdfs:label "Watt Per Cubic Metre"@en ; -. -unit:W-PER-SR - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\\(\\textbf{Watt Per Steradian (W/sr)}\\) is the unit in the category of Radiant intensity. It is also known as watts per steradian. This unit is commonly used in the SI unit system. Watt Per Steradian (W/sr) has a dimension of \\(M\\cdot L^{-2}\\cdot T^{-3}\\) where \\(M\\) is mass, \\(L\\) is length, and \\(T\\) is time. This unit is the standard SI unit in this category."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:expression "\\(W sr^{-1}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-3D0 ; - qudt:hasQuantityKind quantitykind:RadiantIntensity ; - qudt:iec61360Code "0112/2///62720#UAA314" ; - qudt:symbol "W/sr" ; - qudt:ucumCode "W.sr-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D57" ; - rdfs:isDefinedBy ; - rdfs:label "Watt per Steradian"@en ; -. -unit:W-SEC - a qudt:Unit ; - dcterms:description "product of the SI derived unit watt and SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:Energy ; - qudt:iec61360Code "0112/2///62720#UAA313" ; - qudt:plainTextDescription "product of the SI derived unit watt and SI base unit second" ; - qudt:symbol "W⋅s" ; - qudt:ucumCode "W.s"^^qudt:UCUMcs ; - qudt:uneceCommonCode "J55" ; - rdfs:isDefinedBy ; - rdfs:label "Watt Second"@en ; -. -unit:W-SEC-PER-M2 - a qudt:Unit ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:EnergyPerArea ; - qudt:symbol "W⋅s/m²" ; - qudt:ucumCode "W.s.m-2"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Watt seconds per square metre"@en ; -. -unit:WB - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The SI unit of magnetic flux. \"Flux\" is the rate (per unit of time) at which something crosses a surface perpendicular to the flow. The weber is a large unit, equal to \\(10^{8}\\) maxwells, and practical fluxes are usually fractions of one weber. The weber is the magnetic flux which, linking a circuit of one turn, would produce in it an electromotive force of 1 volt if it were reduced to zero at a uniform rate in 1 second. In SI base units, the dimensions of the weber are \\((kg \\cdot m^2)/(s^2 \\cdot A)\\). The weber is commonly expressed in terms of other derived units as the Tesla-square meter (\\(T \\cdot m^2\\)), volt-seconds (\\(V \\cdot s\\)), or joules per ampere (\\(J/A\\))."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Weber"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:SI ; - qudt:derivedCoherentUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E-1L2I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticFlux ; - qudt:iec61360Code "0112/2///62720#UAA317" ; - qudt:informativeReference "https://en.wikipedia.org/wiki/Weber_(unit)"^^xsd:anyURI ; - qudt:omUnit ; - qudt:siUnitsExpression "V.s" ; - qudt:symbol "Wb" ; - qudt:ucumCode "Wb"^^qudt:UCUMcs ; - qudt:udunitsCode "Wb" ; - qudt:uneceCommonCode "WEB" ; - rdfs:isDefinedBy ; - rdfs:label "Weber"@de ; - rdfs:label "weber"@cs ; - rdfs:label "weber"@en ; - rdfs:label "weber"@es ; - rdfs:label "weber"@fr ; - rdfs:label "weber"@hu ; - rdfs:label "weber"@it ; - rdfs:label "weber"@ms ; - rdfs:label "weber"@pl ; - rdfs:label "weber"@pt ; - rdfs:label "weber"@ro ; - rdfs:label "weber"@sl ; - rdfs:label "weber"@tr ; - rdfs:label "weberium"@la ; - rdfs:label "βέμπερ"@el ; - rdfs:label "вебер"@bg ; - rdfs:label "вебер"@ru ; - rdfs:label "ובר"@he ; - rdfs:label "وبر"@fa ; - rdfs:label "ويبر; فيبر"@ar ; - rdfs:label "वैबर"@hi ; - rdfs:label "ウェーバ"@ja ; - rdfs:label "韦伯"@zh ; -. -unit:WB-M - a qudt:DerivedUnit ; - a qudt:Unit ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:exactMatch unit:N-M2-PER-A ; - qudt:hasDimensionVector qkdv:A0E-1L3I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticDipoleMoment ; - qudt:iec61360Code "0112/2///62720#UAB333" ; - qudt:informativeReference "http://www.simetric.co.uk/siderived.htm"^^xsd:anyURI ; - qudt:symbol "Wb⋅m" ; - qudt:ucumCode "Wb.m"^^qudt:UCUMcs ; - qudt:uneceCommonCode "P50" ; - rdfs:isDefinedBy ; - rdfs:label "Weber Meter"@en-us ; - rdfs:label "Weber Metre"@en ; -. -unit:WB-PER-M - a qudt:Unit ; - dcterms:description "SI derived unit weber divided by the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; - qudt:iec61360Code "0112/2///62720#UAA318" ; - qudt:plainTextDescription "SI derived unit weber divided by the SI base unit metre" ; - qudt:symbol "Wb/m" ; - qudt:ucumCode "Wb.m-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D59" ; - rdfs:isDefinedBy ; - rdfs:label "Weber Per Meter"@en-us ; - rdfs:label "Weber je Meter"@de ; - rdfs:label "weber al metro"@it ; - rdfs:label "weber bölü metre"@tr ; - rdfs:label "weber na metr"@pl ; - rdfs:label "weber par mètre"@fr ; - rdfs:label "weber pe metru"@ro ; - rdfs:label "weber per meter"@ms ; - rdfs:label "weber per metre"@en ; - rdfs:label "weber por metro"@es ; - rdfs:label "weber por metro"@pt ; - rdfs:label "weberů na metr"@cs ; - rdfs:label "вебер на метр"@ru ; - rdfs:label "مقياس التبادل، الأس السالب للمتر"@ar ; - rdfs:label "وبر بر متر"@fa ; - rdfs:label "प्रति मीटर वैबर"@hi ; - rdfs:label "ウェーバ毎メートル"@ja ; - rdfs:label "韦伯每米"@zh ; -. -unit:WB-PER-MilliM - a qudt:Unit ; - dcterms:description "derived SI unit weber divided by the 0.001-fold of the SI base unit metre"^^rdf:HTML ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1000.0 ; - qudt:hasDimensionVector qkdv:A0E-1L1I0M1H0T-2D0 ; - qudt:hasQuantityKind quantitykind:MagneticVectorPotential ; - qudt:iec61360Code "0112/2///62720#UAB074" ; - qudt:plainTextDescription "derived SI unit weber divided by the 0.001-fold of the SI base unit metre" ; - qudt:symbol "Wb/mm" ; - qudt:ucumCode "Wb.mm-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D60" ; - rdfs:isDefinedBy ; - rdfs:label "Weber Per Millimeter"@en-us ; - rdfs:label "Weber Per Millimetre"@en ; -. -unit:WK - a qudt:Unit ; - dcterms:description "Mean solar week"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 6.0480e05 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Week"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB024" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Week?oldid=493867029"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "wk" ; - qudt:ucumCode "wk"^^qudt:UCUMcs ; - qudt:uneceCommonCode "WEE" ; - rdfs:isDefinedBy ; - rdfs:label "Week"@en ; -. -unit:YD - a qudt:Unit ; - dcterms:description "A yard is a unit of length in several different systems including United States customary units, Imperial units and the former English units. It is equal to 3 feet or 36 inches. Under an agreement in 1959 between Australia, Canada, New Zealand, South Africa, the United Kingdom and the United States, the yard (known as the \"international yard\" in the United States) was legally defined to be exactly 0.9144 metres."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.9144 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Yard"^^xsd:anyURI ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Length ; - qudt:iec61360Code "0112/2///62720#UAB030" ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Yard?oldid=492334628"^^xsd:anyURI ; - qudt:symbol "yd" ; - qudt:ucumCode "[yd_i]"^^qudt:UCUMcs ; - qudt:udunitsCode "yd" ; - qudt:uneceCommonCode "YRD" ; - rdfs:isDefinedBy ; - rdfs:label "Yard"@en ; -. -unit:YD-PER-DEG_F - a qudt:Unit ; - dcterms:description "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.6459200164592 ; - qudt:hasDimensionVector qkdv:A0E0L1I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:LinearThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAB031" ; - qudt:plainTextDescription "unit yard according to the Anglo-American and the Imperial system of units divided by the unit for temperature degree Fahrenheit" ; - qudt:symbol "yd/°F" ; - qudt:ucumCode "[yd_i].[degF]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "L98" ; - rdfs:isDefinedBy ; - rdfs:label "Yard Per Degree Fahrenheit"@en ; -. -unit:YD2 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "The square yard is an imperial/US customary unit of area, formerly used in most of the English-speaking world but now generally replaced by the square metre outside of the U.S. , Canada and the U.K. It is defined as the area of a square with sides of one yard in length. (Gaj in Hindi)."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.83612736 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(yd^2\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L2I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Area ; - qudt:iec61360Code "0112/2///62720#UAB034" ; - qudt:symbol "sqyd" ; - qudt:ucumCode "[syd_i]"^^qudt:UCUMcs ; - qudt:ucumCode "[yd_i]2"^^qudt:UCUMcs ; - qudt:uneceCommonCode "YDK" ; - rdfs:isDefinedBy ; - rdfs:label "Square Yard"@en ; -. -unit:YD3 - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A cubic yard is an Imperial / U.S. customary unit of volume, used in the United States, Canada, and the UK. It is defined as the volume of a cube with sides of 1 yard in length."^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.764554857984 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(yd^{3}\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T0D0 ; - qudt:hasQuantityKind quantitykind:Volume ; - qudt:iec61360Code "0112/2///62720#UAB035" ; - qudt:symbol "yd³" ; - qudt:ucumCode "[cyd_i]"^^qudt:UCUMcs ; - qudt:ucumCode "[yd_i]3"^^qudt:UCUMcs ; - qudt:uneceCommonCode "YDQ" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard"@en ; -. -unit:YD3-PER-DAY - a qudt:Unit ; - dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 8.84901456e-06 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAB037" ; - qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for time day" ; - qudt:symbol "yd³/day" ; - qudt:ucumCode "[cyd_i].d-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M12" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard Per Day"@en ; -. -unit:YD3-PER-DEG_F - a qudt:Unit ; - dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 1.376198881991088 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H-1T0D0 ; - qudt:hasQuantityKind quantitykind:VolumeThermalExpansion ; - qudt:iec61360Code "0112/2///62720#UAB036" ; - qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for temperature degree Fahrenheit" ; - qudt:symbol "yd³/°F" ; - qudt:ucumCode "[cyd_i].[degF]-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M11" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard Per Degree Fahrenheit"@en ; -. -unit:YD3-PER-HR - a qudt:Unit ; - dcterms:description "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.00021237634944 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAB038" ; - qudt:plainTextDescription "power of the unit yard according to the Anglo-American and the Imperial system of units with the exponent 3 divided by the unit for the time hour" ; - qudt:symbol "yd³/hr" ; - qudt:ucumCode "[cyd_i].h-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M13" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard Per Hour"@en ; -. -unit:YD3-PER-MIN - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "\"Cubic Yard per Minute\" is an Imperial unit for 'Volume Per Unit Time' expressed as \\(yd^{3}/min\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.0127425809664 ; - qudt:definedUnitOfSystem sou:IMPERIAL ; - qudt:definedUnitOfSystem sou:USCS ; - qudt:expression "\\(yd^{3}/min\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAB040" ; - qudt:symbol "yd³/min" ; - qudt:ucumCode "[cyd_i].min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[cyd_i]/min"^^qudt:UCUMcs ; - qudt:ucumCode "[yd_i]3.min-1"^^qudt:UCUMcs ; - qudt:ucumCode "[yd_i]3/min"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M15" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard per Minute"@en ; -. -unit:YD3-PER-SEC - a qudt:Unit ; - dcterms:description "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second"^^rdf:HTML ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 0.764554857984 ; - qudt:hasDimensionVector qkdv:A0E0L3I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:VolumeFlowRate ; - qudt:hasQuantityKind quantitykind:VolumePerUnitTime ; - qudt:iec61360Code "0112/2///62720#UAB041" ; - qudt:plainTextDescription "power of the unit and the Anglo-American and Imperial system of units with the exponent 3 divided by the SI base unit second" ; - qudt:symbol "yd³/s" ; - qudt:ucumCode "[cyd_i].s-1"^^qudt:UCUMcs ; - qudt:uneceCommonCode "M16" ; - rdfs:isDefinedBy ; - rdfs:label "Cubic Yard Per Second"@en ; -. -unit:YR - a qudt:Unit ; - dcterms:description "A year is any of the various periods equated with one passage of Earth about the Sun, and hence of roughly 365 days. The familiar calendar has a mixture of 365- and 366-day years, reflecting the fact that the time for one complete passage takes about 365¼ days; the precise value for this figure depends on the manner of defining the year."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.15576e07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB026" ; - qudt:informativeReference "http://www.oxfordreference.com/view/10.1093/acref/9780198605225.001.0001/acref-9780198605225-e-1533?rskey=b94Fd6"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "yr" ; - qudt:ucumCode "a"^^qudt:UCUMcs ; - qudt:udunitsCode "yr" ; - qudt:uneceCommonCode "ANN" ; - rdfs:isDefinedBy ; - rdfs:label "Year"@en ; -. -unit:YR_Common - a qudt:Unit ; - dcterms:description "31,536,000-fold of the SI base unit second according a common year with 365 days"^^rdf:HTML ; - qudt:conversionMultiplier 3.1536e07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB025" ; - qudt:plainTextDescription "31,536,000-fold of the SI base unit second according a common year with 365 days" ; - qudt:symbol "yr" ; - qudt:uneceCommonCode "L95" ; - rdfs:isDefinedBy ; - rdfs:label "Common Year"@en ; -. -unit:YR_Sidereal - a qudt:Unit ; - dcterms:description "A sidereal year is the time taken for Sun to return to the same position with respect to the stars of the celestial sphere."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.15581497632e07 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB028" ; - qudt:symbol "yr{sidereal}" ; - qudt:uneceCommonCode "L96" ; - rdfs:isDefinedBy ; - rdfs:label "Sidereal Year"@en ; -. -unit:YR_TROPICAL - a qudt:Unit ; - dcterms:description "

A tropical year (also known as a solar year), for general purposes, is the length of time that the Sun takes to return to the same position in the cycle of seasons, as seen from Earth; for example, the time from vernal equinox to vernal equinox, or from summer solstice to summer solstice. Because of the precession of the equinoxes, the seasonal cycle does not remain exactly synchronised with the position of the Earth in its orbit around the Sun. As a consequence, the tropical year is about 20 minutes shorter than the time it takes Earth to complete one full orbit around the Sun as measured with respect to the fixed stars. Since antiquity, astronomers have progressively refined the definition of the tropical year, and currently define it as the time required for the mean Sun's tropical longitude (longitudinal position along the ecliptic relative to its position at the vernal equinox) to increase by 360 degrees (that is, to complete one full seasonal circuit).

"^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:IMPERIAL ; - qudt:applicableSystem sou:SI ; - qudt:applicableSystem sou:USCS ; - qudt:conversionMultiplier 3.1556925216e07 ; - qudt:exactMatch unit:YR_TROPICAL ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:Time ; - qudt:iec61360Code "0112/2///62720#UAB029" ; - qudt:symbol "yr{tropical}" ; - qudt:ucumCode "a_t"^^qudt:UCUMcs ; - qudt:uneceCommonCode "D42" ; - rdfs:isDefinedBy ; - rdfs:label "Tropical Year"@en ; - skos:altLabel "solar year" ; -. -unit:YoctoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A YoctoCoulomb is \\(10^{-24} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-24 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Yocto ; - qudt:symbol "yC" ; - qudt:ucumCode "yC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "YoctoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:YottaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A YottaCoulomb is \\(10^{24} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e24 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Yotta ; - qudt:symbol "YC" ; - qudt:ucumCode "YC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "YottaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:Z - a qudt:Unit ; - dcterms:description "In chemistry and physics, the atomic number (also known as the proton number) is the number of protons found in the nucleus of an atom and therefore identical to the charge number of the nucleus. It is conventionally represented by the symbol Z. The atomic number uniquely identifies a chemical element. In an atom of neutral charge, the atomic number is also equal to the number of electrons."^^rdf:HTML ; - qudt:applicableSystem sou:CGS ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Atomic_number"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:AtomicNumber ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Atomic_number?oldid=490723437"^^xsd:anyURI ; - qudt:symbol "Z" ; - rdfs:isDefinedBy ; - rdfs:label "atomic-number"@en ; -. -unit:ZeptoC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A ZeptoCoulomb is \\(10^{-21} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e-21 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Zepto ; - qudt:symbol "zC" ; - qudt:ucumCode "zC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "ZeptoCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:ZettaC - a qudt:DerivedUnit ; - a qudt:Unit ; - dcterms:description "A ZettaCoulomb is \\(10^{21} C\\)."^^qudt:LatexString ; - qudt:applicableSystem sou:CGS ; - qudt:applicableSystem sou:CGS-EMU ; - qudt:applicableSystem sou:CGS-GAUSS ; - qudt:applicableSystem sou:PLANCK ; - qudt:applicableSystem sou:SI ; - qudt:conversionMultiplier 1.0e21 ; - qudt:derivedUnitOfSystem sou:SI ; - qudt:hasDimensionVector qkdv:A0E1L0I0M0H0T1D0 ; - qudt:hasQuantityKind quantitykind:ElectricCharge ; - qudt:prefix prefix:Zetta ; - qudt:symbol "ZC" ; - qudt:ucumCode "ZC"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "ZettaCoulomb"@en ; - prov:wasDerivedFrom unit:C ; -. -unit:failures-in-time - a qudt:Unit ; - dcterms:description "unit of failure rate"^^rdf:HTML ; - qudt:conversionMultiplier 0.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T-1D0 ; - qudt:hasQuantityKind quantitykind:Frequency ; - qudt:iec61360Code "0112/2///62720#UAB403" ; - qudt:plainTextDescription "unit of failure rate" ; - qudt:symbol "failures/s" ; - qudt:ucumCode "s-1{failures}"^^qudt:UCUMcs ; - qudt:uneceCommonCode "FIT" ; - rdfs:isDefinedBy ; - rdfs:label "Failures In Time"@en ; -. -voag:QUDT-UNITS-VocabCatalogEntry - a vaem:CatalogEntry ; - rdfs:isDefinedBy ; - rdfs:label "QUDT UNITS Vocab Catalog Entry" ; -. -vaem:GMD_QUDT-UNITS-ALL - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Simon J D Cox" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2019-07-30"^^xsd:date ; - dcterms:creator "Steve Ray" ; - dcterms:modified "2023-10-19T11:18:52.431-04:00"^^xsd:dateTime ; - dcterms:rights """ - This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. - -THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. - """ ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Units-All" ; - dcterms:title "QUDT Units Version 2.1 Vocabulary" ; - vaem:description "Standard units of measure for all units." ; - vaem:graphName "qudt" ; - vaem:graphTitle "QUDT Units Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner ; - vaem:hasSteward ; - vaem:intent "To provide a vocabulary of all units." ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-UNITS-ALL-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/vocab/unit/"^^xsd:anyURI ; - vaem:namespacePrefix "unit" ; - vaem:owner "QUDT.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-UNITS-ALL-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/unit"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:title ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Unit of Measure Vocabulary Metadata Version 2.1.32" ; -. diff --git a/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl b/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl deleted file mode 100644 index 273240c06..000000000 --- a/libraries/qudt/VOCAB_QUDT-UNITS-CURRENCY-v2.1.ttl +++ /dev/null @@ -1,2577 +0,0 @@ -# baseURI: http://qudt.org/2.1/vocab/currency -# imports: http://qudt.org/2.1/schema/facade/qudt -# imports: http://qudt.org/2.1/vocab/unit - -@prefix cur: . -@prefix dc: . -@prefix dcterms: . -@prefix owl: . -@prefix prefix: . -@prefix prov: . -@prefix qkdv: . -@prefix quantitykind: . -@prefix qudt: . -@prefix rdf: . -@prefix rdfs: . -@prefix skos: . -@prefix sou: . -@prefix unit: . -@prefix vaem: . -@prefix voag: . -@prefix xsd: . - - - a owl:Ontology ; - vaem:hasGraphMetadata vaem:GMD_QUDT-UNITS-CURRENCY ; - rdfs:isDefinedBy ; - rdfs:label "QUDT VOCAB Currency Units Release 2.1.32" ; - owl:imports ; - owl:imports ; - owl:versionIRI ; -. -cur:AED - a qudt:CurrencyUnit ; - qudt:currencyCode "AED" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 784 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/United_Arab_Emirates_dirham"^^xsd:anyURI ; - qudt:expression "\\(AED\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/United_Arab_Emirates_dirham?oldid=491806142"^^xsd:anyURI ; - qudt:symbol "د.إ" ; - rdfs:isDefinedBy ; - rdfs:label "United Arab Emirates dirham"@en ; -. -cur:AFN - a qudt:CurrencyUnit ; - qudt:currencyCode "AFN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 971 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Afghani"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Afghani?oldid=485904590"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Afghani"@en ; -. -cur:ALL - a qudt:CurrencyUnit ; - qudt:currencyCode "ALL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 008 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lek"^^xsd:anyURI ; - qudt:expression "\\(ALL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lek?oldid=495195665"^^xsd:anyURI ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Lek"@en ; -. -cur:AMD - a qudt:CurrencyUnit ; - qudt:currencyCode "AMD" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 051 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Armenian_dram"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Armenian_dram?oldid=492709723"^^xsd:anyURI ; - qudt:symbol "֏" ; - rdfs:isDefinedBy ; - rdfs:label "Armenian Dram"@en ; -. -cur:ANG - a qudt:CurrencyUnit ; - qudt:currencyCode "ANG" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 532 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Netherlands_Antillean_guilder"^^xsd:anyURI ; - qudt:expression "\\(ANG\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Netherlands_Antillean_guilder?oldid=490030382"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Netherlands Antillian Guilder"@en ; -. -cur:AOA - a qudt:CurrencyUnit ; - qudt:currencyCode "AOA" ; - qudt:currencyExponent 1 ; - qudt:currencyNumber 973 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Angolan_kwanza"^^xsd:anyURI ; - qudt:expression "\\(AOA\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Angolan_kwanza?oldid=491748749"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kwanza"@en ; -. -cur:ARS - a qudt:CurrencyUnit ; - qudt:currencyCode "ARS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 032 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Argentine_peso"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Argentine_peso?oldid=491431588"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Argentine Peso"@en ; -. -cur:AUD - a qudt:CurrencyUnit ; - qudt:currencyCode "AUD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 036 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Australian_dollar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Australian_dollar?oldid=495046408"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Australian Dollar"@en ; -. -cur:AWG - a qudt:CurrencyUnit ; - qudt:currencyCode "AWG" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 533 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Aruban_florin"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Aruban_florin?oldid=492925638"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Aruban Guilder"@en ; -. -cur:AZN - a qudt:CurrencyUnit ; - qudt:currencyCode "AZN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 944 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Azerbaijani_manat"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Azerbaijani_manat?oldid=495479090"^^xsd:anyURI ; - qudt:symbol "₼" ; - rdfs:isDefinedBy ; - rdfs:label "Azerbaijanian Manat"@en ; -. -cur:BAM - a qudt:CurrencyUnit ; - qudt:currencyCode "BAM" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 977 ; - qudt:expression "\\(BAM\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:symbol "KM" ; - rdfs:isDefinedBy ; - rdfs:label "Convertible Marks"@en ; -. -cur:BBD - a qudt:CurrencyUnit ; - qudt:currencyCode "BBD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 052 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Barbadian_dollar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Barbadian_dollar?oldid=494388633"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Barbados Dollar"@en ; -. -cur:BDT - a qudt:CurrencyUnit ; - qudt:currencyCode "BDT" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 050 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bangladeshi_taka"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bangladeshi_taka?oldid=492673895"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Bangladeshi Taka"@en ; -. -cur:BGN - a qudt:CurrencyUnit ; - qudt:currencyCode "BGN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 975 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bulgarian_lev"^^xsd:anyURI ; - qudt:expression "\\(BGN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bulgarian_lev?oldid=494947467"^^xsd:anyURI ; - qudt:symbol "лв." ; - rdfs:isDefinedBy ; - rdfs:label "Bulgarian Lev"@en ; -. -cur:BHD - a qudt:CurrencyUnit ; - qudt:currencyCode "BHD" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 048 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bahraini_dinar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bahraini_dinar?oldid=493086643"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Bahraini Dinar"@en ; -. -cur:BIF - a qudt:CurrencyUnit ; - qudt:currencyCode "BIF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 108 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Burundian_franc"^^xsd:anyURI ; - qudt:expression "\\(BIF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Burundian_franc?oldid=489383699"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Burundian Franc"@en ; -. -cur:BMD - a qudt:CurrencyUnit ; - qudt:currencyCode "BMD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 060 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bermudian_dollar"^^xsd:anyURI ; - qudt:expression "\\(BMD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bermudian_dollar?oldid=492670344"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Bermuda Dollar"@en ; -. -cur:BND - a qudt:CurrencyUnit ; - qudt:currencyCode "BND" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 096 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Brunei_dollar"^^xsd:anyURI ; - qudt:expression "\\(BND\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Brunei_dollar?oldid=495134546"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Brunei Dollar"@en ; -. -cur:BOB - a qudt:CurrencyUnit ; - qudt:currencyCode "BOB" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 068 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bolivian_boliviano"^^xsd:anyURI ; - qudt:expression "\\(BOB\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bolivian_boliviano?oldid=494873944"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Boliviano"@en ; -. -cur:BOV - a qudt:CurrencyUnit ; - qudt:currencyCode "BOV" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 984 ; - qudt:expression "\\(BOV\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Bolivian Mvdol (Funds code)"@en ; -. -cur:BRL - a qudt:CurrencyUnit ; - qudt:currencyCode "BRL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 986 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Brazilian_real"^^xsd:anyURI ; - qudt:expression "\\(BRL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Brazilian_real?oldid=495278259"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Brazilian Real"@en ; -. -cur:BSD - a qudt:CurrencyUnit ; - qudt:currencyCode "BSD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 044 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bahamian_dollar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bahamian_dollar?oldid=492776024"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Bahamian Dollar"@en ; -. -cur:BTN - a qudt:CurrencyUnit ; - qudt:currencyCode "BTN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 064 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Bhutanese_ngultrum"^^xsd:anyURI ; - qudt:expression "\\(BTN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Bhutanese_ngultrum?oldid=491579260"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Ngultrum"@en ; -. -cur:BWP - a qudt:CurrencyUnit ; - qudt:currencyCode "BWP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 072 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pula"^^xsd:anyURI ; - qudt:expression "\\(BWP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pula?oldid=495207177"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Pula"@en ; -. -cur:BYN - a qudt:CurrencyUnit ; - qudt:currencyCode "BYN" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 933 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Belarusian_ruble"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Belarusian_ruble?oldid=494143246"^^xsd:anyURI ; - qudt:symbol "Rbl" ; - rdfs:isDefinedBy ; - rdfs:label "Belarussian Ruble"@en ; -. -cur:BZD - a qudt:CurrencyUnit ; - qudt:currencyCode "BZD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 084 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Belize_dollar"^^xsd:anyURI ; - qudt:expression "\\(BZD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Belize_dollar?oldid=462662376"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Belize Dollar"@en ; -. -cur:CAD - a qudt:CurrencyUnit ; - qudt:currencyCode "CAD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 124 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Canadian_dollar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Canadian_dollar?oldid=494738466"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Canadian Dollar"@en ; -. -cur:CDF - a qudt:CurrencyUnit ; - qudt:currencyCode "CDF" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 976 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Congolese_franc"^^xsd:anyURI ; - qudt:expression "\\(CDF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Congolese_franc?oldid=490314640"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Franc Congolais"@en ; -. -cur:CHE - a qudt:CurrencyUnit ; - qudt:currencyCode "CHE" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 947 ; - qudt:expression "\\(CHE\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "WIR Euro (complementary currency)"@en ; -. -cur:CHF - a qudt:CurrencyUnit ; - qudt:currencyCode "CHF" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 756 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Swiss_franc"^^xsd:anyURI ; - qudt:expression "\\(CHF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Swiss_franc?oldid=492548706"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "CHF" ; - rdfs:isDefinedBy ; - rdfs:label "Swiss Franc"@en ; -. -cur:CHW - a qudt:CurrencyUnit ; - qudt:currencyCode "CHW" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 948 ; - qudt:expression "\\(CHW\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "WIR Franc (complementary currency)"@en ; -. -cur:CLF - a qudt:CurrencyUnit ; - qudt:currencyCode "CLF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 990 ; - qudt:expression "\\(CLF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Unidades de formento (Funds code)"@en ; -. -cur:CLP - a qudt:CurrencyUnit ; - qudt:currencyCode "CLP" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 152 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Chilean_peso"^^xsd:anyURI ; - qudt:expression "\\(CLP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Chilean_peso?oldid=495455481"^^xsd:anyURI ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Chilean Peso"@en ; -. -cur:CNY - a qudt:CurrencyUnit ; - qudt:currencyCode "CNY" ; - qudt:currencyExponent 1 ; - qudt:currencyNumber 156 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Renminbi"^^xsd:anyURI ; - qudt:expression "\\(CNY\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Renminbi?oldid=494799454"^^xsd:anyURI ; - qudt:symbol "¥" ; - rdfs:isDefinedBy ; - rdfs:label "Yuan Renminbi"@en ; -. -cur:COP - a qudt:CurrencyUnit ; - qudt:currencyCode "COP" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 170 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Colombian_peso"^^xsd:anyURI ; - qudt:expression "\\(COP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Colombian_peso?oldid=490834575"^^xsd:anyURI ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Colombian Peso"@en ; -. -cur:COU - a qudt:CurrencyUnit ; - qudt:currencyCode "COU" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 970 ; - qudt:expression "\\(COU\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Unidad de Valor Real"@en ; -. -cur:CRC - a qudt:CurrencyUnit ; - qudt:currencyCode "CRC" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 188 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Costa_Rican_col%C3%B3n"^^xsd:anyURI ; - qudt:expression "\\(CRC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Costa_Rican_colón?oldid=491007608"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Costa Rican Colon"@en ; -. -cur:CUP - a qudt:CurrencyUnit ; - qudt:currencyCode "CUP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 192 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cuban_peso"^^xsd:anyURI ; - qudt:expression "\\(CUP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cuban_peso?oldid=486492974"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cuban Peso"@en ; -. -cur:CVE - a qudt:CurrencyUnit ; - qudt:currencyCode "CVE" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 132 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cape_Verdean_escudo"^^xsd:anyURI ; - qudt:expression "\\(CVE\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cape_Verdean_escudo?oldid=491416749"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cape Verde Escudo"@en ; -. -cur:CYP - a qudt:CurrencyUnit ; - qudt:currencyCode "CYP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 196 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cypriot_pound"^^xsd:anyURI ; - qudt:expression "\\(CYP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cypriot_pound?oldid=492644935"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cyprus Pound"@en ; -. -cur:CZK - a qudt:CurrencyUnit ; - qudt:currencyCode "CZK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 203 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Czech_koruna"^^xsd:anyURI ; - qudt:expression "\\(CZK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Czech_koruna?oldid=493991393"^^xsd:anyURI ; - qudt:symbol "Kč" ; - rdfs:isDefinedBy ; - rdfs:label "Czech Koruna"@en ; -. -cur:DJF - a qudt:CurrencyUnit ; - qudt:currencyCode "DJF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 262 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Djiboutian_franc"^^xsd:anyURI ; - qudt:expression "\\(DJF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Djiboutian_franc?oldid=486807423"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Djibouti Franc"@en ; -. -cur:DKK - a qudt:CurrencyUnit ; - qudt:currencyCode "DKK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 208 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Danish_krone"^^xsd:anyURI ; - qudt:expression "\\(DKK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Danish_krone?oldid=491168880"^^xsd:anyURI ; - qudt:symbol "kr" ; - rdfs:isDefinedBy ; - rdfs:label "Danish Krone"@en ; -. -cur:DOP - a qudt:CurrencyUnit ; - qudt:currencyCode "DOP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 214 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dominican_peso"^^xsd:anyURI ; - qudt:expression "\\(DOP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dominican_peso?oldid=493950199"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Dominican Peso"@en ; -. -cur:DZD - a qudt:CurrencyUnit ; - qudt:currencyCode "DZD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 012 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Algerian_dinar"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Algerian_dinar?oldid=492845503"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Algerian Dinar"@en ; -. -cur:EEK - a qudt:CurrencyUnit ; - qudt:currencyCode "EEK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 233 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Estonian_kroon"^^xsd:anyURI ; - qudt:expression "\\(EEK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Estonian_kroon?oldid=492626188"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kroon"@en ; -. -cur:EGP - a qudt:CurrencyUnit ; - qudt:currencyCode "EGP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 818 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Egyptian_pound"^^xsd:anyURI ; - qudt:expression "\\(EGP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Egyptian_pound?oldid=494670285"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Egyptian Pound"@en ; -. -cur:ERN - a qudt:CurrencyUnit ; - qudt:currencyCode "ERN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 232 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nakfa"^^xsd:anyURI ; - qudt:expression "\\(ERN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nakfa?oldid=415286274"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Nakfa"@en ; -. -cur:ETB - a qudt:CurrencyUnit ; - qudt:currencyCode "ETB" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 230 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ethiopian_birr"^^xsd:anyURI ; - qudt:expression "\\(ETB\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ethiopian_birr?oldid=493373507"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Ethiopian Birr"@en ; -. -cur:EUR - a qudt:CurrencyUnit ; - qudt:currencyCode "EUR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 978 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Euro"^^xsd:anyURI ; - qudt:expression "\\(EUR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Euro?oldid=495293446"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "€" ; - rdfs:isDefinedBy ; - rdfs:label "Euro"@en ; -. -cur:FJD - a qudt:CurrencyUnit ; - qudt:currencyCode "FJD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 242 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Fijian_dollar"^^xsd:anyURI ; - qudt:expression "\\(FJD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Fijian_dollar?oldid=494373740"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Fiji Dollar"@en ; -. -cur:FKP - a qudt:CurrencyUnit ; - qudt:currencyCode "FKP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 238 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Falkland_Islands_pound"^^xsd:anyURI ; - qudt:expression "\\(FKP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Falkland_Islands_pound?oldid=489513616"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Falkland Islands Pound"@en ; -. -cur:GBP - a qudt:CurrencyUnit ; - qudt:currencyCode "GBP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 826 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pound_sterling"^^xsd:anyURI ; - qudt:expression "\\(GBP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pound_sterling?oldid=495524329"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "£" ; - rdfs:isDefinedBy ; - rdfs:label "Pound Sterling"@en ; -. -cur:GEL - a qudt:CurrencyUnit ; - qudt:currencyCode "GEL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 981 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lari"^^xsd:anyURI ; - qudt:expression "\\(GEL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lari?oldid=486808394"^^xsd:anyURI ; - qudt:symbol "₾" ; - rdfs:isDefinedBy ; - rdfs:label "Lari"@en ; -. -cur:GHS - a qudt:CurrencyUnit ; - qudt:currencyCode "GHS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 936 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ghanaian_cedi"^^xsd:anyURI ; - qudt:expression "\\(GHS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ghanaian_cedi?oldid=415914569"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cedi"@en ; -. -cur:GIP - a qudt:CurrencyUnit ; - qudt:currencyCode "GIP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 292 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gibraltar_pound"^^xsd:anyURI ; - qudt:expression "\\(GIP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gibraltar_pound?oldid=494842600"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Gibraltar pound"@en ; -. -cur:GMD - a qudt:CurrencyUnit ; - qudt:currencyCode "GMD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 270 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Gambian_dalasi"^^xsd:anyURI ; - qudt:expression "\\(GMD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Gambian_dalasi?oldid=489522429"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Dalasi"@en ; -. -cur:GNF - a qudt:CurrencyUnit ; - qudt:currencyCode "GNF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 324 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Guinean_franc"^^xsd:anyURI ; - qudt:expression "\\(GNF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Guinean_franc?oldid=489527042"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Guinea Franc"@en ; -. -cur:GTQ - a qudt:CurrencyUnit ; - qudt:currencyCode "GTQ" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 320 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Quetzal"^^xsd:anyURI ; - qudt:expression "\\(GTQ\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Quetzal?oldid=489813522"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Quetzal"@en ; -. -cur:GYD - a qudt:CurrencyUnit ; - qudt:currencyCode "GYD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 328 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Guyanese_dollar"^^xsd:anyURI ; - qudt:expression "\\(GYD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Guyanese_dollar?oldid=495070062"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Guyana Dollar"@en ; -. -cur:HKD - a qudt:CurrencyUnit ; - qudt:currencyCode "HKD" ; - qudt:currencyExponent 1 ; - qudt:currencyNumber 344 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hong_Kong_dollar"^^xsd:anyURI ; - qudt:expression "\\(HKD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hong_Kong_dollar?oldid=495133277"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Hong Kong Dollar"@en ; -. -cur:HNL - a qudt:CurrencyUnit ; - qudt:currencyCode "HNL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 340 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lempira"^^xsd:anyURI ; - qudt:expression "\\(HNL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lempira?oldid=389955747"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Lempira"@en ; -. -cur:HRK - a qudt:CurrencyUnit ; - qudt:currencyCode "HRK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 191 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Croatian_kuna"^^xsd:anyURI ; - qudt:expression "\\(HRK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Croatian_kuna?oldid=490959527"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Croatian Kuna"@en ; -. -cur:HTG - a qudt:CurrencyUnit ; - qudt:currencyCode "HTG" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 332 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Haitian_gourde"^^xsd:anyURI ; - qudt:expression "\\(HTG\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Haitian_gourde?oldid=486090975"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Haiti Gourde"@en ; -. -cur:HUF - a qudt:CurrencyUnit ; - qudt:currencyCode "HUF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 348 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Hungarian_forint"^^xsd:anyURI ; - qudt:expression "\\(HUF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Hungarian_forint?oldid=492818607"^^xsd:anyURI ; - qudt:symbol "Ft" ; - rdfs:isDefinedBy ; - rdfs:label "Forint"@en ; -. -cur:IDR - a qudt:CurrencyUnit ; - qudt:currencyCode "IDR" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 360 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Indonesian_rupiah"^^xsd:anyURI ; - qudt:expression "\\(IDR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Indonesian_rupiah?oldid=489729458"^^xsd:anyURI ; - qudt:symbol "Rp" ; - rdfs:isDefinedBy ; - rdfs:label "Rupiah"@en ; -. -cur:ILS - a qudt:CurrencyUnit ; - qudt:currencyCode "ILS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 376 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Israeli_new_sheqel"^^xsd:anyURI ; - qudt:expression "\\(ILS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Israeli_new_sheqel?oldid=316213924"^^xsd:anyURI ; - qudt:symbol "₪" ; - rdfs:isDefinedBy ; - rdfs:label "New Israeli Shekel"@en ; -. -cur:INR - a qudt:CurrencyUnit ; - qudt:currencyCode "INR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 356 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Indian_rupee"^^xsd:anyURI ; - qudt:expression "\\(INR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Indian_rupee?oldid=495120167"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "₹" ; - rdfs:isDefinedBy ; - rdfs:label "Indian Rupee"@en ; -. -cur:IQD - a qudt:CurrencyUnit ; - qudt:currencyCode "IQD" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 368 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Iraqi_dinar"^^xsd:anyURI ; - qudt:expression "\\(IQD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Iraqi_dinar?oldid=494793908"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Iraqi Dinar"@en ; -. -cur:IRR - a qudt:CurrencyUnit ; - qudt:currencyCode "IRR" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 364 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Iranian_rial"^^xsd:anyURI ; - qudt:expression "\\(IRR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Iranian_rial?oldid=495299431"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Iranian Rial"@en ; -. -cur:ISK - a qudt:CurrencyUnit ; - qudt:currencyCode "ISK" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 352 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Icelandic_kr%C3%B3na"^^xsd:anyURI ; - qudt:expression "\\(ISK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Icelandic_króna?oldid=495457496"^^xsd:anyURI ; - qudt:symbol "kr" ; - rdfs:isDefinedBy ; - rdfs:label "Iceland Krona"@en ; -. -cur:JMD - a qudt:CurrencyUnit ; - qudt:currencyCode "JMD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 388 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Jamaican_dollar"^^xsd:anyURI ; - qudt:expression "\\(JMD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Jamaican_dollar?oldid=494039981"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Jamaican Dollar"@en ; -. -cur:JOD - a qudt:CurrencyUnit ; - qudt:currencyCode "JOD" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 400 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Jordanian_dinar"^^xsd:anyURI ; - qudt:expression "\\(JOD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Jordanian_dinar?oldid=495270728"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Jordanian Dinar"@en ; -. -cur:JPY - a qudt:CurrencyUnit ; - qudt:currencyCode "JPY" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 392 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Japanese_yen"^^xsd:anyURI ; - qudt:expression "\\(JPY\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Japanese_yen?oldid=493771966"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "¥" ; - rdfs:isDefinedBy ; - rdfs:label "Japanese yen"@en ; -. -cur:KES - a qudt:CurrencyUnit ; - qudt:currencyCode "KES" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 404 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kenyan_shilling"^^xsd:anyURI ; - qudt:expression "\\(KES\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kenyan_shilling?oldid=489547027"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kenyan Shilling"@en ; -. -cur:KGS - a qudt:CurrencyUnit ; - qudt:currencyCode "KGS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 417 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Som"^^xsd:anyURI ; - qudt:expression "\\(KGS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Som?oldid=495411674"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Som"@en ; -. -cur:KHR - a qudt:CurrencyUnit ; - qudt:currencyCode "KHR" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 116 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Riel"^^xsd:anyURI ; - qudt:expression "\\(KHR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Riel?oldid=473309240"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Riel"@en ; -. -cur:KMF - a qudt:CurrencyUnit ; - qudt:currencyCode "KMF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 174 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Comorian_franc"^^xsd:anyURI ; - qudt:expression "\\(KMF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Comorian_franc?oldid=489502162"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Comoro Franc"@en ; -. -cur:KPW - a qudt:CurrencyUnit ; - qudt:currencyCode "KPW" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 408 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/North_Korean_won"^^xsd:anyURI ; - qudt:expression "\\(KPW\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/North_Korean_won?oldid=495081686"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "North Korean Won"@en ; -. -cur:KRW - a qudt:CurrencyUnit ; - qudt:currencyCode "KRW" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 410 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/South_Korean_won"^^xsd:anyURI ; - qudt:expression "\\(KRW\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/South_Korean_won?oldid=494404062"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "₩" ; - rdfs:isDefinedBy ; - rdfs:label "South Korean Won"@en ; -. -cur:KWD - a qudt:CurrencyUnit ; - qudt:currencyCode "KWD" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 414 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kuwaiti_dinar"^^xsd:anyURI ; - qudt:expression "\\(KWD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kuwaiti_dinar?oldid=489547428"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kuwaiti Dinar"@en ; -. -cur:KYD - a qudt:CurrencyUnit ; - qudt:currencyCode "KYD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 136 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Cayman_Islands_dollar"^^xsd:anyURI ; - qudt:expression "\\(KYD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Cayman_Islands_dollar?oldid=494206112"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cayman Islands Dollar"@en ; -. -cur:KZT - a qudt:CurrencyUnit ; - qudt:currencyCode "KZT" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 398 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kazakhstani_tenge"^^xsd:anyURI ; - qudt:expression "\\(KZT\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kazakhstani_tenge?oldid=490523058"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Tenge"@en ; -. -cur:LAK - a qudt:CurrencyUnit ; - qudt:currencyCode "LAK" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 418 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:symbol " ₭" ; - rdfs:isDefinedBy ; - rdfs:label "Lao kip"@en ; -. -cur:LBP - a qudt:CurrencyUnit ; - qudt:currencyCode "LBP" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 422 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lebanese_pound"^^xsd:anyURI ; - qudt:expression "\\(LBP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lebanese_pound?oldid=495528740"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Lebanese Pound"@en ; -. -cur:LKR - a qudt:CurrencyUnit ; - qudt:currencyCode "LKR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 144 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sri_Lankan_rupee"^^xsd:anyURI ; - qudt:expression "\\(LKR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sri_Lankan_rupee?oldid=495359963"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Sri Lanka Rupee"@en ; -. -cur:LRD - a qudt:CurrencyUnit ; - qudt:currencyCode "LRD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 430 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Liberian_dollar"^^xsd:anyURI ; - qudt:expression "\\(LRD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Liberian_dollar?oldid=489549110"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Liberian Dollar"@en ; -. -cur:LSL - a qudt:CurrencyUnit ; - qudt:currencyCode "LSL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 426 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Loti"^^xsd:anyURI ; - qudt:expression "\\(LSL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Loti?oldid=384534708"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Loti"@en ; -. -cur:LTL - a qudt:CurrencyUnit ; - qudt:currencyCode "LTL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 440 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Lithuanian_litas"^^xsd:anyURI ; - qudt:expression "\\(LTL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Lithuanian_litas?oldid=493046592"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Lithuanian Litas"@en ; -. -cur:LVL - a qudt:CurrencyUnit ; - qudt:currencyCode "LVL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 428 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Latvian_lats"^^xsd:anyURI ; - qudt:expression "\\(LVL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Latvian_lats?oldid=492800402"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Latvian Lats"@en ; -. -cur:LYD - a qudt:CurrencyUnit ; - qudt:currencyCode "LYD" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 434 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Libyan_dinar"^^xsd:anyURI ; - qudt:expression "\\(LYD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Libyan_dinar?oldid=491421981"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Libyan Dinar"@en ; -. -cur:MAD - a qudt:CurrencyUnit ; - qudt:currencyCode "MAD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 504 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Moroccan_dirham"^^xsd:anyURI ; - qudt:expression "\\(MAD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Moroccan_dirham?oldid=490560557"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Moroccan Dirham"@en ; -. -cur:MDL - a qudt:CurrencyUnit ; - qudt:currencyCode "MDL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 498 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Moldovan_leu"^^xsd:anyURI ; - qudt:expression "\\(MDL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Moldovan_leu?oldid=490027766"^^xsd:anyURI ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Moldovan Leu"@en ; -. -cur:MGA - a qudt:CurrencyUnit ; - qudt:currencyCode "MGA" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 969 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Malagasy_ariary"^^xsd:anyURI ; - qudt:expression "\\(MGA\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Malagasy_ariary?oldid=489551279"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Malagasy Ariary"@en ; -. -cur:MKD - a qudt:CurrencyUnit ; - qudt:currencyCode "MKD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 807 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Macedonian_denar"^^xsd:anyURI ; - qudt:expression "\\(MKD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Macedonian_denar?oldid=489550202"^^xsd:anyURI ; - qudt:symbol "ден" ; - rdfs:isDefinedBy ; - rdfs:label "Denar"@en ; -. -cur:MMK - a qudt:CurrencyUnit ; - qudt:currencyCode "MMK" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 104 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Myanma_kyat"^^xsd:anyURI ; - qudt:expression "\\(MMK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Myanma_kyat?oldid=441109905"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kyat"@en ; -. -cur:MNT - a qudt:CurrencyUnit ; - qudt:currencyExponent 2 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mongolian_t%C3%B6gr%C3%B6g"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mongolian_tögrög?oldid=495408271"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Mongolian Tugrik"@en ; -. -cur:MOP - a qudt:CurrencyUnit ; - qudt:currencyCode "MOP" ; - qudt:currencyExponent 1 ; - qudt:currencyNumber 446 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pataca"^^xsd:anyURI ; - qudt:expression "\\(MOP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pataca?oldid=482490442"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Pataca"@en ; -. -cur:MRU - a qudt:CurrencyUnit ; - qudt:currencyCode "MRU" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 929 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritanian_ouguiya"^^xsd:anyURI ; - qudt:expression "\\(MRO\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritanian_ouguiya?oldid=490027072"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Ouguiya"@en ; -. -cur:MTL - a qudt:CurrencyUnit ; - qudt:currencyCode "MTL" ; - qudt:currencyNumber 470 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Maltese_lira"^^xsd:anyURI ; - qudt:expression "\\(MTL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Maltese_lira?oldid=493810797"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Maltese Lira"@en ; -. -cur:MUR - a qudt:CurrencyUnit ; - qudt:currencyCode "MUR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 480 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mauritian_rupee"^^xsd:anyURI ; - qudt:expression "\\(MUR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mauritian_rupee?oldid=487629200"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Mauritius Rupee"@en ; -. -cur:MVR - a qudt:CurrencyUnit ; - qudt:currencyCode "MVR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 462 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Maldivian_rufiyaa"^^xsd:anyURI ; - qudt:expression "\\(MVR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Maldivian_rufiyaa?oldid=491578728"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Rufiyaa"@en ; -. -cur:MWK - a qudt:CurrencyUnit ; - qudt:currencyCode "MWK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 454 ; - qudt:expression "\\(MWK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Malawi Kwacha"@en ; -. -cur:MXN - a qudt:CurrencyUnit ; - qudt:currencyCode "MXN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 484 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mexican_peso"^^xsd:anyURI ; - qudt:expression "\\(MXN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mexican_peso?oldid=494829813"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Mexican Peso"@en ; -. -cur:MXV - a qudt:CurrencyUnit ; - qudt:currencyCode "MXV" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 979 ; - qudt:expression "\\(MXV\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Mexican Unidad de Inversion (UDI) (Funds code)"@en ; -. -cur:MYR - a qudt:CurrencyUnit ; - qudt:currencyCode "MYR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 458 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Malaysian_ringgit"^^xsd:anyURI ; - qudt:expression "\\(MYR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Malaysian_ringgit?oldid=494417091"^^xsd:anyURI ; - qudt:symbol "RM" ; - rdfs:isDefinedBy ; - rdfs:label "Malaysian Ringgit"@en ; -. -cur:MZN - a qudt:CurrencyUnit ; - qudt:currencyCode "MZN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 943 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Mozambican_metical"^^xsd:anyURI ; - qudt:expression "\\(MZN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Mozambican_metical?oldid=488225670"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Metical"@en ; -. -cur:MegaUSD - a qudt:CurrencyUnit ; - a qudt:DerivedUnit ; - qudt:conversionMultiplier 1000000.0 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Million US Dollars"@en ; -. -cur:NAD - a qudt:CurrencyUnit ; - qudt:currencyCode "NAD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 516 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Namibian_dollar"^^xsd:anyURI ; - qudt:expression "\\(NAD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Namibian_dollar?oldid=495250023"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Namibian Dollar"@en ; -. -cur:NGN - a qudt:CurrencyUnit ; - qudt:currencyCode "NGN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 566 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nigerian_naira"^^xsd:anyURI ; - qudt:expression "\\(NGN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nigerian_naira?oldid=493462003"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Naira"@en ; -. -cur:NIO - a qudt:CurrencyUnit ; - qudt:currencyCode "NIO" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 558 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nicaraguan_c%C3%B3rdoba"^^xsd:anyURI ; - qudt:expression "\\(NIO\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nicaraguan_córdoba?oldid=486140595"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Cordoba Oro"@en ; -. -cur:NOK - a qudt:CurrencyUnit ; - qudt:currencyCode "NOK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 578 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Norwegian_krone"^^xsd:anyURI ; - qudt:expression "\\(NOK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Norwegian_krone?oldid=495283934"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "kr" ; - rdfs:isDefinedBy ; - rdfs:label "Norwegian Krone"@en ; -. -cur:NPR - a qudt:CurrencyUnit ; - qudt:currencyCode "NPR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 524 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Nepalese_rupee"^^xsd:anyURI ; - qudt:expression "\\(NPR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Nepalese_rupee?oldid=476894226"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Nepalese Rupee"@en ; -. -cur:NZD - a qudt:CurrencyUnit ; - qudt:currencyCode "NZD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 554 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/New_Zealand_dollar"^^xsd:anyURI ; - qudt:expression "\\(NZD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/New_Zealand_dollar?oldid=495487722"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "New Zealand Dollar"@en ; -. -cur:OMR - a qudt:CurrencyUnit ; - qudt:currencyCode "OMR" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 512 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Omani_rial"^^xsd:anyURI ; - qudt:expression "\\(OMR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Omani_rial?oldid=491748879"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Rial Omani"@en ; -. -cur:PAB - a qudt:CurrencyUnit ; - qudt:currencyCode "PAB" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 590 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Balboa"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Balboa?oldid=482550791"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Balboa"@en ; -. -cur:PEN - a qudt:CurrencyUnit ; - qudt:currencyCode "PEN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 604 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Peruvian_nuevo_sol"^^xsd:anyURI ; - qudt:expression "\\(PEN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Peruvian_nuevo_sol?oldid=494237249"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Nuevo Sol"@en ; -. -cur:PGK - a qudt:CurrencyUnit ; - qudt:currencyCode "PGK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 598 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Kina"^^xsd:anyURI ; - qudt:expression "\\(PGK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Kina?oldid=477155361"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Kina"@en ; -. -cur:PHP - a qudt:CurrencyUnit ; - qudt:currencyCode "PHP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 608 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Philippine_peso"^^xsd:anyURI ; - qudt:expression "\\(PHP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Philippine_peso?oldid=495411811"^^xsd:anyURI ; - qudt:symbol "₱" ; - rdfs:isDefinedBy ; - rdfs:label "Philippine Peso"@en ; -. -cur:PKR - a qudt:CurrencyUnit ; - qudt:currencyCode "PKR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 586 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Pakistani_rupee"^^xsd:anyURI ; - qudt:expression "\\(PKR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Pakistani_rupee?oldid=494937873"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Pakistan Rupee"@en ; -. -cur:PLN - a qudt:CurrencyUnit ; - qudt:currencyCode "PLN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 985 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Polish_z%C5%82oty"^^xsd:anyURI ; - qudt:expression "\\(PLN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Polish_złoty?oldid=492697733"^^xsd:anyURI ; - qudt:symbol "zł" ; - rdfs:isDefinedBy ; - rdfs:label "Zloty"@en ; -. -cur:PYG - a qudt:CurrencyUnit ; - qudt:currencyCode "PYG" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 600 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Guaran%C3%AD"^^xsd:anyURI ; - qudt:expression "\\(PYG\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Guaraní?oldid=412592698"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Guarani"@en ; -. -cur:QAR - a qudt:CurrencyUnit ; - qudt:currencyCode "QAR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 634 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Qatari_riyal"^^xsd:anyURI ; - qudt:expression "\\(QAR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Qatari_riyal?oldid=491747452"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Qatari Rial"@en ; -. -cur:RON - a qudt:CurrencyUnit ; - qudt:currencyCode "RON" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 946 ; - qudt:expression "\\(RON\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:symbol "L" ; - rdfs:isDefinedBy ; - rdfs:label "Romanian New Leu"@en ; -. -cur:RSD - a qudt:CurrencyUnit ; - qudt:currencyCode "RSD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 941 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Serbian_dinar"^^xsd:anyURI ; - qudt:expression "\\(RSD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Serbian_dinar?oldid=495146650"^^xsd:anyURI ; - qudt:symbol "дин" ; - rdfs:isDefinedBy ; - rdfs:label "Serbian Dinar"@en ; -. -cur:RUB - a qudt:CurrencyUnit ; - qudt:currencyCode "RUB" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 643 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Russian_ruble"^^xsd:anyURI ; - qudt:expression "\\(RUB\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Russian_ruble?oldid=494336467"^^xsd:anyURI ; - qudt:symbol "₽" ; - rdfs:isDefinedBy ; - rdfs:label "Russian Ruble"@en ; -. -cur:RWF - a qudt:CurrencyUnit ; - qudt:currencyCode "RWF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 646 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Rwandan_franc"^^xsd:anyURI ; - qudt:expression "\\(RWF\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Rwandan_franc?oldid=489727903"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Rwanda Franc"@en ; -. -cur:SAR - a qudt:CurrencyUnit ; - qudt:currencyCode "SAR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 682 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Saudi_riyal"^^xsd:anyURI ; - qudt:expression "\\(SAR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Saudi_riyal?oldid=491092981"^^xsd:anyURI ; - qudt:symbol "﷼" ; - rdfs:isDefinedBy ; - rdfs:label "Saudi Riyal"@en ; -. -cur:SBD - a qudt:CurrencyUnit ; - qudt:currencyCode "SBD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 090 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Solomon_Islands_dollar"^^xsd:anyURI ; - qudt:expression "\\(SBD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Solomon_Islands_dollar?oldid=490313285"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Solomon Islands Dollar"@en ; -. -cur:SCR - a qudt:CurrencyUnit ; - qudt:currencyCode "SCR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 690 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Seychellois_rupee"^^xsd:anyURI ; - qudt:expression "\\(SCR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Seychellois_rupee?oldid=492242185"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Seychelles Rupee"@en ; -. -cur:SDG - a qudt:CurrencyUnit ; - qudt:currencyCode "SDG" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 938 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sudanese_pound"^^xsd:anyURI ; - qudt:expression "\\(SDG\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sudanese_pound?oldid=495263707"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Sudanese Pound"@en ; -. -cur:SEK - a qudt:CurrencyUnit ; - qudt:currencyCode "SEK" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 752 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Swedish_krona"^^xsd:anyURI ; - qudt:expression "\\(SEK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Swedish_krona?oldid=492703602"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "kr" ; - rdfs:isDefinedBy ; - rdfs:label "Swedish Krona"@en ; -. -cur:SGD - a qudt:CurrencyUnit ; - qudt:currencyCode "SGD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 702 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Singapore_dollar"^^xsd:anyURI ; - qudt:expression "\\(SGD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Singapore_dollar?oldid=492228311"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "Singapore Dollar"@en ; -. -cur:SHP - a qudt:CurrencyUnit ; - qudt:currencyCode "SHP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 654 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Saint_Helena_pound"^^xsd:anyURI ; - qudt:expression "\\(SHP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Saint_Helena_pound?oldid=490152057"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Saint Helena Pound"@en ; -. -cur:SKK - a qudt:CurrencyUnit ; - qudt:currencyCode "SKK" ; - qudt:currencyNumber 703 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Slovak_koruna"^^xsd:anyURI ; - qudt:expression "\\(SKK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Slovak_koruna?oldid=492625951"^^xsd:anyURI ; - qudt:symbol "Sk" ; - rdfs:isDefinedBy ; - rdfs:label "Slovak Koruna"@en ; -. -cur:SLE - a qudt:CurrencyUnit ; - qudt:currencyCode "SLE" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 925 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Sierra_Leonean_leone"^^xsd:anyURI ; - qudt:expression "\\(SLL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Sierra_Leonean_leone?oldid=493517965"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Leone"@en ; -. -cur:SOS - a qudt:CurrencyUnit ; - qudt:currencyCode "SOS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 706 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Somali_shilling"^^xsd:anyURI ; - qudt:expression "\\(SOS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Somali_shilling?oldid=494434126"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Somali Shilling"@en ; -. -cur:SRD - a qudt:CurrencyUnit ; - qudt:currencyCode "SRD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 968 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Surinamese_dollar"^^xsd:anyURI ; - qudt:expression "\\(SRD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Surinamese_dollar?oldid=490316270"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Surinam Dollar"@en ; -. -cur:STN - a qudt:CurrencyUnit ; - qudt:currencyCode "STN" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 930 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Dobra"^^xsd:anyURI ; - qudt:expression "\\(STD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Dobra?oldid=475725328"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Dobra"@en ; -. -cur:SYP - a qudt:CurrencyUnit ; - qudt:currencyCode "SYP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 760 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Syrian_pound"^^xsd:anyURI ; - qudt:expression "\\(SYP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Syrian_pound?oldid=484294722"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Syrian Pound"@en ; -. -cur:SZL - a qudt:CurrencyUnit ; - qudt:currencyCode "SZL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 748 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Swazi_lilangeni"^^xsd:anyURI ; - qudt:expression "\\(SZL\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Swazi_lilangeni?oldid=490323340"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Lilangeni"@en ; -. -cur:THB - a qudt:CurrencyUnit ; - qudt:currencyCode "THB" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 764 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Thai_baht"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Thai_baht?oldid=493286022"^^xsd:anyURI ; - qudt:symbol "฿" ; - rdfs:isDefinedBy ; - rdfs:label "Baht"@en ; -. -cur:TJS - a qudt:CurrencyUnit ; - qudt:currencyCode "TJS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 972 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tajikistani_somoni"^^xsd:anyURI ; - qudt:expression "\\(TJS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tajikistani_somoni?oldid=492500781"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Somoni"@en ; -. -cur:TMT - a qudt:CurrencyUnit ; - qudt:currencyCode "TMT" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 934 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Manat"^^xsd:anyURI ; - qudt:expression "\\(TMM\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Manat?oldid=486967490"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Manat"@en ; -. -cur:TND - a qudt:CurrencyUnit ; - qudt:currencyCode "TND" ; - qudt:currencyExponent 3 ; - qudt:currencyNumber 788 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tunisian_dinar"^^xsd:anyURI ; - qudt:expression "\\(TND\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tunisian_dinar?oldid=491218035"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Tunisian Dinar"@en ; -. -cur:TOP - a qudt:CurrencyUnit ; - qudt:currencyCode "TOP" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 776 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tongan_pa%CA%BBanga"^^xsd:anyURI ; - qudt:expression "\\(TOP\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tongan_paʻanga?oldid=482738012"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Pa'anga"@en ; -. -cur:TRY - a qudt:CurrencyUnit ; - qudt:currencyCode "TRY" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 949 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Turkish_lira"^^xsd:anyURI ; - qudt:expression "\\(TRY\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Turkish_lira?oldid=494097764"^^xsd:anyURI ; - qudt:symbol "₺" ; - rdfs:isDefinedBy ; - rdfs:label "New Turkish Lira"@en ; -. -cur:TTD - a qudt:CurrencyUnit ; - qudt:currencyCode "TTD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 780 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Trinidad_and_Tobago_dollar"^^xsd:anyURI ; - qudt:expression "\\(TTD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Trinidad_and_Tobago_dollar?oldid=490325306"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Trinidad and Tobago Dollar"@en ; -. -cur:TWD - a qudt:CurrencyUnit ; - qudt:currencyCode "TWD" ; - qudt:currencyExponent 1 ; - qudt:currencyNumber 901 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/New_Taiwan_dollar"^^xsd:anyURI ; - qudt:expression "\\(TWD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/New_Taiwan_dollar?oldid=493996933"^^xsd:anyURI ; - qudt:symbol "$" ; - rdfs:isDefinedBy ; - rdfs:label "New Taiwan Dollar"@en ; -. -cur:TZS - a qudt:CurrencyUnit ; - qudt:currencyCode "TZS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 834 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Tanzanian_shilling"^^xsd:anyURI ; - qudt:expression "\\(TZS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Tanzanian_shilling?oldid=492257527"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Tanzanian Shilling"@en ; -. -cur:UAH - a qudt:CurrencyUnit ; - qudt:currencyCode "UAH" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 980 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ukrainian_hryvnia"^^xsd:anyURI ; - qudt:expression "\\(UAH\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ukrainian_hryvnia?oldid=493064633"^^xsd:anyURI ; - qudt:symbol "₴" ; - rdfs:isDefinedBy ; - rdfs:label "Hryvnia"@en ; -. -cur:UGX - a qudt:CurrencyUnit ; - qudt:currencyCode "UGX" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 800 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Ugandan_shilling"^^xsd:anyURI ; - qudt:expression "\\(UGX\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Ugandan_shilling?oldid=495383966"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Uganda Shilling"@en ; -. -cur:USD - a qudt:CurrencyUnit ; - qudt:currencyCode "USD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 840 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:symbol "$" ; - qudt:symbol "US$" ; - rdfs:isDefinedBy ; - rdfs:label "US Dollar"@en ; -. -cur:USN - a qudt:CurrencyUnit ; - qudt:currencyCode "USN" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 997 ; - qudt:expression "\\(USN\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "United States Dollar (next day) (funds code)"@en ; -. -cur:USS - a qudt:CurrencyUnit ; - qudt:currencyCode "USS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 998 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "United States Dollar (same day) (funds code)"@en ; -. -cur:UYU - a qudt:CurrencyUnit ; - qudt:currencyCode "UYU" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 858 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Uruguayan_peso"^^xsd:anyURI ; - qudt:expression "\\(UYU\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Uruguayan_peso?oldid=487528781"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Peso Uruguayo"@en ; -. -cur:UZS - a qudt:CurrencyUnit ; - qudt:currencyCode "UZS" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 860 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Uzbekistani_som"^^xsd:anyURI ; - qudt:expression "\\(UZS\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Uzbekistani_som?oldid=490522228"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Uzbekistan Som"@en ; -. -cur:VES - a qudt:CurrencyUnit ; - qudt:currencyCode "VES" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 928 ; - qudt:expression "\\(VEB\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Venezuelan bolvar"@en ; -. -cur:VND - a qudt:CurrencyUnit ; - qudt:currencyCode "VND" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 704 ; - qudt:expression "\\(VND\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Vietnamese ??ng"@en ; -. -cur:VUV - a qudt:CurrencyUnit ; - qudt:currencyCode "VUV" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 548 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Vanuatu_vatu"^^xsd:anyURI ; - qudt:expression "\\(VUV\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Vanuatu_vatu?oldid=494667103"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Vatu"@en ; -. -cur:WST - a qudt:CurrencyUnit ; - qudt:currencyCode "WST" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 882 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Samoan_tala"^^xsd:anyURI ; - qudt:expression "\\(WST\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Samoan_tala?oldid=423898531"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Samoan Tala"@en ; -. -cur:XAF - a qudt:CurrencyUnit ; - qudt:currencyCode "XAF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 950 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "CFA Franc BEAC"@en ; -. -cur:XAG - a qudt:CurrencyUnit ; - qudt:currencyCode "XAG" ; - qudt:currencyNumber 961 ; - qudt:expression "\\(XAG\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:ucumCode "[oz_tr]{Ag}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Silver (one Troy ounce)"@en ; -. -cur:XAU - a qudt:CurrencyUnit ; - qudt:currencyCode "XAU" ; - qudt:currencyNumber 959 ; - qudt:expression "\\(XAU\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:ucumCode "[oz_tr]{Au}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Gold (one Troy ounce)"@en ; -. -cur:XBA - a qudt:CurrencyUnit ; - qudt:currencyCode "XBA" ; - qudt:currencyNumber 955 ; - qudt:expression "\\(XBA\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "European Composite Unit (EURCO) (Bonds market unit)"@en ; -. -cur:XBB - a qudt:CurrencyUnit ; - qudt:currencyCode "XBB" ; - qudt:currencyNumber 956 ; - qudt:expression "\\(XBB\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "European Monetary Unit (E.M.U.-6) (Bonds market unit)"@en ; -. -cur:XBC - a qudt:CurrencyUnit ; - qudt:currencyCode "XBC" ; - qudt:currencyNumber 957 ; - qudt:expression "\\(XBC\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "European Unit of Account 9 (E.U.A.-9) (Bonds market unit)"@en ; -. -cur:XBD - a qudt:CurrencyUnit ; - qudt:currencyCode "XBD" ; - qudt:currencyNumber 958 ; - qudt:expression "\\(XBD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "European Unit of Account 17 (E.U.A.-17) (Bonds market unit)"@en ; -. -cur:XCD - a qudt:CurrencyUnit ; - qudt:currencyCode "XCD" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 951 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/East_Caribbean_dollar"^^xsd:anyURI ; - qudt:expression "\\(XCD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/East_Caribbean_dollar?oldid=493020176"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "East Caribbean Dollar"@en ; -. -cur:XDR - a qudt:CurrencyUnit ; - qudt:currencyCode "XDR" ; - qudt:currencyNumber 960 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Special_Drawing_Rights"^^xsd:anyURI ; - qudt:expression "\\(XDR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Special_Drawing_Rights?oldid=467224374"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Special Drawing Rights"@en ; -. -cur:XFO - a qudt:CurrencyUnit ; - qudt:currencyCode "XFO" ; - qudt:expression "\\(XFO\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "Gold franc (special settlement currency)"@en ; -. -cur:XFU - a qudt:CurrencyUnit ; - qudt:currencyCode "XFU" ; - qudt:expression "\\(XFU\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "UIC franc (special settlement currency)"@en ; -. -cur:XOF - a qudt:CurrencyUnit ; - qudt:currencyCode "XOF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 952 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "CFA Franc BCEAO"@en ; -. -cur:XPD - a qudt:CurrencyUnit ; - qudt:currencyCode "XPD" ; - qudt:currencyNumber 964 ; - qudt:expression "\\(XPD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:ucumCode "[oz_tr]{Pd}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Palladium (one Troy ounce)"@en ; -. -cur:XPF - a qudt:CurrencyUnit ; - qudt:currencyCode "XPF" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 953 ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - rdfs:isDefinedBy ; - rdfs:label "CFP franc"@en ; -. -cur:XPT - a qudt:CurrencyUnit ; - qudt:currencyCode "XPT" ; - qudt:currencyNumber 962 ; - qudt:expression "\\(XPT\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:ucumCode "[oz_tr]{Pt}"^^qudt:UCUMcs ; - rdfs:isDefinedBy ; - rdfs:label "Platinum (one Troy ounce)"@en ; -. -cur:YER - a qudt:CurrencyUnit ; - qudt:currencyCode "YER" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 886 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Yemeni_rial"^^xsd:anyURI ; - qudt:expression "\\(YER\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Yemeni_rial?oldid=494507603"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Yemeni Rial"@en ; -. -cur:ZAR - a qudt:CurrencyUnit ; - qudt:currencyCode "ZAR" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 710 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/South_African_rand"^^xsd:anyURI ; - qudt:expression "\\(ZAR\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/South_African_rand?oldid=493780395"^^xsd:anyURI ; - qudt:omUnit ; - qudt:symbol "R" ; - rdfs:isDefinedBy ; - rdfs:label "South African Rand"@en ; -. -cur:ZMW - a qudt:CurrencyUnit ; - qudt:currencyCode "ZMW" ; - qudt:currencyExponent 0 ; - qudt:currencyNumber 967 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Zambian_kwacha"^^xsd:anyURI ; - qudt:expression "\\(ZMK\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Zambian_kwacha?oldid=490328608"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Zambian Kwacha"@en ; -. -cur:ZWL - a qudt:CurrencyUnit ; - qudt:currencyCode "ZWL" ; - qudt:currencyExponent 2 ; - qudt:currencyNumber 932 ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Zimbabwean_dollar"^^xsd:anyURI ; - qudt:expression "\\(ZWD\\)"^^qudt:LatexString ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:hasQuantityKind quantitykind:Currency ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Zimbabwean_dollar?oldid=491532675"^^xsd:anyURI ; - rdfs:isDefinedBy ; - rdfs:label "Zimbabwe Dollar"@en ; -. -quantitykind:Currency - a qudt:QuantityKind ; - qudt:applicableUnit cur:AED ; - qudt:applicableUnit cur:AFN ; - qudt:applicableUnit cur:ALL ; - qudt:applicableUnit cur:AMD ; - qudt:applicableUnit cur:ANG ; - qudt:applicableUnit cur:AOA ; - qudt:applicableUnit cur:ARS ; - qudt:applicableUnit cur:AUD ; - qudt:applicableUnit cur:AWG ; - qudt:applicableUnit cur:AZN ; - qudt:applicableUnit cur:BAM ; - qudt:applicableUnit cur:BBD ; - qudt:applicableUnit cur:BDT ; - qudt:applicableUnit cur:BGN ; - qudt:applicableUnit cur:BHD ; - qudt:applicableUnit cur:BIF ; - qudt:applicableUnit cur:BMD ; - qudt:applicableUnit cur:BND ; - qudt:applicableUnit cur:BOB ; - qudt:applicableUnit cur:BOV ; - qudt:applicableUnit cur:BRL ; - qudt:applicableUnit cur:BSD ; - qudt:applicableUnit cur:BTN ; - qudt:applicableUnit cur:BWP ; - qudt:applicableUnit cur:BYN ; - qudt:applicableUnit cur:BZD ; - qudt:applicableUnit cur:CAD ; - qudt:applicableUnit cur:CDF ; - qudt:applicableUnit cur:CHE ; - qudt:applicableUnit cur:CHF ; - qudt:applicableUnit cur:CHW ; - qudt:applicableUnit cur:CLF ; - qudt:applicableUnit cur:CLP ; - qudt:applicableUnit cur:CNY ; - qudt:applicableUnit cur:COP ; - qudt:applicableUnit cur:COU ; - qudt:applicableUnit cur:CRC ; - qudt:applicableUnit cur:CUP ; - qudt:applicableUnit cur:CVE ; - qudt:applicableUnit cur:CYP ; - qudt:applicableUnit cur:CZK ; - qudt:applicableUnit cur:DJF ; - qudt:applicableUnit cur:DKK ; - qudt:applicableUnit cur:DOP ; - qudt:applicableUnit cur:DZD ; - qudt:applicableUnit cur:EEK ; - qudt:applicableUnit cur:EGP ; - qudt:applicableUnit cur:ERN ; - qudt:applicableUnit cur:ETB ; - qudt:applicableUnit cur:EUR ; - qudt:applicableUnit cur:FJD ; - qudt:applicableUnit cur:FKP ; - qudt:applicableUnit cur:GBP ; - qudt:applicableUnit cur:GEL ; - qudt:applicableUnit cur:GHS ; - qudt:applicableUnit cur:GIP ; - qudt:applicableUnit cur:GMD ; - qudt:applicableUnit cur:GNF ; - qudt:applicableUnit cur:GTQ ; - qudt:applicableUnit cur:GYD ; - qudt:applicableUnit cur:HKD ; - qudt:applicableUnit cur:HNL ; - qudt:applicableUnit cur:HRK ; - qudt:applicableUnit cur:HTG ; - qudt:applicableUnit cur:HUF ; - qudt:applicableUnit cur:IDR ; - qudt:applicableUnit cur:ILS ; - qudt:applicableUnit cur:INR ; - qudt:applicableUnit cur:IQD ; - qudt:applicableUnit cur:IRR ; - qudt:applicableUnit cur:ISK ; - qudt:applicableUnit cur:JMD ; - qudt:applicableUnit cur:JOD ; - qudt:applicableUnit cur:JPY ; - qudt:applicableUnit cur:KES ; - qudt:applicableUnit cur:KGS ; - qudt:applicableUnit cur:KHR ; - qudt:applicableUnit cur:KMF ; - qudt:applicableUnit cur:KPW ; - qudt:applicableUnit cur:KRW ; - qudt:applicableUnit cur:KWD ; - qudt:applicableUnit cur:KYD ; - qudt:applicableUnit cur:KZT ; - qudt:applicableUnit cur:LAK ; - qudt:applicableUnit cur:LBP ; - qudt:applicableUnit cur:LKR ; - qudt:applicableUnit cur:LRD ; - qudt:applicableUnit cur:LSL ; - qudt:applicableUnit cur:LTL ; - qudt:applicableUnit cur:LVL ; - qudt:applicableUnit cur:LYD ; - qudt:applicableUnit cur:MAD ; - qudt:applicableUnit cur:MDL ; - qudt:applicableUnit cur:MGA ; - qudt:applicableUnit cur:MKD ; - qudt:applicableUnit cur:MMK ; - qudt:applicableUnit cur:MNT ; - qudt:applicableUnit cur:MOP ; - qudt:applicableUnit cur:MRU ; - qudt:applicableUnit cur:MTL ; - qudt:applicableUnit cur:MUR ; - qudt:applicableUnit cur:MVR ; - qudt:applicableUnit cur:MWK ; - qudt:applicableUnit cur:MXN ; - qudt:applicableUnit cur:MXV ; - qudt:applicableUnit cur:MYR ; - qudt:applicableUnit cur:MZN ; - qudt:applicableUnit cur:MegaUSD ; - qudt:applicableUnit cur:NAD ; - qudt:applicableUnit cur:NGN ; - qudt:applicableUnit cur:NIO ; - qudt:applicableUnit cur:NOK ; - qudt:applicableUnit cur:NPR ; - qudt:applicableUnit cur:NZD ; - qudt:applicableUnit cur:OMR ; - qudt:applicableUnit cur:PAB ; - qudt:applicableUnit cur:PEN ; - qudt:applicableUnit cur:PGK ; - qudt:applicableUnit cur:PHP ; - qudt:applicableUnit cur:PKR ; - qudt:applicableUnit cur:PLN ; - qudt:applicableUnit cur:PYG ; - qudt:applicableUnit cur:QAR ; - qudt:applicableUnit cur:RON ; - qudt:applicableUnit cur:RSD ; - qudt:applicableUnit cur:RUB ; - qudt:applicableUnit cur:RWF ; - qudt:applicableUnit cur:SAR ; - qudt:applicableUnit cur:SBD ; - qudt:applicableUnit cur:SCR ; - qudt:applicableUnit cur:SDG ; - qudt:applicableUnit cur:SEK ; - qudt:applicableUnit cur:SGD ; - qudt:applicableUnit cur:SHP ; - qudt:applicableUnit cur:SKK ; - qudt:applicableUnit cur:SLE ; - qudt:applicableUnit cur:SOS ; - qudt:applicableUnit cur:SRD ; - qudt:applicableUnit cur:STN ; - qudt:applicableUnit cur:SYP ; - qudt:applicableUnit cur:SZL ; - qudt:applicableUnit cur:THB ; - qudt:applicableUnit cur:TJS ; - qudt:applicableUnit cur:TMT ; - qudt:applicableUnit cur:TND ; - qudt:applicableUnit cur:TOP ; - qudt:applicableUnit cur:TRY ; - qudt:applicableUnit cur:TTD ; - qudt:applicableUnit cur:TWD ; - qudt:applicableUnit cur:TZS ; - qudt:applicableUnit cur:UAH ; - qudt:applicableUnit cur:UGX ; - qudt:applicableUnit cur:USD ; - qudt:applicableUnit cur:USN ; - qudt:applicableUnit cur:USS ; - qudt:applicableUnit cur:UYU ; - qudt:applicableUnit cur:UZS ; - qudt:applicableUnit cur:VES ; - qudt:applicableUnit cur:VND ; - qudt:applicableUnit cur:VUV ; - qudt:applicableUnit cur:WST ; - qudt:applicableUnit cur:XAF ; - qudt:applicableUnit cur:XAG ; - qudt:applicableUnit cur:XAU ; - qudt:applicableUnit cur:XBA ; - qudt:applicableUnit cur:XBB ; - qudt:applicableUnit cur:XBC ; - qudt:applicableUnit cur:XBD ; - qudt:applicableUnit cur:XCD ; - qudt:applicableUnit cur:XDR ; - qudt:applicableUnit cur:XFO ; - qudt:applicableUnit cur:XFU ; - qudt:applicableUnit cur:XOF ; - qudt:applicableUnit cur:XPD ; - qudt:applicableUnit cur:XPF ; - qudt:applicableUnit cur:XPT ; - qudt:applicableUnit cur:YER ; - qudt:applicableUnit cur:ZAR ; - qudt:applicableUnit cur:ZMW ; - qudt:applicableUnit cur:ZWL ; - qudt:dbpediaMatch "http://dbpedia.org/resource/Currency"^^xsd:anyURI ; - qudt:hasDimensionVector qkdv:A0E0L0I0M0H0T0D1 ; - qudt:informativeReference "http://en.wikipedia.org/wiki/Currency"^^xsd:anyURI ; - qudt:plainTextDescription "In economics, currency is a generally accepted medium of exchange. These are usually the coins and banknotes of a particular government, which comprise the physical aspects of a nation's money supply. The other part of a nation's money supply consists of bank deposits (sometimes called deposit money), ownership of which can be transferred by means of cheques, debit cards, or other forms of money transfer. Deposit money and currency are money in the sense that both are acceptable as a means of payment." ; - rdfs:isDefinedBy ; - rdfs:label "Currency"@en ; - skos:broader quantitykind:Asset ; -. -voag:QUDT-CURRENCY-UNITS-VocabCatalogEntry - a vaem:CatalogEntry ; - rdfs:isDefinedBy ; - rdfs:label "QUDT CURRENCY UNITS Vocab Catalog Entry" ; -. -vaem:GMD_QUDT-UNITS-CURRENCY - a vaem:GraphMetaData ; - dcterms:contributor "Jack Hodges" ; - dcterms:contributor "Simon J D Cox" ; - dcterms:contributor "Steve Ray" ; - dcterms:created "2023-03-14"^^xsd:date ; - dcterms:creator "Steve Ray" ; - dcterms:modified "2023-10-19T11:34:33.041-04:00"^^xsd:dateTime ; - dcterms:rights """ - This product includes all or a portion of the UCUM table, UCUM codes, and UCUM definitions or is derived from it, subject to a license from Regenstrief Institute, Inc. and The UCUM Organization. Your use of the UCUM table, UCUM codes, UCUM definitions also is subject to this license, a copy of which is available at ​http://unitsofmeasure.org. The current complete UCUM table, UCUM Specification are available for download at ​http://unitsofmeasure.org. The UCUM table and UCUM codes are copyright © 1995-2009, Regenstrief Institute, Inc. and the Unified Codes for Units of Measures (UCUM) Organization. All rights reserved. - -THE UCUM TABLE (IN ALL FORMATS), UCUM DEFINITIONS, AND SPECIFICATION ARE PROVIDED 'AS IS.' ANY EXPRESS OR IMPLIED WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. - """ ; - dcterms:rights "The QUDT Ontologies are issued under a Creative Commons Attribution 4.0 International License (CC BY 4.0), available at https://creativecommons.org/licenses/by/4.0/. Attribution should be made to QUDT.org" ; - dcterms:subject "Units-Currency" ; - dcterms:title "Currency UNITS Version 2.1 Vocabulary" ; - vaem:description "Standard units of measure for currency units." ; - vaem:graphName "qudt" ; - vaem:graphTitle "QUDT Currency Units Version 2.1.32" ; - vaem:hasGraphRole vaem:VocabularyGraph ; - vaem:hasOwner ; - vaem:hasSteward ; - vaem:intent "To provide a vocabulary of currency units." ; - vaem:isMetadataFor ; - vaem:latestPublishedVersion "https://qudt.org/doc/2023/10/DOC_VOCAB-UNITS-CURRENCY-v2.1.html"^^xsd:anyURI ; - vaem:logo "https://qudt.org/linkedmodels.org/assets/lib/lm/images/logos/qudt_logo-300x110.png"^^xsd:anyURI ; - vaem:namespace "http://qudt.org/vocab/currency/"^^xsd:anyURI ; - vaem:namespacePrefix "cur" ; - vaem:owner "QUDT.org" ; - vaem:previousPublishedVersion "https://qudt.org/doc/2023/09/DOC_VOCAB-UNITS-CURRENCY-v2.1.html"^^xsd:anyURI ; - vaem:revision "2.1" ; - vaem:turtleFileURL "http://qudt.org/2.1/vocab/currency"^^xsd:anyURI ; - vaem:usesNonImportedResource dcterms:abstract ; - vaem:usesNonImportedResource dcterms:created ; - vaem:usesNonImportedResource dcterms:creator ; - vaem:usesNonImportedResource dcterms:modified ; - vaem:usesNonImportedResource dcterms:title ; - rdfs:isDefinedBy ; - rdfs:label "QUDT Currency Unit Vocabulary Metadata Version 2.1.32" ; -. From 2d08b4d55af4b56932ba5339693a440c1e52b51b Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 12 Apr 2024 08:41:09 -0600 Subject: [PATCH 50/61] remove more bad merge --- buildingmotif/dataclasses/model.py | 13 +------------ 1 file changed, 1 insertion(+), 12 deletions(-) diff --git a/buildingmotif/dataclasses/model.py b/buildingmotif/dataclasses/model.py index cae4319ac..4d9dc6549 100644 --- a/buildingmotif/dataclasses/model.py +++ b/buildingmotif/dataclasses/model.py @@ -147,7 +147,6 @@ def validate( self, shape_collections: Optional[List[ShapeCollection]] = None, error_on_missing_imports: bool = True, - engine: Optional[str] = "pyshacl", ) -> "ValidationContext": """Validates this model against the given list of ShapeCollections. If no list is provided, the model will be validated against the model's "manifest". @@ -164,10 +163,6 @@ def validate( ontologies are missing (i.e. they need to be loaded into BuildingMOTIF), defaults to True :type error_on_missing_imports: bool, optional - :param engine: the engine to use for validation. "pyshacl" or "topquadrant". Using topquadrant - requires Java to be installed on this machine, and the "topquadrant" feature on BuildingMOTIF, - defaults to "pyshacl" - :type engine: str, optional :return: An object containing useful properties/methods to deal with the validation results :rtype: ValidationContext @@ -209,18 +204,12 @@ def validate( self, ) - def compile( - self, shape_collections: List["ShapeCollection"], engine: str = "pyshacl" - ): + def compile(self, shape_collections: List["ShapeCollection"]): """Compile the graph of a model against a set of ShapeCollections. :param shape_collections: list of ShapeCollections to compile the model against :type shape_collections: List[ShapeCollection] - :param engine: the engine to use for validation. "pyshacl" or "topquadrant". Using topquadrant - requires Java to be installed on this machine, and the "topquadrant" feature on BuildingMOTIF, - defaults to "pyshacl" - :type engine: str :return: copy of model's graph that has been compiled against the ShapeCollections :rtype: Graph From bf6118be09c24b64b240bca6fbd388cf6a4d51e2 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 12 Apr 2024 10:22:58 -0600 Subject: [PATCH 51/61] fix more bad merge --- tests/unit/dataclasses/test_model.py | 12 ++++++------ tests/unit/test_utils.py | 4 ++-- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index fdca7611b..b81e8c800 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -65,7 +65,7 @@ def test_validate_model_manifest(clean_building_motif, shacl_engine): m.update_manifest(lib.get_shape_collection()) # validate against manifest -- should fail - result = m.validate(engine=shacl_engine) + result = m.validate() assert not result.valid # add triples to graph to validate @@ -87,7 +87,7 @@ def test_validate_model_manifest(clean_building_motif, shacl_engine): m.graph.add((URIRef("https://example.com/temp"), A, BRICK.Temperature_Sensor)) # validate against manifest -- should pass - result = m.validate(engine=shacl_engine) + result = m.validate() assert result.valid @@ -142,7 +142,7 @@ def test_validate_model_explicit_shapes(clean_building_motif, shacl_engine): m = Model.create(name=BLDG) m.add_triples((BLDG["vav1"], A, BRICK.VAV)) - ctx = m.validate([lib.get_shape_collection()], engine=shacl_engine) + ctx = m.validate([lib.get_shape_collection()]) assert not ctx.valid m.add_triples((BLDG["vav1"], A, BRICK.VAV)) @@ -151,7 +151,7 @@ def test_validate_model_explicit_shapes(clean_building_motif, shacl_engine): m.add_triples((BLDG["vav1"], BRICK.hasPoint, BLDG["flow_sensor"])) m.add_triples((BLDG["flow_sensor"], A, BRICK.Air_Flow_Sensor)) - ctx = m.validate([lib.get_shape_collection()], engine=shacl_engine) + ctx = m.validate([lib.get_shape_collection()]) assert ctx.valid assert len(ctx.diffset) == 0 @@ -190,7 +190,7 @@ def test_validate_model_with_failure(bm: BuildingMOTIF, shacl_engine): model.add_graph(hvac_zone_instance) # validate the graph (should fail because there are no labels) - ctx = model.validate([shape_lib.get_shape_collection()], engine=shacl_engine) + ctx = model.validate([shape_lib.get_shape_collection()]) assert isinstance(ctx, ValidationContext) assert not ctx.valid assert len(ctx.diffset) == 1 @@ -199,7 +199,7 @@ def test_validate_model_with_failure(bm: BuildingMOTIF, shacl_engine): model.add_triples((bindings["name"], RDFS.label, Literal("hvac zone 1"))) # validate the graph (should now be valid) - ctx = model.validate([shape_lib.get_shape_collection()], engine=shacl_engine) + ctx = model.validate([shape_lib.get_shape_collection()]) assert isinstance(ctx, ValidationContext) assert ctx.valid diff --git a/tests/unit/test_utils.py b/tests/unit/test_utils.py index 9109fd92e..62a566c51 100644 --- a/tests/unit/test_utils.py +++ b/tests/unit/test_utils.py @@ -212,7 +212,7 @@ def test_inline_sh_and(bm: BuildingMOTIF, shacl_engine): sc = ShapeCollection.create() sc.add_graph(new_sg) - ctx = model.validate([sc], engine=shacl_engine) + ctx = model.validate([sc]) assert not ctx.valid if shacl_engine == "pyshacl": @@ -284,7 +284,7 @@ def test_inline_sh_node(bm: BuildingMOTIF, shacl_engine): sc = ShapeCollection.create() sc.add_graph(new_sg) - ctx = model.validate([sc], engine=shacl_engine) + ctx = model.validate([sc]) assert not ctx.valid, ctx.report_string if shacl_engine == "pyshacl": assert ( From b4d9786221a0be39df68389fc4205101521d2549 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 14 Apr 2024 21:31:40 -0600 Subject: [PATCH 52/61] remove more bad merge --- tests/unit/dataclasses/test_model.py | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/tests/unit/dataclasses/test_model.py b/tests/unit/dataclasses/test_model.py index b81e8c800..7bd5b89ce 100644 --- a/tests/unit/dataclasses/test_model.py +++ b/tests/unit/dataclasses/test_model.py @@ -214,9 +214,7 @@ def test_model_compile(bm: BuildingMOTIF, shacl_engine): brick = Library.load(ontology_graph="libraries/brick/Brick-full.ttl") - compiled_model = small_office_model.compile( - [brick.get_shape_collection()], engine=shacl_engine - ) + compiled_model = small_office_model.compile([brick.get_shape_collection()]) precompiled_model = Graph().parse( "tests/unit/fixtures/smallOffice_brick_compiled.ttl", format="ttl" From c333e1dc9112f72fdc293a5fd17b0c94c555999d Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 15 Apr 2024 08:54:48 -0600 Subject: [PATCH 53/61] add s223 namespace, parameter prop on template builder --- buildingmotif/model_builder.py | 4 ++++ buildingmotif/namespaces.py | 2 ++ 2 files changed, 6 insertions(+) diff --git a/buildingmotif/model_builder.py b/buildingmotif/model_builder.py index b246e8330..9ab1254f7 100644 --- a/buildingmotif/model_builder.py +++ b/buildingmotif/model_builder.py @@ -121,6 +121,10 @@ def __setitem__(self, param, value): raise TypeError(f"Invalid type for value: {type(value)}") self.bindings[param] = value + @property + def parameters(self): + return self.template.parameters + def compile(self) -> Graph: """ Compiles the template into a graph. If there are still parameters diff --git a/buildingmotif/namespaces.py b/buildingmotif/namespaces.py index 1cd5007ce..1c423ee25 100644 --- a/buildingmotif/namespaces.py +++ b/buildingmotif/namespaces.py @@ -25,7 +25,9 @@ QUDTDV = Namespace("http://qudt.org/vocab/dimensionvector/") UNIT = Namespace("http://qudt.org/vocab/unit/") +# ASHRAE namespaces BACNET = Namespace("http://data.ashrae.org/bacnet/2020#") +S223 = Namespace("http://data.ashrae.org/standard223#") BM = Namespace("https://nrel.gov/BuildingMOTIF#") CONSTRAINT = Namespace("https://nrel.gov/BuildingMOTIF/constraints#") From 44e6993206a4b1a4f19515449efae72623f41d76 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Mon, 15 Apr 2024 08:55:13 -0600 Subject: [PATCH 54/61] add model builder draft --- notebooks/Model-Builder.ipynb | 5582 +++++++++++++++++++++++++++++++++ 1 file changed, 5582 insertions(+) create mode 100644 notebooks/Model-Builder.ipynb diff --git a/notebooks/Model-Builder.ipynb b/notebooks/Model-Builder.ipynb new file mode 100644 index 000000000..0cbde18e1 --- /dev/null +++ b/notebooks/Model-Builder.ipynb @@ -0,0 +1,5582 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "id": "63d55da5-9dd9-484b-8c88-e15a1a963379", + "metadata": {}, + "outputs": [], + "source": [ + "from buildingmotif import BuildingMOTIF\n", + "from buildingmotif.dataclasses import Library, Model, Template\n", + "from buildingmotif.namespaces import bind_prefixes, OWL, RDFS, RDF, S223\n", + "from buildingmotif.model_builder import TemplateBuilderContext\n", + "from rdflib import Namespace, URIRef, Literal, Graph, BNode\n", + "import glob\n", + "from typing import List" + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "id": "44e45fbe-ea1d-44a8-8b8d-7d58deb8890d", + "metadata": {}, + "outputs": [], + "source": [ + "# setup our buildingmotif instance\n", + "bm = BuildingMOTIF(\"sqlite://\", shacl_engine='topquadrant')\n", + "\n", + "# create the model w/ a namespace\n", + "BLDG = Namespace(\"urn:nrel_example/\")\n", + "bldg = Model.create(BLDG)\n", + "\n", + "# enable pretty-printing of URLs for Building entities\n", + "bind_prefixes(bldg.graph)\n", + "bldg.graph.bind(\"bldg\", BLDG)" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "id": "8d290a5e-7f80-4d6d-8988-da2725cea60e", + "metadata": { + "scrolled": true + }, + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "2024-04-15 00:09:34,353 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", + "Traceback (most recent call last):\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", + " return conv_func(lexical) # type: ignore[arg-type]\n", + " ^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", + " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", + " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", + " self._parse(stream, True, *args, **kwargs)\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", + " self.mainLoop()\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", + " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", + " raise ParseError(E[errorcode] % datavars)\n", + "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n" + ] + } + ], + "source": [ + "# load the S223 library and the QUDT libraries\n", + "s223 = Library.load(ontology_graph=r\"../libraries/ashrae/223p/ontology/223p.ttl\")\n", + "qudt_libs = []\n", + "for filename in glob.glob(\"../libraries/qudt/*.ttl\"):\n", + " qudt_libs.append(Library.load(ontology_graph=filename))" + ] + }, + { + "cell_type": "markdown", + "id": "1509a8d4-a8b3-4209-aadc-7cccd650c843", + "metadata": {}, + "source": [ + "To use the Model Builder interface, we must first create a Context and load some templates into it. The Context keeps track of the parameters and dependencies of the templates. This reduces the amount of bookkeeping required in the user application." + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "id": "489deb1f-1ce9-4195-babd-6e6d03aad8ac", + "metadata": {}, + "outputs": [], + "source": [ + "# load in the NREL template library\n", + "nrel_lib = Library.load(directory=\"../libraries/ashrae/223p/nrel-templates/\")\n", + "# create a context for our template builder\n", + "context = TemplateBuilderContext(BLDG)\n", + "context.add_templates_from_library(nrel_lib)" + ] + }, + { + "cell_type": "markdown", + "id": "0340d593-b77d-4dd1-b1a2-4058bbcf0ef8", + "metadata": {}, + "source": [ + "Here is what basic use of the Model Builder looks like. First, create an \"empty\" instance of a template by indexing into the context object.\n", + "\n", + "```python\n", + "mau = context[\"makeup-air-unit\"]\n", + "```\n", + "\n", + "Here, `mau` is a copy of the \"makeup-air-unit\" template from the NREL 223P library. We can see its parameters like this:\n", + "\n", + "```python\n", + "print(mau.parameters)\n", + "```\n", + "\n", + "We bind to parameters by indexing into the template copy.\n", + "\n", + "```python\n", + "mau[\"name\"] = BLDG[\"MAU1\"] \n", + "mau[\"air-supply\"] = BLDG[\"MAU1_AIR_SUPPLY\"]\n", + "```\n", + "\n", + "We have bound 2 parameters (`name` and `air-supply`) to 2 values in the BLDG namespace; essentially, we have given these parameters *names* given by URIs. Agove, the name of the makeup air unit is `urn:nrel_example/MAU1`.\n", + "\n", + "Here, we create a new instance of the \"junction\" template and give it a name\n", + "\n", + "```python\n", + "junction = context[\"junction\"]\n", + "junction[\"name\"] = \"MAU_SUPPLY_JUNCTION\"\n", + "```\n", + "\n", + "Note that we didn't wrap the name in a namespace (e.g. `BLDG[\"MAU_SUPPLY_JUNCTION\"]`). Model Builder knows what the default namespace is (it is passed into the Context constructor), so strings assigned to parameters will be turned automatically into IRIs. To assign a Literal value to a parameter, make sure the right-hand side of the assignment is an `rdflib.Literal` object.\n", + "\n", + "---\n", + "\n", + "Next, we want to connect a Duct from the air supply of the MAU to one of the inlets of the junction. One way we could do this is by just assigning our chosen entities to the Duct template's parameters. However, we have two problems.\n", + "\n", + "First, it may be difficult to remember or keep track of which names one wants to re-use. Especially as models get more complicated, having to keep track of the values bound to parameters can require significant bookkeeping.\n", + "\n", + "Second, our junction's connection point doesn't have a name yet. We would like to avoid inventing a name for the connection point purely to refer to later, especially since the names of connection points rarely need to be significant.\n", + "\n", + "To address these issues, the Model Builder allows parameters to be bound by reference rather than by value.\n", + "\n", + "```python\n", + "# duct to connect mau air suply to junction in1\n", + "duct = context[\"duct\"]\n", + "duct[\"name\"] = \"mau_air_supply_duct\"\n", + "duct[\"a\"] = mau[\"air-supply\"]\n", + "duct[\"b\"] = junction[\"in1\"]\n", + "```\n", + "\n", + "`duct[\"a\"] = mau[\"air-supply\"]` assigns a parameter (`duct[\"a\"]`) to the same value that `mau[\"air-supply\"]` is bound to. This behavior is triggered when the right-hand side of an assignment is a parameter which has already been bound.\n", + "\n", + "`duct[\"b\"] = junction[\"in1\"]` binds the two parameters together. If one is bound to a value, the other will automatically be bound to that value too. If neither are bound to specific values, then the Context will create a unique name for them to share." + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "id": "ab4f259d-14b1-4984-99ca-52b1472e04f2", + "metadata": {}, + "outputs": [], + "source": [ + "# create a template instance\n", + "mau = context[\"makeup-air-unit\"]\n", + "mau[\"name\"] = BLDG[\"MAU\"]\n", + "mau[\"air-supply\"] = BLDG[\"MAU_AIR_SUPPLY\"]\n", + "\n", + "junction = context[\"junction\"]\n", + "junction[\"name\"] = \"MAU_SUPPLY_JUNCTION\"\n", + "\n", + "# duct to connect mau air suply to junction in1\n", + "duct = context[\"duct\"]\n", + "duct[\"name\"] = \"mau_air_supply_duct\"\n", + "duct[\"a\"] = mau[\"air-supply\"]\n", + "duct[\"b\"] = junction[\"in1\"]" + ] + }, + { + "cell_type": "markdown", + "id": "725a7769-f703-4143-ab55-b416b6edc273", + "metadata": {}, + "source": [ + "Below are some helper methods for some common tasks: constructing spaces and attaching them to HVAC zones, various equipment constructors, etc. For some ontologies, like 223P, it can be helpful to have these kinds of \"constructor\" methods which take care of connecting the desired components together." + ] + }, + { + "cell_type": "code", + "execution_count": 6, + "id": "7243bb7c-8761-4228-ad53-74fba893005c", + "metadata": {}, + "outputs": [], + "source": [ + "# space cache\n", + "spaces = {}\n", + "\n", + "# helper functions for building the model\n", + "def ensure_space(space_name, zone):\n", + " if space_name not in spaces:\n", + " space = context[\"hvac-space\"]\n", + " space[\"name\"] = space_name\n", + " spaces[space_name] = space\n", + "\n", + " link = context[\"hvac-zone-contains-space\"]\n", + " link[\"name\"] = zone\n", + " link[\"domain-space\"] = space_name\n", + " return spaces[space_name]\n", + "\n", + "def make_lab_vav(vav_name: str, space_name: str, zone: str, junction_cp: str, vav_template_name: str):\n", + " vav = context[vav_template_name]\n", + " vav[\"name\"] = vav_name\n", + "\n", + " # connect vav['air-in'] to the junction with a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_{vav_name}_duct\"\n", + " duct[\"a\"] = junction[junction_cp]\n", + " duct[\"b\"] = vav[\"air-in\"]\n", + "\n", + " ensure_space(space_name, zone)\n", + "\n", + " # connect vav['air-out'] to the space through a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"{vav_name}_duct\"\n", + " duct[\"a\"] = vav[\"air-out\"]\n", + " duct[\"b\"] = spaces[space_name][\"in\"]\n", + "\n", + "\n", + "def make_fcu(fcu_name: str, space_name: str, zone: str, junction_cp: str):\n", + " fcu = context[\"fcu\"]\n", + " fcu[\"name\"] = fcu_name\n", + "\n", + " # connect fcu 'in' to the junction with a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_{fcu_name}_duct\"\n", + " duct[\"a\"] = junction[junction_cp]\n", + " duct[\"b\"] = fcu[\"in\"]\n", + "\n", + " # create the space if it doesn't exist\n", + " ensure_space(space_name, zone)\n", + "\n", + " # connect fcu 'out' to the space through a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"{fcu_name}_duct\"\n", + " duct[\"a\"] = fcu[\"out\"]\n", + " duct[\"b\"] = spaces[space_name][\"in\"]\n", + "\n", + "\n", + "def make_multiple_vavs(vav_names: List[str], space_name: str, zone: str, junction_cp: str, vav_template_name: str, space_cps: List[str]):\n", + " vavs = []\n", + " for vav_name in vav_names:\n", + " vav = context[vav_template_name]\n", + " vav[\"name\"] = vav_name\n", + " vavs.append(vav)\n", + "\n", + " # make an upstream junction for the VAVs\n", + " junction = context[\"junction\"]\n", + " junction[\"name\"] = f\"{space_name}_junction\"\n", + " # create a duct connecting junction_cp to the junction's in1\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_{space_name}_duct\"\n", + " duct[\"a\"] = junction[junction_cp]\n", + " duct[\"b\"] = junction[\"in1\"]\n", + "\n", + "\n", + " # create the space if it doesn't exist, add it to the space cache, and connect it to the zone\n", + " # make sure to create teh connection points from space_cps\n", + " ensure_space(space_name, zone)\n", + "\n", + " # for each space_cp associate it with the space using hasConnectionPoint\n", + " for space_cp in space_cps:\n", + " cp = context[\"air-inlet-cp\"]\n", + " cp[\"name\"] = space_cp\n", + " spaces[space_name].template.body.add((spaces[space_name][\"name\"], S223.hasConnectionPoint, cp[\"name\"]))\n", + "\n", + "def make_multiple_fcus(fcu_names: List[str], space_name: str, zone: str, junction_cp: str, space_cps: List[str]):\n", + " fcus = []\n", + " for fcu_name in fcu_names:\n", + " fcu = context['fcu']\n", + " fcu[\"name\"] = fcu_name\n", + " fcus.append(fcu)\n", + "\n", + " # make an upstream junction for the VAVs\n", + " junction = context[\"junction\"]\n", + " junction[\"name\"] = f\"{space_name}_junction\"\n", + " # create a duct connecting junction_cp to the junction's in1\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_{space_name}_duct\"\n", + " duct[\"a\"] = junction[junction_cp]\n", + " duct[\"b\"] = junction[\"in1\"]\n", + "\n", + "\n", + " # create the space if it doesn't exist, add it to the space cache, and connect it to the zone\n", + " # make sure to create teh connection points from space_cps\n", + " ensure_space(space_name, zone)\n", + "\n", + " # for each space_cp associate it with the space using hasConnectionPoint\n", + " for space_cp in space_cps:\n", + " cp = context[\"air-inlet-cp\"]\n", + " cp[\"name\"] = space_cp\n", + " spaces[space_name].template.body.add((spaces[space_name][\"name\"], S223.hasConnectionPoint, cp[\"name\"]))\n", + "\n", + "\n", + " # for each vav, connect the junction's outX to the vav's air-in with a duct\n", + " # where X is the index of the vav in vav_names\n", + " for i, fcu in enumerate(fcus):\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_{space_name}_fcu{i+1}_duct\"\n", + " duct[\"a\"] = junction[f\"out{i + 1}\"]\n", + " duct[\"b\"] = fcu[\"in\"]\n", + "\n", + " # for each vav, connect the vav's air-out to the space's respective 'inlet' inside space_cps\n", + " for i, fcu in enumerate(fcus):\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"{fcu_names[i]}_space_duct\"\n", + " duct[\"a\"] = fcu[\"out\"]\n", + " duct[\"b\"] = space_cps[i]\n", + "\n", + "def make_exhaust_fan(name: str, junction_cp: str, space_name: str, space_cp: str):\n", + " ef = context[\"exhaust-fan\"]\n", + " ef[\"name\"] = name\n", + " # ef 'out' connects to the junction inlet via a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"junction_ef{name}_duct\"\n", + " duct[\"a\"] = ef[\"out\"]\n", + " duct[\"b\"] = eau_junction[junction_cp]\n", + " # ef 'in' connects from the space via a duct\n", + " duct = context[\"duct\"]\n", + " duct[\"name\"] = f\"ef{name}_space_duct\"\n", + " duct[\"a\"] = spaces[space_name][space_cp]\n", + " duct[\"b\"] = ef[\"in\"]\n" + ] + }, + { + "cell_type": "code", + "execution_count": 7, + "id": "15535ce4-ef86-40c2-bf96-d51123568914", + "metadata": {}, + "outputs": [], + "source": [ + "# call our constructors to create the equipment, zones, and rooms\n", + "\n", + "make_lab_vav(\"VAV-103\", \"science-lab1\", \"science-lab\", \"out1\", \"lab-vav-reheat\")\n", + "make_lab_vav(\"VAV-104\", \"science-lab2\", \"science-lab\", \"out2\", \"lab-vav-reheat\")\n", + "make_lab_vav(\"VAV-101\", \"rm101\", \"common-space\", \"out5\", \"lab-vav-reheat\")\n", + "make_lab_vav(\"VAV-107\", \"bathrms\", \"common-space\", \"out6\", \"lab-vav-reheat\")\n", + "make_lab_vav(\"VAV-123\", \"science-lab3\", \"science-lab\", \"out3\", \"lab-vav-reheat\")\n", + "\n", + "make_multiple_vavs([\"VAV-122a\", \"VAV-122b\"], \"science-lab4\", \"science-lab\", \"out4\", \"lab-vav-reheat\", [\"in1\", \"in2\"])\n", + "make_multiple_vavs([\"VAV-125a\", \"VAV-125b\"], \"corridor\", \"common-space\", \"out7\", \"lab-vav-reheat\", [\"corridor-in1\", \"corridor-in2\"])\n", + "\n", + "make_fcu(\"fcu109\", \"electricalRoom\", \"common-space\", \"out9\")\n", + "make_fcu(\"fcu110\", \"ITRoom\", \"common-space\", \"out10\")\n", + "make_fcu(\"fcu111\", \"office1\", \"common-space\", \"out11\")\n", + "make_fcu(\"fcu118\", \"office2\", \"common-space\", \"out12\")\n", + "make_fcu(\"fcu119\", \"conferenceRoom1\", \"common-space\", \"out13\")\n", + "make_fcu(\"fcu120\", \"conferenceRoom2\", \"common-space\", \"out14\")\n", + "make_fcu(\"fcuRO1\", \"MechanicalRoom\", \"common-space\", \"out15\")\n", + "\n", + "make_multiple_fcus(['fcu125a', 'fcu125b'], 'corridor', 'common-space', 'out16', ['corridor-in3', 'corridor-in4'])" + ] + }, + { + "cell_type": "code", + "execution_count": 8, + "id": "96d89f65-ec9e-439c-8740-eacfce6c27e0", + "metadata": {}, + "outputs": [], + "source": [ + "# make eau\n", + "eau = context[\"exhaust-air-unit\"]\n", + "eau[\"name\"] = BLDG[\"EAU\"]\n", + "eau[\"air-exhaust\"] = BLDG[\"EAU_AIR_EXHAUST\"]\n", + "eau[\"return-air\"] = BLDG[\"EAU_AIR_RETURN\"]\n", + "\n", + "# eau junction\n", + "eau_junction = context[\"junction\"]\n", + "eau_junction[\"name\"] = BLDG[\"EAU_JUNCTION\"]\n", + "\n", + "# connect eau air return to the junction with a duct\n", + "duct = context[\"duct\"]\n", + "duct[\"name\"] = \"eau_air_return_duct\"\n", + "duct[\"a\"] = eau[\"return-air\"]\n", + "duct[\"b\"] = eau_junction[\"out1\"]\n", + "\n", + "ensure_space(\"biosafety-cabinet-space\", \"biosafety-cabinet\")\n", + "\n", + "make_exhaust_fan(\"ef4\", \"in1\", \"biosafety-cabinet-space\", \"out\")\n", + "make_exhaust_fan(\"ef5\", \"in2\", \"biosafety-cabinet-space\", \"out2\")\n" + ] + }, + { + "cell_type": "markdown", + "id": "ba981fcf-ec9e-46bb-8e7f-85b1d93b4ff5", + "metadata": {}, + "source": [ + "When you are done building the model, call the `compile()` method on the context to evaluate all of the templates. This will drop all optional parameters and create names for any required parameters for which you did not provide values." + ] + }, + { + "cell_type": "code", + "execution_count": 9, + "id": "968a766e-e126-4cbd-8bad-996ab32baa25", + "metadata": { + "scrolled": true + }, + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, pre-filter, heating-coil-water-in-mapsto, c1, air-supply-mapsto, evaporative-cooler-in, cooling-coil-valve-in, evaporative-cooler-evap-cool-fill-valve-in-mapsto, final-filter-out, evaporative-cooler-out, cooling-coil-pump-in-mapsto, supply-fan-oa-flow-switch, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, MAU-HRC-entering-air-temp, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, cooling-coil-pump-out, evaporative-cooler-evap-cool-pump-2stage-in, final-filter-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, heating-coil-valve, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, cooling-coil-valve, cooling-coil-pump-onoff-cmd, heating-coil-air-in, evaporative-cooler-evap-cool-sump-tank, sa_pressure_sensor, pre-filter-out, oad, pre-filter-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, MAU-HRC-return-water-temp, heating-coil-return-water-temp-sensor, supply-fan-out, final-filter-in, MAU-HRC-air-in-mapsto, supply-fan, MAU-HRC-leaving-air-temp, heating-coil-air-in-mapsto, supply-fan-start-cmd, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, oad-command, supply-fan-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, MAU-HRC-air-out, supply-fan-out-mapsto, heating-coil-air-out, cooling-coil-pump-vfd-volt, evaporative-cooler-evap-cool-fill-valve-in, MAU-HRC-water-in, supply-fan-in-mapsto, cooling-coil-pump-vfd-frq, evaporative-cooler-water-in, c7, evaporative-cooler-water-out, supply-fan-vfd-pwr, supply-fan-vfd-frq, cooling-coil-air-out-mapsto, supply-fan-vfd-flt, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-pump-vfd-cur, evaporative-cooler-in-mapsto, heating-coil-valve-command, cooling-coil-pump-vfd-flt, final-filter, cooling-coil-pump-vfd-energy, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, evaporative-cooler-evap-cool-fill-valve-out-mapsto, cooling-coil-pump-onoff-sts, heating-coil-valve-in, heating-coil-valve-out-mapsto, supply-fan-motor-status, cooling-coil-water-out, cooling-coil, oad-out-mapsto, evaporative-cooler-evap-cool-pump-2stage, supply-fan-in, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, cooling-coil-pump, MAU-HRC-water-in-mapsto, oad-out, outside-air-mapsto, final-filter-differential-pressure, sa_sp, evaporative-cooler-leaving-air-humidity, MAU-HRC-supply-water-temp, supply-fan-vfd-fb, heating-coil-valve-in-mapsto, heating-coil-water-in, supply-fan-vfd-cur, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, cooling-coil-water-in, cooling-coil-valve-feedback, MAU-HRC-air-in, final-filter-in-mapsto, heating-coil-supply-water-temp, evaporative-cooler-evap-cool-fill-valve-command, c5, evaporative-cooler-water-out-mapsto, cooling-coil-valve-in-mapsto, cooling-coil-air-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, oa_rh, pre-filter-in, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, cooling-coil-leaving-air-wetbulb-temp, cooling-coil-pump-vfd-pwr, pre-filter-differential-pressure, cooling-coil-valve-command, cooling-coil-leaving-air-temp, MAU-HRC-water-out-mapsto, cooling-coil-return-water-temp, cooling-coil-air-in, supply-fan-vfd-spd, cooling-coil-air-out, evaporative-cooler-evap-cool-fill-valve, oad-in, heating-coil, c3, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, supply-fan-vfd-energy, cooling-coil-pump-vfd-fb, oad-feedback, evaporative-cooler-entering-air-temp, c2, heating-coil-air-out-mapsto, pre-filter-out-mapsto, evaporative-cooler-water-in-mapsto, outside-air, MAU-HRC, cooling-coil-pump-in, MAU-HRC-air-out-mapsto, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, evaporative-cooler, c6, evaporative-cooler-evap-cool-pump-2stage-out, evaporative-cooler-evap-cool-fill-valve-out, evaporative-cooler-leaving-air-temp, MAU-HRC-water-out, cooling-coil-water-in-mapsto, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, evaporative-cooler-evap-cool-fill-valve-feedback, c4\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-return-water-temp, rhc-water-in, sup-air-pressure, rhc-air-out, air-out-mapsto, vlv-dmp-out, rhc-water-out, vlv-dmp-out-mapsto, sup-air-temp, c0, sup-air-flow, rhc-valve-feedback, rhc-water-in-mapsto, sup-air-flow-sensor, rhc-valve-out-mapsto, air-in-mapsto, vlv-dmp-in, rhc, vlv-dmp-feedback, vlv-dmp-command, rhc-valve-in, rhc-supply-water-temp, sup-air-temp-sensor, rhc-return-water-temp-sensor, rhc-air-in-mapsto, rhc-air-in, sup-air-pressure-sensor, vlv-dmp, rhc-valve-out, rhc-valve, rhc-water-out-mapsto, rhc-supply-water-temp-sensor, rhc-valve-in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-return-water-temp, rhc-water-in, air-in, sup-air-pressure, rhc-air-out, air-out-mapsto, vlv-dmp-out, rhc-water-out, vlv-dmp-out-mapsto, sup-air-temp, air-out, c0, sup-air-flow, rhc-valve-feedback, rhc-water-in-mapsto, sup-air-flow-sensor, rhc-valve-out-mapsto, air-in-mapsto, vlv-dmp-in, rhc, vlv-dmp-feedback, vlv-dmp-command, rhc-valve-in, rhc-supply-water-temp, sup-air-temp-sensor, rhc-return-water-temp-sensor, rhc-air-in-mapsto, rhc-air-in, sup-air-pressure-sensor, vlv-dmp, rhc-valve-out, rhc-valve, rhc-water-out-mapsto, rhc-supply-water-temp-sensor, rhc-valve-in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out8, out5-mapsto, in3-mapsto, out4-mapsto, out3, out7, out11, out6-mapsto, out15, out16, out5, out16-mapsto, in4, out14, out12, in3, out6, out8-mapsto, in5-mapsto, out3-mapsto, out9, out12-mapsto, out9-mapsto, in1-mapsto, out14-mapsto, out11-mapsto, out13-mapsto, out13, in4-mapsto, out1, out10, out2-mapsto, out7-mapsto, out2, out1-mapsto, out15-mapsto, out10-mapsto, in5, in2-mapsto, in2\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out5-mapsto, out8, in3-mapsto, out4-mapsto, out3, out11, out6-mapsto, out16, out5, out16-mapsto, in4, out14, out12, in3, out6, out4, out8-mapsto, in5-mapsto, out3-mapsto, out14-mapsto, out12-mapsto, out9-mapsto, in1-mapsto, out9, out11-mapsto, out13-mapsto, out13, in4-mapsto, out1, out10, out2-mapsto, out7-mapsto, out2, out10-mapsto, out1-mapsto, out15-mapsto, out15, in5, in2-mapsto, in2\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, heating-coil-air-in, zone-temp, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-leaving-air-temp, fan-vfd-frq, cooling-coil-return-water-temp, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, in-mapsto, sup-flow-sensor, exh-flow-sensor, out-mapsto, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, heating-coil-air-in, zone-temp, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-return-water-temp, cooling-coil-leaving-air-temp, fan-vfd-frq, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, zone-temp, heating-coil-air-in, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-leaving-air-temp, fan-vfd-frq, cooling-coil-return-water-temp, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, pre-filter, EAU-HRC-return-water-temp, final-filter, exhaust-fan-vfd-frq, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, isolation-damper-feedback, c13, isolation-damper-in-mapsto, exhaust-fan-in, exhaust-fan-low-sp-sensor, evaporative-cooler-in, EAU-HRC-supply-water-temp, evaporative-cooler-evap-cool-fill-valve-out-mapsto, EAU-HRC-water-out, evaporative-cooler-evap-cool-fill-valve-in-mapsto, final-filter-out, evaporative-cooler-out, exhaust-fan-vfd-energy, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, evaporative-cooler-evap-cool-pump-2stage, exhaust-fan-low-sp, exhaust-fan-start-cmd, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, exhaust-fan-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-in, evaporative-cooler-out-mapsto, air-exhaust-mapsto, isolation-damper-out, final-filter-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, EAU-HRC-air-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, exhaust-fan-vfd-cur, exhaust-fan-out, final-filter-differential-pressure, EAU-HRC-entering-air-temp, evaporative-cooler-evap-cool-sump-tank, evaporative-cooler-leaving-air-humidity, exhaust-fan-iso-dmp-in-mapsto, c14, exhaust-fan-iso-dmp-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, pre-filter-out, pre-filter-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, return-air-mapsto, final-filter-in-mapsto, evaporative-cooler-evap-cool-fill-valve-command, exhaust-fan-iso-dmp-command, evaporative-cooler-water-out-mapsto, EAU-HRC-air-out, c10, EAU-HRC-water-in-mapsto, exhaust-fan-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, final-filter-in, exhaust-fan-iso-dmp-feedback, pre-filter-in, c11, ea-pressure-sensor, exhaust-fan-iso-dmp-out, low-pressure-sensor, EAU-HRC-water-in, pre-filter-differential-pressure, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, EAU-HRC-water-out-mapsto, EAU-HRC-leaving-air-temp, c12, exhaust-fan-vfd-spd, evaporative-cooler-evap-cool-fill-valve, low-sp, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, exhaust-fan-iso-dmp, exhaust-fan, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, isolation-damper-in, evaporative-cooler-entering-air-temp, ea-sp, isolation-damper-out-mapsto, evaporative-cooler-evap-cool-fill-valve-in, pre-filter-out-mapsto, evaporative-cooler-water-in-mapsto, isolation-damper-command, EAU-HRC-air-in, evaporative-cooler-water-in, exhaust-fan-vfd-fb, EAU-HRC, evaporative-cooler-water-out, isolation-damper, EAU-HRC-air-in-mapsto, evaporative-cooler, exhaust-fan-vfd-flt, evaporative-cooler-evap-cool-pump-2stage-out, evaporative-cooler-evap-cool-fill-valve-out, exhaust-fan-motor-status, evaporative-cooler-leaving-air-temp, exhaust-fan-vfd-pwr, exhaust-fan-iso-dmp-in, evaporative-cooler-evap-cool-fill-valve-feedback, evaporative-cooler-in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, in4-mapsto, out2-mapsto, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"iso-dmp-out, iso-dmp-in-mapsto, iso-dmp-in, vfd-spd, vfd-flt, iso-dmp-feedback, low-sp-sensor, vfd-pwr, vfd-energy, low-sp, vfd-fb, in-mapsto, start-cmd, out-mapsto, iso-dmp, motor-status, vfd-frq, vfd-volt, iso-dmp-out-mapsto, iso-dmp-command, vfd-cur\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + }, + { + "data": { + "text/plain": [ + ")>" + ] + }, + "execution_count": 9, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "bldg.add_graph(context.compile())\n", + "bldg.graph.serialize(\"test.ttl\", format=\"turtle\")" + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "id": "d61db6a4-a5bd-4422-b7ef-545c89db0bb9", + "metadata": { + "scrolled": true + }, + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "2024-04-15 00:12:26,557 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,570 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,571 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,583 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,584 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,596 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,597 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,608 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,609 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,621 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,637 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,649 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,660 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,672 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:26,673 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:26,684 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,129 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,143 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,144 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,156 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,157 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,169 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,170 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,182 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,183 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,195 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,213 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,228 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,240 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,253 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:28,254 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:28,267 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,793 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,808 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,809 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,823 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,824 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,837 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,838 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,853 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,853 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,867 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,884 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,898 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,909 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,923 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:32,924 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:32,938 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,062 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", + "Traceback (most recent call last):\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", + " return conv_func(lexical) # type: ignore[arg-type]\n", + " ^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", + " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", + " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", + " self._parse(stream, True, *args, **kwargs)\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", + " self.mainLoop()\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", + " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", + " raise ParseError(E[errorcode] % datavars)\n", + "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n", + "2024-04-15 00:12:33,091 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,107 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,107 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,122 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,123 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,138 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,198 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", + "Traceback (most recent call last):\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", + " return conv_func(lexical) # type: ignore[arg-type]\n", + " ^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", + " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", + " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", + " self._parse(stream, True, *args, **kwargs)\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", + " self.mainLoop()\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", + " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", + " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", + " raise ParseError(E[errorcode] % datavars)\n", + "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n", + "2024-04-15 00:12:33,243 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,260 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,260 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,277 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,532 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,550 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,550 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,567 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,568 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,585 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,585 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,602 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,603 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,619 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,635 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,652 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,664 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,680 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,681 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,697 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,911 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,928 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,929 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,946 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,947 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,965 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,966 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:33,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:33,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:34,000 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:34,907 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:34,926 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:34,927 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:34,945 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:34,945 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:34,964 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:34,964 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:34,982 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:34,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:35,001 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:35,017 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:35,035 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:35,047 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:35,065 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:35,066 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:35,084 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,785 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,805 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,806 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,825 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,826 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,845 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,846 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,865 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,866 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,885 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,900 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,920 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,931 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,951 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", + "2024-04-15 00:12:36,952 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", + "2024-04-15 00:12:36,971 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n" + ] + } + ], + "source": [ + "res = bldg.validate([s223.get_shape_collection(), *[x.get_shape_collection() for x in qudt_libs]], error_on_missing_imports=False)" + ] + }, + { + "cell_type": "code", + "execution_count": 11, + "id": "7cd8fef6-0a3b-4b58-a6b3-d430c02306b7", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "56863\n", + "Valid? 0\n" + ] + } + ], + "source": [ + "# print(res.report_string)\n", + "print(len(res.report))\n", + "print(f\"Valid? {res.valid}\")" + ] + }, + { + "cell_type": "code", + "execution_count": 12, + "id": "c73d9b7c-4ea5-47b2-876a-b735af9b59be", + "metadata": { + "scrolled": true + }, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "http://qudt.org/vocab/unit/MegaHZ\n", + "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/HectoBAR\n", + "http://qudt.org/vocab/unit/HectoBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HectoBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/N-PER-MilliM2\n", + "http://qudt.org/vocab/unit/N-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/N-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ReciprocalElectricResistance\n", + "http://qudt.org/vocab/quantitykind/ReciprocalElectricResistance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/DynamicViscosity\n", + "http://qudt.org/vocab/quantitykind/DynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_KelvinHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H-1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/ARCSEC\n", + "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VoltagePhasor\n", + "http://qudt.org/vocab/quantitykind/VoltagePhasor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagneticAreaMoment\n", + "http://qudt.org/vocab/quantitykind/MagneticAreaMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/OZ-PER-HR\n", + "http://qudt.org/vocab/unit/OZ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DecaGM\n", + "http://qudt.org/vocab/unit/DecaGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DecaGM needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-SEC\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCi\n", + "http://qudt.org/vocab/unit/KiloCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IU-PER-L\n", + "http://qudt.org/vocab/unit/IU-PER-L needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoGM\n", + "http://qudt.org/vocab/unit/NanoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaHZ-M\n", + "http://qudt.org/vocab/unit/GigaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaJ-PER-HR\n", + "http://qudt.org/vocab/unit/GigaJ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SoundPower\n", + "http://qudt.org/vocab/quantitykind/SoundPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloGM-PER-HR\n", + "http://qudt.org/vocab/unit/KiloGM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV\n", + "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstant\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C_Stat-PER-MOL\n", + "http://qudt.org/vocab/unit/C_Stat-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroM3-PER-MilliL\n", + "http://qudt.org/vocab/unit/MicroM3-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM3-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoSEC\n", + "http://qudt.org/vocab/unit/NanoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Gamma\n", + "http://qudt.org/vocab/unit/Gamma needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Gamma needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT2-PER-SEC\n", + "http://qudt.org/vocab/unit/FT2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL\n", + "http://qudt.org/vocab/unit/KiloCAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronGFactor\n", + "http://qudt.org/vocab/constant/Value_DeuteronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFractionOfB\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFractionOfB needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/V\n", + "http://qudt.org/vocab/unit/V needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/YR\n", + "http://qudt.org/vocab/unit/YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ComptonWavelengthOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroPA\n", + "http://qudt.org/vocab/unit/MicroPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D-1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CentiPOISE\n", + "http://qudt.org/vocab/unit/CentiPOISE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PINT_US-PER-HR\n", + "http://qudt.org/vocab/unit/PINT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoH\n", + "http://qudt.org/vocab/unit/PicoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MolarOpticalRotatoryPower\n", + "http://qudt.org/vocab/quantitykind/MolarOpticalRotatoryPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-MicroM\n", + "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassNumber\n", + "http://qudt.org/vocab/quantitykind/MassNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PERMEABILITY_REL\n", + "http://qudt.org/vocab/unit/PERMEABILITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERMEABILITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckPressure\n", + "http://qudt.org/vocab/unit/PlanckPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/THM_US-PER-HR\n", + "http://qudt.org/vocab/unit/THM_US-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-MOL-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-MOL-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/RAD-PER-HR\n", + "http://qudt.org/vocab/unit/RAD-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/RAD-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnPressure\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/InstantaneousPower\n", + "http://qudt.org/vocab/quantitykind/InstantaneousPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/InstantaneousPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MX\n", + "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M2H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M2H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM\n", + "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-PicoM\n", + "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AbsoluteActivity\n", + "http://qudt.org/vocab/quantitykind/AbsoluteActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AbsoluteActivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SurfaceRelatedVolumeFlow\n", + "http://qudt.org/vocab/quantitykind/SurfaceRelatedVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/LineicResolution\n", + "http://qudt.org/vocab/quantitykind/LineicResolution needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-HR-PER-M2\n", + "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy\n", + "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_DeuteronRmsChargeRadius\n", + "http://qudt.org/vocab/constant/Value_DeuteronRmsChargeRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-PlanckMass2\n", + "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInHzPerK\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInHzPerK needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ReflectanceFactor\n", + "http://qudt.org/vocab/quantitykind/ReflectanceFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-PER-DAY\n", + "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2\n", + "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroBQ\n", + "http://qudt.org/vocab/unit/MicroBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentrationOfB\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentrationOfB needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GigaJ-PER-M2\n", + "http://qudt.org/vocab/unit/GigaJ-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L\n", + "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMolarMass\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ElectronMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_ElectronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GAL_US-PER-HR\n", + "http://qudt.org/vocab/unit/GAL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Permittivity\n", + "http://qudt.org/vocab/quantitykind/Permittivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GM-PER-KiloM\n", + "http://qudt.org/vocab/unit/GM-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-SEC\n", + "http://qudt.org/vocab/unit/CentiM3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-3I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-3I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-SEC-SR\n", + "http://qudt.org/vocab/unit/PER-SEC-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PlanckFunction\n", + "http://qudt.org/vocab/quantitykind/PlanckFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PlanckFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroM\n", + "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/quantitykind/MassPerAreaTime\n", + "http://qudt.org/vocab/quantitykind/MassPerAreaTime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ANGSTROM\n", + "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MilliL\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliR\n", + "http://qudt.org/vocab/unit/MilliR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ChemicalPotential\n", + "http://qudt.org/vocab/quantitykind/ChemicalPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-SEC-PER-MOL\n", + "http://qudt.org/vocab/unit/J-SEC-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LevelWidth\n", + "http://qudt.org/vocab/quantitykind/LevelWidth needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronToShieldedProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LorenzCoefficient\n", + "http://qudt.org/vocab/quantitykind/LorenzCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/N-PER-C\n", + "http://qudt.org/vocab/unit/N-PER-C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-MOL\n", + "http://qudt.org/vocab/unit/PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedVolumeFlowRate\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedVolumeFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GigaW-HR\n", + "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoC\n", + "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricFluxDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PackingFraction\n", + "http://qudt.org/vocab/quantitykind/PackingFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PlanckCharge\n", + "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-ANGSTROM\n", + "http://qudt.org/vocab/unit/PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MOL-PER-TONNE\n", + "http://qudt.org/vocab/unit/MOL-PER-TONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_TauComptonWavelength\n", + "http://qudt.org/vocab/constant/Value_TauComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/C4-M4-PER-J3\n", + "http://qudt.org/vocab/unit/C4-M4-PER-J3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-M3\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularFrequency\n", + "http://qudt.org/vocab/quantitykind/AngularFrequency needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NUM-PER-YR\n", + "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MagneticFluxDensityOrMagneticPolarization\n", + "http://qudt.org/vocab/quantitykind/MagneticFluxDensityOrMagneticPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/prefix/Zebi\n", + "http://qudt.org/vocab/prefix/Zebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ShearStrain\n", + "http://qudt.org/vocab/quantitykind/ShearStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PicoW-PER-M2\n", + "http://qudt.org/vocab/unit/PicoW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/N-SEC-PER-M3\n", + "http://qudt.org/vocab/unit/N-SEC-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ERG-SEC\n", + "http://qudt.org/vocab/unit/ERG-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MolarVolumeOfIdealGas\n", + "http://qudt.org/vocab/constant/Value_MolarVolumeOfIdealGas needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR\n", + "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicEnergy\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BU_UK-PER-HR\n", + "http://qudt.org/vocab/unit/BU_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BU_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/L-PER-HR\n", + "http://qudt.org/vocab/unit/L-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/L-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/GyromagneticRatio\n", + "http://qudt.org/vocab/quantitykind/GyromagneticRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/GyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/R\n", + "http://qudt.org/vocab/unit/R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB_F-IN\n", + "http://qudt.org/vocab/unit/LB_F-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M3\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM-PER-DAY\n", + "http://qudt.org/vocab/unit/GM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ANGSTROM3\n", + "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_US-PER-HR\n", + "http://qudt.org/vocab/unit/GI_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/HelmholtzEnergy\n", + "http://qudt.org/vocab/quantitykind/HelmholtzEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/HelmholtzEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY\n", + "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", + "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/EnergyDensity\n", + "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseISOUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseUSCustomaryUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseImperialUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/MolarOpticalRotationalAbility\n", + "http://qudt.org/vocab/quantitykind/MolarOpticalRotationalAbility needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/KiloTONNE\n", + "http://qudt.org/vocab/unit/KiloTONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloTONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR\n", + "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SH\n", + "http://qudt.org/vocab/unit/SH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-J-M3\n", + "http://qudt.org/vocab/unit/PER-J-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatVolume\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatVolume needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/BAR\n", + "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SoundReductionIndex\n", + "http://qudt.org/vocab/quantitykind/SoundReductionIndex needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MIN\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MagneticSusceptability\n", + "http://qudt.org/vocab/quantitykind/MagneticSusceptability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagneticSusceptability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-T-M\n", + "http://qudt.org/vocab/unit/PER-T-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoGM-PER-L\n", + "http://qudt.org/vocab/unit/NanoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/THM_US\n", + "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGAL\n", + "http://qudt.org/vocab/unit/MilliGAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN\n", + "http://qudt.org/vocab/unit/DYN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PoyntingVector\n", + "http://qudt.org/vocab/quantitykind/PoyntingVector needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PoyntingVector needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfAction\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfAction needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MagneticTension\n", + "http://qudt.org/vocab/quantitykind/MagneticTension needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/WK\n", + "http://qudt.org/vocab/unit/WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/C-PER-M2\n", + "http://qudt.org/vocab/unit/C-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity\n", + "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckEnergy\n", + "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PA-PER-BAR\n", + "http://qudt.org/vocab/unit/PA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronGFactor\n", + "http://qudt.org/vocab/constant/Value_ElectronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GigaBQ\n", + "http://qudt.org/vocab/unit/GigaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RadiantEnergy\n", + "http://qudt.org/vocab/quantitykind/RadiantEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_US\n", + "http://qudt.org/vocab/unit/PINT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_Pi\n", + "http://qudt.org/vocab/constant/Value_Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A1E0L-3I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A1E0L-3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GM_F-PER-CentiM2\n", + "http://qudt.org/vocab/unit/GM_F-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM_F-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/TeraJ\n", + "http://qudt.org/vocab/unit/TeraJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_DeuteronNeutronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-WK\n", + "http://qudt.org/vocab/unit/PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Permeance\n", + "http://qudt.org/vocab/quantitykind/Permeance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/GasLeakRate\n", + "http://qudt.org/vocab/quantitykind/GasLeakRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/RelativeHumidity\n", + "http://qudt.org/vocab/quantitykind/RelativeHumidity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/RelativeHumidity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-1T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/SolarMass\n", + "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YottaC\n", + "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BAR-PER-K\n", + "http://qudt.org/vocab/unit/BAR-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BAR-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricDisplacement\n", + "http://qudt.org/vocab/quantitykind/ElectricDisplacement needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricDisplacement needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MolarThermalCapacity\n", + "http://qudt.org/vocab/quantitykind/MolarThermalCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/KiloEV-PER-MicroM\n", + "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassicHeatCapacity\n", + "http://qudt.org/vocab/quantitykind/MassicHeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Frequency\n", + "http://qudt.org/vocab/quantitykind/Frequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_F-PER-MIN\n", + "http://qudt.org/vocab/unit/DEG_F-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HartreeKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PINT_US_DRY\n", + "http://qudt.org/vocab/unit/PINT_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/HallCoefficient\n", + "http://qudt.org/vocab/quantitykind/HallCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2\n", + "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Coercivity\n", + "http://qudt.org/vocab/quantitykind/Coercivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/TebiBYTE\n", + "http://qudt.org/vocab/unit/TebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_LatticeSpacingOfSilicon\n", + "http://qudt.org/vocab/constant/Value_LatticeSpacingOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/V_Ab-PER-CentiM\n", + "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TritonProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_TritonProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBYTE\n", + "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LinearAbsorptionCoefficient\n", + "http://qudt.org/vocab/quantitykind/LinearAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-SEC-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ExbiBYTE\n", + "http://qudt.org/vocab/unit/ExbiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ExbiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/N-PER-M\n", + "http://qudt.org/vocab/unit/N-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalResistance\n", + "http://qudt.org/vocab/quantitykind/ThermalResistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RelativeMassConcentrationOfVapour\n", + "http://qudt.org/vocab/quantitykind/RelativeMassConcentrationOfVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliL-PER-M3\n", + "http://qudt.org/vocab/unit/MilliL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-M-NanoM-SR\n", + "http://qudt.org/vocab/unit/PER-M-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-M-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroV-PER-M\n", + "http://qudt.org/vocab/unit/MicroV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SoundPowerLevel\n", + "http://qudt.org/vocab/quantitykind/SoundPowerLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SoundPowerLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-PER-FT\n", + "http://qudt.org/vocab/unit/LB-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BohrMagneton\n", + "http://qudt.org/vocab/constant/Value_BohrMagneton needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/OZ-PER-DAY\n", + "http://qudt.org/vocab/unit/OZ-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-PER-M2-K4\n", + "http://qudt.org/vocab/unit/W-PER-M2-K4 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloEV\n", + "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR\n", + "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaA-PER-M2\n", + "http://qudt.org/vocab/unit/MegaA-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaA-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT_H2O\n", + "http://qudt.org/vocab/unit/FT_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/IN3-PER-SEC\n", + "http://qudt.org/vocab/unit/IN3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloHZ\n", + "http://qudt.org/vocab/unit/KiloHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AbsorbedDose\n", + "http://qudt.org/vocab/quantitykind/AbsorbedDose needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PT\n", + "http://qudt.org/vocab/unit/PT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonTauMassRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SoundPressureLevel\n", + "http://qudt.org/vocab/quantitykind/SoundPressureLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundPressureLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AreaPerTime\n", + "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseUSCustomaryUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseImperialUnitDimensions\n", + "http://qudt.org/vocab/unit/ExaJ\n", + "http://qudt.org/vocab/unit/ExaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ExaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BQ-PER-KiloGM\n", + "http://qudt.org/vocab/unit/BQ-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_JouleHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SoundParticleVelocity\n", + "http://qudt.org/vocab/quantitykind/SoundParticleVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BindingFraction\n", + "http://qudt.org/vocab/quantitykind/BindingFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaBAR\n", + "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LY\n", + "http://qudt.org/vocab/unit/LY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Conductance\n", + "http://qudt.org/vocab/quantitykind/Conductance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Conductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM-SEC\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MoXUnit\n", + "http://qudt.org/vocab/constant/Value_MoXUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/BraggAngle\n", + "http://qudt.org/vocab/quantitykind/BraggAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT\n", + "http://qudt.org/vocab/unit/PINT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroV\n", + "http://qudt.org/vocab/unit/MicroV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-M2\n", + "http://qudt.org/vocab/unit/KiloGM-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GigaBIT-PER-SEC\n", + "http://qudt.org/vocab/unit/GigaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/DisplacementVectorOfIon\n", + "http://qudt.org/vocab/quantitykind/DisplacementVectorOfIon needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KIP_F-PER-IN2\n", + "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ElementaryCharge\n", + "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMass\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/EnergyExpenditure\n", + "http://qudt.org/vocab/quantitykind/EnergyExpenditure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaV-A\n", + "http://qudt.org/vocab/unit/MegaV-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/CurrentOfTheAmountOfSubtance\n", + "http://qudt.org/vocab/quantitykind/CurrentOfTheAmountOfSubtance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Stress\n", + "http://qudt.org/vocab/quantitykind/Stress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Stress needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BU_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/BU_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BU_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LineicTorque\n", + "http://qudt.org/vocab/quantitykind/LineicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM\n", + "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PoissonRatio\n", + "http://qudt.org/vocab/quantitykind/PoissonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInEVPerT\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInEVPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-K\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassPerLength\n", + "http://qudt.org/vocab/quantitykind/MassPerLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricFieldStrength\n", + "http://qudt.org/vocab/quantitykind/ElectricFieldStrength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/schema/qudt/CT_FINITE\n", + "http://qudt.org/schema/qudt/CT_FINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/schema/qudt/CT_FINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloBTU_TH\n", + "http://qudt.org/vocab/unit/KiloBTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM2-PER-SEC\n", + "http://qudt.org/vocab/unit/MilliM2-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM2-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/prefix/Kibi\n", + "http://qudt.org/vocab/prefix/Kibi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DebyeTemperature\n", + "http://qudt.org/vocab/quantitykind/DebyeTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates\n", + "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/PlanckCurrent\n", + "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OHM_Stat\n", + "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MOL-K\n", + "http://qudt.org/vocab/unit/MOL-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaC-PER-M3\n", + "http://qudt.org/vocab/unit/MegaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MutualInductance\n", + "http://qudt.org/vocab/quantitykind/MutualInductance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MutualInductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-BAR\n", + "http://qudt.org/vocab/unit/PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LineicPower\n", + "http://qudt.org/vocab/quantitykind/LineicPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HelionMass\n", + "http://qudt.org/vocab/constant/Value_HelionMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_JouleKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Resistance\n", + "http://qudt.org/vocab/quantitykind/Resistance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloTON_Metric\n", + "http://qudt.org/vocab/unit/KiloTON_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloTON_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronGFactor\n", + "http://qudt.org/vocab/constant/Value_NeutronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroT\n", + "http://qudt.org/vocab/unit/MicroT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Ab\n", + "http://qudt.org/vocab/unit/H_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfLength\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM\n", + "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroIN\n", + "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ZeptoC\n", + "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaJ-PER-HR\n", + "http://qudt.org/vocab/unit/MegaJ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloPA_A\n", + "http://qudt.org/vocab/unit/KiloPA_A needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NanoT\n", + "http://qudt.org/vocab/unit/NanoT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoA\n", + "http://qudt.org/vocab/unit/NanoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_MuonProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/REV-PER-SEC\n", + "http://qudt.org/vocab/unit/REV-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpectralCrossSection\n", + "http://qudt.org/vocab/quantitykind/SpectralCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpectralCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HA\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel_Mass\n", + "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel_Mass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TotalIonization\n", + "http://qudt.org/vocab/quantitykind/TotalIonization needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TotalIonization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C-PER-M\n", + "http://qudt.org/vocab/unit/C-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Thrust\n", + "http://qudt.org/vocab/quantitykind/Thrust needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/A-PER-MilliM2\n", + "http://qudt.org/vocab/unit/A-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M3-PER-SEC\n", + "http://qudt.org/vocab/unit/M3-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DynamicFrictionCoefficient\n", + "http://qudt.org/vocab/quantitykind/DynamicFrictionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG\n", + "http://qudt.org/vocab/unit/DEG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-M\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaW-HR\n", + "http://qudt.org/vocab/unit/MegaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-SEC-M2-SR\n", + "http://qudt.org/vocab/unit/PER-SEC-M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliV-PER-MIN\n", + "http://qudt.org/vocab/unit/MilliV-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliV-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentAnomaly\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentAnomaly needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_TauMass\n", + "http://qudt.org/vocab/constant/Value_TauMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GAL_US-PER-DAY\n", + "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HZ-M\n", + "http://qudt.org/vocab/unit/HZ-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_MuonProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_InverseMeterAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaV-A-HR\n", + "http://qudt.org/vocab/unit/MegaV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSEC\n", + "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Conductivity\n", + "http://qudt.org/vocab/quantitykind/Conductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC\n", + "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LinearEnergyTransfer\n", + "http://qudt.org/vocab/quantitykind/LinearEnergyTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/H_Stat\n", + "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FARAD_Stat\n", + "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoL\n", + "http://qudt.org/vocab/unit/FemtoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D-1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/YR_Common\n", + "http://qudt.org/vocab/unit/YR_Common needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YR_Common needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_HertzKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/A\n", + "http://qudt.org/vocab/unit/A needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_PlanckMass\n", + "http://qudt.org/vocab/constant/Value_PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FT3-PER-MIN\n", + "http://qudt.org/vocab/unit/FT3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CentiM\n", + "http://qudt.org/vocab/unit/CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Resistivity\n", + "http://qudt.org/vocab/quantitykind/Resistivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_R-PER-MIN\n", + "http://qudt.org/vocab/unit/DEG_R-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Repetency\n", + "http://qudt.org/vocab/quantitykind/Repetency needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMolality\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMolality needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/OsmoticCoefficient\n", + "http://qudt.org/vocab/quantitykind/OsmoticCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DeciM3-PER-MIN\n", + "http://qudt.org/vocab/unit/DeciM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DeciM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H-1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-PER-M2\n", + "http://qudt.org/vocab/unit/J-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-YR\n", + "http://qudt.org/vocab/unit/PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SEC\n", + "http://qudt.org/vocab/unit/SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonRmsChargeRadius\n", + "http://qudt.org/vocab/constant/Value_ProtonRmsChargeRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/LinearMomentum\n", + "http://qudt.org/vocab/quantitykind/LinearMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K-M3\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/OZ_F\n", + "http://qudt.org/vocab/unit/OZ_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PetaBYTE\n", + "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/KineticEnergy\n", + "http://qudt.org/vocab/quantitykind/KineticEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/KineticEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/HART-PER-SEC\n", + "http://qudt.org/vocab/unit/HART-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroL\n", + "http://qudt.org/vocab/unit/MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN-PER-SEC2\n", + "http://qudt.org/vocab/unit/IN-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/NeutronNumber\n", + "http://qudt.org/vocab/quantitykind/NeutronNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/E_h\n", + "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M-PER-SEC2\n", + "http://qudt.org/vocab/unit/M-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/LuminousFlux\n", + "http://qudt.org/vocab/quantitykind/LuminousFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A-HR\n", + "http://qudt.org/vocab/unit/A-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M2\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Work\n", + "http://qudt.org/vocab/quantitykind/Work needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Work needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC\n", + "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HR\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PDL\n", + "http://qudt.org/vocab/unit/PDL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaEV\n", + "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat\n", + "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN3-PER-HR\n", + "http://qudt.org/vocab/unit/IN3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Density\n", + "http://qudt.org/vocab/quantitykind/Density needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/VolumeStrain\n", + "http://qudt.org/vocab/quantitykind/VolumeStrain needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/VolumeStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/V_Ab-SEC\n", + "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VolumeFlowRate\n", + "http://qudt.org/vocab/quantitykind/VolumeFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliL-PER-HR\n", + "http://qudt.org/vocab/unit/MilliL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloV-A-HR\n", + "http://qudt.org/vocab/unit/KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTM-PER-K\n", + "http://qudt.org/vocab/unit/PPTM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MolarVolume\n", + "http://qudt.org/vocab/quantitykind/MolarVolume needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MolarVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaN\n", + "http://qudt.org/vocab/unit/MegaN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Impedance\n", + "http://qudt.org/vocab/quantitykind/Impedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/RadiantFluenceRate\n", + "http://qudt.org/vocab/quantitykind/RadiantFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/VolumetricHeatCapacity\n", + "http://qudt.org/vocab/quantitykind/VolumetricHeatCapacity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_F-PER-SEC\n", + "http://qudt.org/vocab/unit/DEG_F-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DecayConstant\n", + "http://qudt.org/vocab/quantitykind/DecayConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloGM-MilliM2\n", + "http://qudt.org/vocab/unit/KiloGM-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoSEC\n", + "http://qudt.org/vocab/unit/PicoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MagneticVectorPotential\n", + "http://qudt.org/vocab/quantitykind/MagneticVectorPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/RadiantEnergyDensity\n", + "http://qudt.org/vocab/quantitykind/RadiantEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/RAD-PER-MIN\n", + "http://qudt.org/vocab/unit/RAD-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/RAD-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliGAL-PER-MO\n", + "http://qudt.org/vocab/unit/MilliGAL-PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGAL-PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_US-PER-MIN\n", + "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroRAD\n", + "http://qudt.org/vocab/unit/MicroRAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroRAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_ProtonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection\n", + "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoS-PER-M\n", + "http://qudt.org/vocab/unit/NanoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GRAIN\n", + "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/AU\n", + "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M2-SR\n", + "http://qudt.org/vocab/unit/M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronMolarMass\n", + "http://qudt.org/vocab/constant/Value_DeuteronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/M-K\n", + "http://qudt.org/vocab/unit/M-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfTime\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PERCENT-PER-DAY\n", + "http://qudt.org/vocab/unit/PERCENT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERCENT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeLineDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeLineDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase10\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-HR\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoS-PER-M\n", + "http://qudt.org/vocab/unit/PicoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ChemicalAffinity\n", + "http://qudt.org/vocab/quantitykind/ChemicalAffinity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FARAD_Ab\n", + "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A-PER-CentiM2\n", + "http://qudt.org/vocab/unit/A-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-DAY\n", + "http://qudt.org/vocab/unit/PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LinearStrain\n", + "http://qudt.org/vocab/quantitykind/LinearStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CentiM-PER-K\n", + "http://qudt.org/vocab/unit/CentiM-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/KiloW-HR-PER-M2\n", + "http://qudt.org/vocab/unit/KiloW-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloW-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB_F-FT\n", + "http://qudt.org/vocab/unit/LB_F-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/K-PER-HR\n", + "http://qudt.org/vocab/unit/K-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/K-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroS\n", + "http://qudt.org/vocab/unit/MicroS needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroS needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ShearStress\n", + "http://qudt.org/vocab/quantitykind/ShearStress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PK_UK-PER-HR\n", + "http://qudt.org/vocab/unit/PK_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PK_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MolalityOfSolute\n", + "http://qudt.org/vocab/quantitykind/MolalityOfSolute needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT3\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LineicDataVolume\n", + "http://qudt.org/vocab/quantitykind/LineicDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MIL_Circ\n", + "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT2\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-M-PER-MOL\n", + "http://qudt.org/vocab/unit/J-M-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PA2-SEC\n", + "http://qudt.org/vocab/unit/PA2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL\n", + "http://qudt.org/vocab/unit/MicroMOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckFrequency\n", + "http://qudt.org/vocab/unit/PlanckFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/L\n", + "http://qudt.org/vocab/unit/L needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/schema/qudt/CT_UNCOUNTABLE\n", + "http://qudt.org/schema/qudt/CT_UNCOUNTABLE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/schema/qudt/CT_UNCOUNTABLE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM-PER-SEC2\n", + "http://qudt.org/vocab/unit/CentiM-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-PER-M\n", + "http://qudt.org/vocab/unit/EV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CWT_SHORT\n", + "http://qudt.org/vocab/unit/CWT_SHORT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RadialDistance\n", + "http://qudt.org/vocab/quantitykind/RadialDistance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/RadialDistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR\n", + "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG_C-CentiM\n", + "http://qudt.org/vocab/unit/DEG_C-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Debye\n", + "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LA\n", + "http://qudt.org/vocab/unit/LA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Wavelength\n", + "http://qudt.org/vocab/quantitykind/Wavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Wavelength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/QT_US-PER-HR\n", + "http://qudt.org/vocab/unit/QT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyIntervalToBase10\n", + "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyIntervalToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L3I0M1H0T-4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L3I0M1H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaTOE\n", + "http://qudt.org/vocab/unit/MegaTOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaTOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-M3\n", + "http://qudt.org/vocab/unit/PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HelionElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_HelionElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TauMolarMass\n", + "http://qudt.org/vocab/constant/Value_TauMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedDynamicViscosity\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedDynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantInEVS\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/TotalAngularMomentum\n", + "http://qudt.org/vocab/quantitykind/TotalAngularMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoBQ-PER-L\n", + "http://qudt.org/vocab/unit/NanoBQ-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoBQ-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-HA\n", + "http://qudt.org/vocab/unit/KiloGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/QualityFactor\n", + "http://qudt.org/vocab/quantitykind/QualityFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/QualityFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Emissivity\n", + "http://qudt.org/vocab/quantitykind/Emissivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Emissivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MagneticField\n", + "http://qudt.org/vocab/quantitykind/MagneticField needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricPolarization\n", + "http://qudt.org/vocab/quantitykind/ElectricPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/OZ-PER-YD2\n", + "http://qudt.org/vocab/unit/OZ-PER-YD2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroFARAD\n", + "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/CharacteristicNumber\n", + "http://qudt.org/vocab/quantitykind/CharacteristicNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MassPerEnergy\n", + "http://qudt.org/vocab/quantitykind/MassPerEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloBAR\n", + "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMHO\n", + "http://qudt.org/vocab/unit/MicroMHO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMHO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMHO needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/T\n", + "http://qudt.org/vocab/unit/T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaEV-PER-CentiM\n", + "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-SEC\n", + "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN-CentiM\n", + "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RadianceFactor\n", + "http://qudt.org/vocab/quantitykind/RadianceFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaEV-FemtoM\n", + "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BARAD\n", + "http://qudt.org/vocab/unit/BARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PressureBasedKinematicViscosity\n", + "http://qudt.org/vocab/quantitykind/PressureBasedKinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/AttoJ\n", + "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/NormalStress\n", + "http://qudt.org/vocab/quantitykind/NormalStress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectricDipoleMoment\n", + "http://qudt.org/vocab/quantitykind/ElectricDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_KelvinElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SurgeImpedanceOfTheMedium\n", + "http://qudt.org/vocab/quantitykind/SurgeImpedanceOfTheMedium needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/B\n", + "http://qudt.org/vocab/unit/B needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/NuclearRadius\n", + "http://qudt.org/vocab/quantitykind/NuclearRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AreicHeatFlowRate\n", + "http://qudt.org/vocab/quantitykind/AreicHeatFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Irradiance\n", + "http://qudt.org/vocab/quantitykind/Irradiance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaC\n", + "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VolumeFraction\n", + "http://qudt.org/vocab/quantitykind/VolumeFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SpectralLuminousEfficiency\n", + "http://qudt.org/vocab/quantitykind/SpectralLuminousEfficiency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatioOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/prefix/Mebi\n", + "http://qudt.org/vocab/prefix/Mebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroN-M\n", + "http://qudt.org/vocab/unit/MicroN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ByteDataVolume\n", + "http://qudt.org/vocab/quantitykind/ByteDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckMass\n", + "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber\n", + "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaJ-PER-SEC\n", + "http://qudt.org/vocab/unit/MegaJ-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MilliM3\n", + "http://qudt.org/vocab/unit/PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TEX\n", + "http://qudt.org/vocab/unit/TEX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TEX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MIN\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloGM-M2-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloGM-M2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-LA\n", + "http://qudt.org/vocab/unit/FT-LA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BARN\n", + "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/REV-PER-HR\n", + "http://qudt.org/vocab/unit/REV-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonComptonWavelength\n", + "http://qudt.org/vocab/constant/Value_ProtonComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergyInMeV\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergyInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/ZettaC\n", + "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/M2-PER-KiloGM\n", + "http://qudt.org/vocab/unit/M2-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FR\n", + "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/CelsiusTemperature\n", + "http://qudt.org/vocab/quantitykind/CelsiusTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Wavenumber\n", + "http://qudt.org/vocab/quantitykind/Wavenumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG-PER-SEC\n", + "http://qudt.org/vocab/unit/DEG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MebiBYTE\n", + "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/GM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A-PER-J\n", + "http://qudt.org/vocab/unit/A-PER-J needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/A-PER-J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KAT-PER-MicroL\n", + "http://qudt.org/vocab/unit/KAT-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTH-PER-HR\n", + "http://qudt.org/vocab/unit/PPTH-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTH-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaS-PER-M\n", + "http://qudt.org/vocab/unit/MegaS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_HartreeEnergyInEV\n", + "http://qudt.org/vocab/constant/Value_HartreeEnergyInEV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/IN3-PER-MIN\n", + "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Ab-CentiM2\n", + "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ParticleFluenceRate\n", + "http://qudt.org/vocab/quantitykind/ParticleFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CD\n", + "http://qudt.org/vocab/unit/CD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM\n", + "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM_HG\n", + "http://qudt.org/vocab/unit/CentiM_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM_HG needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_ElectronMass\n", + "http://qudt.org/vocab/constant/Value_ElectronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PINT_US-PER-DAY\n", + "http://qudt.org/vocab/unit/PINT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpeedOfLight\n", + "http://qudt.org/vocab/quantitykind/SpeedOfLight needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M2\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroTORR\n", + "http://qudt.org/vocab/unit/MicroTORR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI\n", + "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VolumicAmountOfSubstance\n", + "http://qudt.org/vocab/quantitykind/VolumicAmountOfSubstance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliSEC\n", + "http://qudt.org/vocab/unit/MilliSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PPTR\n", + "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM2\n", + "http://qudt.org/vocab/unit/MicroM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/GeneralizedVelocity\n", + "http://qudt.org/vocab/quantitykind/GeneralizedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PicoPA-PER-KiloM\n", + "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/ReciprocalPlaneAngle\n", + "http://qudt.org/vocab/quantitykind/ReciprocalPlaneAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GI\n", + "http://qudt.org/vocab/unit/GI needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-PER-IN\n", + "http://qudt.org/vocab/unit/LB-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MIN\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BQ-PER-M3\n", + "http://qudt.org/vocab/unit/BQ-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GRAY-PER-SEC\n", + "http://qudt.org/vocab/unit/GRAY-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MI3\n", + "http://qudt.org/vocab/unit/MI3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MI3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB-PER-MIN\n", + "http://qudt.org/vocab/unit/LB-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/K-PER-SEC\n", + "http://qudt.org/vocab/unit/K-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM-PER-HR\n", + "http://qudt.org/vocab/unit/GM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PressureBasedDensity\n", + "http://qudt.org/vocab/quantitykind/PressureBasedDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Gravity_API\n", + "http://qudt.org/vocab/quantitykind/Gravity_API needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Lethargy\n", + "http://qudt.org/vocab/quantitykind/Lethargy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaPA-M0pt5\n", + "http://qudt.org/vocab/unit/MegaPA-M0pt5 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/EarthMass\n", + "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM\n", + "http://qudt.org/vocab/unit/MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2\n", + "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM-PER-SEC\n", + "http://qudt.org/vocab/unit/CentiM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/StateDensityAsExpressionOfAngularFrequency\n", + "http://qudt.org/vocab/quantitykind/StateDensityAsExpressionOfAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ActivityRelatedByMass\n", + "http://qudt.org/vocab/quantitykind/ActivityRelatedByMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GM-MilliM\n", + "http://qudt.org/vocab/unit/GM-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ\n", + "http://qudt.org/vocab/unit/MegaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/NonActivePower\n", + "http://qudt.org/vocab/quantitykind/NonActivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PicoGM-PER-L\n", + "http://qudt.org/vocab/unit/PicoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RadiativeHeatTransfer\n", + "http://qudt.org/vocab/quantitykind/RadiativeHeatTransfer needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance\n", + "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/YD3-PER-MIN\n", + "http://qudt.org/vocab/unit/YD3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/NumberDensity\n", + "http://qudt.org/vocab/quantitykind/NumberDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MOL-PER-KiloGM-PA\n", + "http://qudt.org/vocab/unit/MOL-PER-KiloGM-PA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-K\n", + "http://qudt.org/vocab/unit/MilliL-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_PlanckLength\n", + "http://qudt.org/vocab/constant/Value_PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/ExaC\n", + "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ExposureOfIonizingRadiation\n", + "http://qudt.org/vocab/quantitykind/ExposureOfIonizingRadiation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Radioactivity\n", + "http://qudt.org/vocab/quantitykind/Radioactivity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroW-PER-M2\n", + "http://qudt.org/vocab/unit/MicroW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBasePair\n", + "http://qudt.org/vocab/unit/GigaBasePair needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaBasePair needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-M2\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/NanoGM-PER-DAY\n", + "http://qudt.org/vocab/unit/NanoGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-BAR\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MagneticPolarization\n", + "http://qudt.org/vocab/quantitykind/MagneticPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagneticPolarization needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassPerArea\n", + "http://qudt.org/vocab/quantitykind/MassPerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassPerArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PowerConstant\n", + "http://qudt.org/vocab/quantitykind/PowerConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR\n", + "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloM3-PER-SEC2\n", + "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KAT-PER-L\n", + "http://qudt.org/vocab/unit/KAT-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB_F\n", + "http://qudt.org/vocab/unit/LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RelativePartialPressure\n", + "http://qudt.org/vocab/quantitykind/RelativePartialPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-MIN\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERCENT-PER-M\n", + "http://qudt.org/vocab/unit/PERCENT-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPM-PER-K\n", + "http://qudt.org/vocab/unit/PPM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraBYTE\n", + "http://qudt.org/vocab/unit/TeraBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoC\n", + "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloLB_F-FT-PER-A\n", + "http://qudt.org/vocab/unit/KiloLB_F-FT-PER-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckTime\n", + "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonComptonWavelength\n", + "http://qudt.org/vocab/constant/Value_MuonComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/DEG2\n", + "http://qudt.org/vocab/unit/DEG2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TauComptonWavelengthOver2Pi\n", + "http://qudt.org/vocab/constant/Value_TauComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/EV-PER-T\n", + "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaYR\n", + "http://qudt.org/vocab/unit/MegaYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TransmittanceDensity\n", + "http://qudt.org/vocab/quantitykind/TransmittanceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M3-PER-MOL\n", + "http://qudt.org/vocab/unit/M3-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A-PER-RAD\n", + "http://qudt.org/vocab/unit/A-PER-RAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoH\n", + "http://qudt.org/vocab/unit/NanoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PhaseCoefficient\n", + "http://qudt.org/vocab/quantitykind/PhaseCoefficient needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PhaseCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D1\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/QUAD\n", + "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MO\n", + "http://qudt.org/vocab/unit/PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticShieldingCorrection\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticShieldingCorrection needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroW\n", + "http://qudt.org/vocab/unit/MicroW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG-PER-SEC\n", + "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM-PER-L-DAY\n", + "http://qudt.org/vocab/unit/MicroM-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PhotonLuminance\n", + "http://qudt.org/vocab/quantitykind/PhotonLuminance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN2\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TemperatureRelatedVolume\n", + "http://qudt.org/vocab/quantitykind/TemperatureRelatedVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Compressibility\n", + "http://qudt.org/vocab/quantitykind/Compressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PowerFactor\n", + "http://qudt.org/vocab/quantitykind/PowerFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PowerFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/TeraW\n", + "http://qudt.org/vocab/unit/TeraW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Enthalpy\n", + "http://qudt.org/vocab/quantitykind/Enthalpy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Enthalpy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MI2\n", + "http://qudt.org/vocab/unit/MI2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MI2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ATM_T\n", + "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US\n", + "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/SLUG-PER-DAY\n", + "http://qudt.org/vocab/unit/SLUG-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SLUG-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagnetizability\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagnetizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PlanckLength\n", + "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-J2\n", + "http://qudt.org/vocab/unit/PER-J2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/HeatCapacityRatio\n", + "http://qudt.org/vocab/quantitykind/HeatCapacityRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NeutronMolarMass\n", + "http://qudt.org/vocab/constant/Value_NeutronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PartialPressure\n", + "http://qudt.org/vocab/quantitykind/PartialPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloA-HR\n", + "http://qudt.org/vocab/unit/KiloA-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/prefix/Pebi\n", + "http://qudt.org/vocab/prefix/Pebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliCi\n", + "http://qudt.org/vocab/unit/MilliCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroL-PER-L\n", + "http://qudt.org/vocab/unit/MicroL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpecificEnergy\n", + "http://qudt.org/vocab/quantitykind/SpecificEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectricPower\n", + "http://qudt.org/vocab/quantitykind/ElectricPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectricPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_F\n", + "http://qudt.org/vocab/unit/DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OERSTED-CentiM\n", + "http://qudt.org/vocab/unit/OERSTED-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PicoM\n", + "http://qudt.org/vocab/unit/PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LunarMass\n", + "http://qudt.org/vocab/unit/LunarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LunarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MHO_Stat\n", + "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ApparentPower\n", + "http://qudt.org/vocab/quantitykind/ApparentPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ApparentPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DeciM3-PER-HR\n", + "http://qudt.org/vocab/unit/DeciM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DeciM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities\n", + "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/FailureRate\n", + "http://qudt.org/vocab/quantitykind/FailureRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ActiveEnergy\n", + "http://qudt.org/vocab/quantitykind/ActiveEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/QT_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/QT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaPA\n", + "http://qudt.org/vocab/unit/GigaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_TauMuonMassRatio\n", + "http://qudt.org/vocab/constant/Value_TauMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/LB-PER-FT3\n", + "http://qudt.org/vocab/unit/LB-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/UnitPole\n", + "http://qudt.org/vocab/unit/UnitPole needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/UnitPole needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TotalAngularMomentumQuantumNumber\n", + "http://qudt.org/vocab/quantitykind/TotalAngularMomentumQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/EnergyContent\n", + "http://qudt.org/vocab/quantitykind/EnergyContent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM\n", + "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SoundExposureLevel\n", + "http://qudt.org/vocab/quantitykind/SoundExposureLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SoundExposureLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliM2\n", + "http://qudt.org/vocab/unit/MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-LB-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-LB-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MagneticDipoleMomentOfAMolecule\n", + "http://qudt.org/vocab/quantitykind/MagneticDipoleMomentOfAMolecule needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GRAD\n", + "http://qudt.org/vocab/unit/GRAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TauNeutronMassRatio\n", + "http://qudt.org/vocab/constant/Value_TauNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SurfaceCoefficientOfHeatTransfer\n", + "http://qudt.org/vocab/quantitykind/SurfaceCoefficientOfHeatTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/AT-PER-IN\n", + "http://qudt.org/vocab/unit/AT-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/VolumeOrSectionModulus\n", + "http://qudt.org/vocab/quantitykind/VolumeOrSectionModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Mobility\n", + "http://qudt.org/vocab/quantitykind/Mobility needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-FT3\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LineicCharge\n", + "http://qudt.org/vocab/quantitykind/LineicCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PicoGM-PER-GM\n", + "http://qudt.org/vocab/unit/PicoGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERM_US\n", + "http://qudt.org/vocab/unit/PERM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LandeGFactor\n", + "http://qudt.org/vocab/quantitykind/LandeGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/IN_HG\n", + "http://qudt.org/vocab/unit/IN_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentAnomaly\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentAnomaly needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M3\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/EnergyImparted\n", + "http://qudt.org/vocab/quantitykind/EnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Reactivity\n", + "http://qudt.org/vocab/quantitykind/Reactivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/SEC-FT2\n", + "http://qudt.org/vocab/unit/SEC-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBaseE\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PER-SEC\n", + "http://qudt.org/vocab/unit/PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA\n", + "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckCurrentDensity\n", + "http://qudt.org/vocab/unit/PlanckCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckDensity\n", + "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT2-PER-BTU_IT-IN\n", + "http://qudt.org/vocab/unit/FT2-PER-BTU_IT-IN needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/DAY_Sidereal\n", + "http://qudt.org/vocab/unit/DAY_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/NuclearSpinQuantumNumber\n", + "http://qudt.org/vocab/quantitykind/NuclearSpinQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedLength\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedLength needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/C-M\n", + "http://qudt.org/vocab/unit/C-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroM3\n", + "http://qudt.org/vocab/unit/MicroM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-SEC-M2\n", + "http://qudt.org/vocab/unit/PER-SEC-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoW\n", + "http://qudt.org/vocab/unit/NanoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Voltage\n", + "http://qudt.org/vocab/quantitykind/Voltage needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Voltage needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-M3\n", + "http://qudt.org/vocab/unit/J-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatioOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/L-PER-MIN\n", + "http://qudt.org/vocab/unit/L-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/L-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraOHM\n", + "http://qudt.org/vocab/unit/TeraOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckVolt\n", + "http://qudt.org/vocab/unit/PlanckVolt needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckVolt needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBaseE\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_HelionMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_HelionMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BurstFactor\n", + "http://qudt.org/vocab/quantitykind/BurstFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-NanoL\n", + "http://qudt.org/vocab/unit/NUM-PER-NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-PER-ANGSTROM\n", + "http://qudt.org/vocab/unit/EV-PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_FermiCouplingConstant\n", + "http://qudt.org/vocab/constant/Value_FermiCouplingConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_FirstRadiationConstantForSpectralRadiance\n", + "http://qudt.org/vocab/constant/Value_FirstRadiationConstantForSpectralRadiance needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_InverseMeterElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticDipoleMoment\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2\n", + "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatioOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_MuonMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_MuonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SpecificVolume\n", + "http://qudt.org/vocab/quantitykind/SpecificVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/V_Stat\n", + "http://qudt.org/vocab/unit/V_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H1T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H1T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/RAYL\n", + "http://qudt.org/vocab/unit/RAYL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM2-SEC\n", + "http://qudt.org/vocab/unit/CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PPTH\n", + "http://qudt.org/vocab/unit/PPTH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PK_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/PK_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PK_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity\n", + "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_FirstRadiationConstant\n", + "http://qudt.org/vocab/constant/Value_FirstRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroH-PER-M\n", + "http://qudt.org/vocab/unit/MicroH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_InverseMeterKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-MicroMOL-L\n", + "http://qudt.org/vocab/unit/PER-MicroMOL-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MicroMOL-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/DoseEquivalent\n", + "http://qudt.org/vocab/quantitykind/DoseEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ProtonMolarMass\n", + "http://qudt.org/vocab/constant/Value_ProtonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SecondMomentOfArea\n", + "http://qudt.org/vocab/quantitykind/SecondMomentOfArea needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/MegaBQ\n", + "http://qudt.org/vocab/unit/MegaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaOHM\n", + "http://qudt.org/vocab/unit/GigaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpinQuantumNumber\n", + "http://qudt.org/vocab/quantitykind/SpinQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BBL_US-PER-DAY\n", + "http://qudt.org/vocab/unit/BBL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BBL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LuminousEnergy\n", + "http://qudt.org/vocab/quantitykind/LuminousEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LuminousEnergy needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/MassicTorque\n", + "http://qudt.org/vocab/quantitykind/MassicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MagneticMoment\n", + "http://qudt.org/vocab/quantitykind/MagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_InverseMeterHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_TH-FT-PER-HR-FT2-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_TH-FT-PER-HR-FT2-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GT\n", + "http://qudt.org/vocab/unit/GT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ResistanceBasedInductance\n", + "http://qudt.org/vocab/quantitykind/ResistanceBasedInductance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Admittance\n", + "http://qudt.org/vocab/quantitykind/Admittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Admittance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroH\n", + "http://qudt.org/vocab/unit/MicroH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSV-PER-HR\n", + "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/MicroGM\n", + "http://qudt.org/vocab/unit/MicroGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ConductanceQuantum\n", + "http://qudt.org/vocab/constant/Value_ConductanceQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PressureBasedAmountOfSubstanceConcentration\n", + "http://qudt.org/vocab/quantitykind/PressureBasedAmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricField\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricField needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PermittivityRatio\n", + "http://qudt.org/vocab/quantitykind/PermittivityRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroJ\n", + "http://qudt.org/vocab/unit/MicroJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/S_Stat\n", + "http://qudt.org/vocab/unit/S_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/S_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AT\n", + "http://qudt.org/vocab/unit/AT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloGM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ExtentOfReaction\n", + "http://qudt.org/vocab/quantitykind/ExtentOfReaction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NUM-PER-MilliGM\n", + "http://qudt.org/vocab/unit/NUM-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CAL_TH\n", + "http://qudt.org/vocab/unit/CAL_TH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TorqueConstant\n", + "http://qudt.org/vocab/quantitykind/TorqueConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/AT-PER-M\n", + "http://qudt.org/vocab/unit/AT-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/OsmoticPressure\n", + "http://qudt.org/vocab/quantitykind/OsmoticPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-HR\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ModulusOfImpedance\n", + "http://qudt.org/vocab/quantitykind/ModulusOfImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ModulusOfImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/KineticOrThermalEnergy\n", + "http://qudt.org/vocab/quantitykind/KineticOrThermalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/VolumetricEntityDensity\n", + "http://qudt.org/vocab/quantitykind/VolumetricEntityDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/LB-MOL-DEG_F\n", + "http://qudt.org/vocab/unit/LB-MOL-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/VolumicOutput\n", + "http://qudt.org/vocab/quantitykind/VolumicOutput needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/W-PER-M2-PA\n", + "http://qudt.org/vocab/unit/W-PER-M2-PA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliGM-PER-SEC\n", + "http://qudt.org/vocab/unit/MilliGM-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ReactivePower\n", + "http://qudt.org/vocab/quantitykind/ReactivePower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ReactivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfActionInEVS\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfActionInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK\n", + "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VolumicDataQuantity\n", + "http://qudt.org/vocab/quantitykind/VolumicDataQuantity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/DARCY\n", + "http://qudt.org/vocab/unit/DARCY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AbsoluteHumidity\n", + "http://qudt.org/vocab/quantitykind/AbsoluteHumidity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AbsoluteHumidity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-0pt5I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-0pt5I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ-PER-IN3\n", + "http://qudt.org/vocab/unit/OZ-PER-IN3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Inductance\n", + "http://qudt.org/vocab/quantitykind/Inductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PPB\n", + "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaBYTE\n", + "http://qudt.org/vocab/unit/MegaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT\n", + "http://qudt.org/vocab/unit/BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GI_UK-PER-HR\n", + "http://qudt.org/vocab/unit/GI_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TimeRelatedLogarithmicRatio\n", + "http://qudt.org/vocab/quantitykind/TimeRelatedLogarithmicRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GigaC-PER-M3\n", + "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MechanicalTension\n", + "http://qudt.org/vocab/quantitykind/MechanicalTension needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM3-PER-M3\n", + "http://qudt.org/vocab/unit/MicroM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Polarizability\n", + "http://qudt.org/vocab/quantitykind/Polarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Polarizability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MOL-DEG_C\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MOL-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/A-PER-M2\n", + "http://qudt.org/vocab/unit/A-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR\n", + "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-NanoM\n", + "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/NUM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassFraction\n", + "http://qudt.org/vocab/quantitykind/MassFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_JouleAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloW-HR\n", + "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricConductivity\n", + "http://qudt.org/vocab/quantitykind/ElectricConductivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PhaseSpeedOfSound\n", + "http://qudt.org/vocab/quantitykind/PhaseSpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_FaradayConstant\n", + "http://qudt.org/vocab/constant/Value_FaradayConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NuclearMagneton\n", + "http://qudt.org/vocab/constant/Value_NuclearMagneton needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HartreeHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/DEG-PER-MIN\n", + "http://qudt.org/vocab/unit/DEG-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalEnergy\n", + "http://qudt.org/vocab/quantitykind/ThermalEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-M3-K\n", + "http://qudt.org/vocab/unit/J-PER-M3-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR\n", + "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FA\n", + "http://qudt.org/vocab/unit/FA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/YR_TROPICAL\n", + "http://qudt.org/vocab/unit/YR_TROPICAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YR_TROPICAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_SpeedOfLight_Vacuum\n", + "http://qudt.org/vocab/constant/Value_SpeedOfLight_Vacuum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SoundEnergyDensity\n", + "http://qudt.org/vocab/quantitykind/SoundEnergyDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitation\n", + "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitation needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3-PER-HR\n", + "http://qudt.org/vocab/unit/CentiM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-MIN\n", + "http://qudt.org/vocab/unit/MilliL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonTauMassRatio\n", + "http://qudt.org/vocab/constant/Value_MuonTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliDARCY\n", + "http://qudt.org/vocab/unit/MilliDARCY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerAmountOfSubstance\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerAmountOfSubstance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ExposureRateOfIonizingRadiation\n", + "http://qudt.org/vocab/quantitykind/ExposureRateOfIonizingRadiation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/DecaC\n", + "http://qudt.org/vocab/unit/DecaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/LM\n", + "http://qudt.org/vocab/unit/LM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/TSP\n", + "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoFARAD\n", + "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YoctoC\n", + "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-M-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloGM-M-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaPA-PER-K\n", + "http://qudt.org/vocab/unit/MegaPA-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaPA-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_HelionMolarMass\n", + "http://qudt.org/vocab/constant/Value_HelionMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaW\n", + "http://qudt.org/vocab/unit/MegaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-PER-K\n", + "http://qudt.org/vocab/unit/W-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/EquivalenceDoseOutput\n", + "http://qudt.org/vocab/quantitykind/EquivalenceDoseOutput needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-FT-PER-FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-FT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DisplacementCurrent\n", + "http://qudt.org/vocab/quantitykind/DisplacementCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB-DEG_F\n", + "http://qudt.org/vocab/unit/LB-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Ci\n", + "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraHZ\n", + "http://qudt.org/vocab/unit/TeraHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE\n", + "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificImpulse\n", + "http://qudt.org/vocab/quantitykind/SpecificImpulse needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/HZ-PER-K\n", + "http://qudt.org/vocab/unit/HZ-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NUM-PER-MicroL\n", + "http://qudt.org/vocab/unit/NUM-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM2-MIN\n", + "http://qudt.org/vocab/unit/CentiM2-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PlanckPower\n", + "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedAmountOfSubstanceConcentration\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedAmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/AtmosphericPressure\n", + "http://qudt.org/vocab/quantitykind/AtmosphericPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PicoFARAD\n", + "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliARCSEC\n", + "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_SecondRadiationConstant\n", + "http://qudt.org/vocab/constant/Value_SecondRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/CartesianArea\n", + "http://qudt.org/vocab/quantitykind/CartesianArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/STILB\n", + "http://qudt.org/vocab/unit/STILB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckMomentum\n", + "http://qudt.org/vocab/unit/PlanckMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatPressure\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatPressure needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_IT\n", + "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Force\n", + "http://qudt.org/vocab/quantitykind/Force needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectromotiveForce\n", + "http://qudt.org/vocab/quantitykind/ElectromotiveForce needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration\n", + "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PebiBYTE\n", + "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YD3-PER-DAY\n", + "http://qudt.org/vocab/unit/YD3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YD3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/IonDensity\n", + "http://qudt.org/vocab/quantitykind/IonDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_WeakMixingAngle\n", + "http://qudt.org/vocab/constant/Value_WeakMixingAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GAL_US_DRY\n", + "http://qudt.org/vocab/unit/GAL_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DeciB_C\n", + "http://qudt.org/vocab/unit/DeciB_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CD-PER-IN2\n", + "http://qudt.org/vocab/unit/CD-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Denier\n", + "http://qudt.org/vocab/unit/Denier needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Denier needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Unbalance\n", + "http://qudt.org/vocab/quantitykind/Unbalance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliM3\n", + "http://qudt.org/vocab/unit/MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KN\n", + "http://qudt.org/vocab/unit/KN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E4L-5I0M-3H0T10D0\n", + "http://qudt.org/vocab/dimensionvector/A0E4L-5I0M-3H0T10D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Kerma\n", + "http://qudt.org/vocab/quantitykind/Kerma needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliL-PER-DAY\n", + "http://qudt.org/vocab/unit/MilliL-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_US-PER-DAY\n", + "http://qudt.org/vocab/unit/GI_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERCENT-PER-WK\n", + "http://qudt.org/vocab/unit/PERCENT-PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERCENT-PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoM2\n", + "http://qudt.org/vocab/unit/NanoM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfLength\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-SEC-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BAR-M3-PER-SEC\n", + "http://qudt.org/vocab/unit/BAR-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloYR\n", + "http://qudt.org/vocab/unit/KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ARCMIN\n", + "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FRAME-PER-SEC\n", + "http://qudt.org/vocab/unit/FRAME-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB_F-SEC-PER-IN2\n", + "http://qudt.org/vocab/unit/LB_F-SEC-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AreicEnergyFlow\n", + "http://qudt.org/vocab/quantitykind/AreicEnergyFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-MilliL\n", + "http://qudt.org/vocab/unit/NanoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpecificEnthalpy\n", + "http://qudt.org/vocab/quantitykind/SpecificEnthalpy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificEnthalpy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MolarPlanckConstant\n", + "http://qudt.org/vocab/constant/Value_MolarPlanckConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/IU-PER-MilliL\n", + "http://qudt.org/vocab/unit/IU-PER-MilliL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliC\n", + "http://qudt.org/vocab/unit/MilliC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-MOL\n", + "http://qudt.org/vocab/unit/LB-MOL needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/LB-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_C-PER-HR\n", + "http://qudt.org/vocab/unit/DEG_C-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularImpulse\n", + "http://qudt.org/vocab/quantitykind/AngularImpulse needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckForce\n", + "http://qudt.org/vocab/unit/PlanckForce needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckForce needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonNeutronMassRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/CentiGM\n", + "http://qudt.org/vocab/unit/CentiGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H-1T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricDipoleMoment\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ReynoldsNumber\n", + "http://qudt.org/vocab/quantitykind/ReynoldsNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliM-PER-MIN\n", + "http://qudt.org/vocab/unit/MilliM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MomentOfInertia\n", + "http://qudt.org/vocab/quantitykind/MomentOfInertia needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_DeuteronMass\n", + "http://qudt.org/vocab/constant/Value_DeuteronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GigaC\n", + "http://qudt.org/vocab/unit/GigaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-MIN\n", + "http://qudt.org/vocab/unit/GM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Stat-PER-CentiM\n", + "http://qudt.org/vocab/unit/H_Stat-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H_Stat-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-GigaEV2\n", + "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronTauMassRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T0D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOf2ndHyperpolarizability\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOf2ndHyperpolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstant\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SurfaceActivityDensity\n", + "http://qudt.org/vocab/quantitykind/SurfaceActivityDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/DynamicPressure\n", + "http://qudt.org/vocab/quantitykind/DynamicPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalInsulation\n", + "http://qudt.org/vocab/quantitykind/ThermalInsulation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/C3-M-PER-J2\n", + "http://qudt.org/vocab/unit/C3-M-PER-J2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaJ-PER-K\n", + "http://qudt.org/vocab/unit/MegaJ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FM\n", + "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LarmorAngularFrequency\n", + "http://qudt.org/vocab/quantitykind/LarmorAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatio\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-PER-MIN\n", + "http://qudt.org/vocab/unit/FT-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LogarithmRatioToBaseE\n", + "http://qudt.org/vocab/quantitykind/LogarithmRatioToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MassieuFunction\n", + "http://qudt.org/vocab/quantitykind/MassieuFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassieuFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel\n", + "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M3-PER-SEC2\n", + "http://qudt.org/vocab/unit/M3-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3-PER-DAY\n", + "http://qudt.org/vocab/unit/CentiM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PSI-L-PER-SEC\n", + "http://qudt.org/vocab/unit/PSI-L-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/LineicLogarithmicRatio\n", + "http://qudt.org/vocab/quantitykind/LineicLogarithmicRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_TritonElectronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_TritonElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricalResistance\n", + "http://qudt.org/vocab/quantitykind/ElectricalResistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-HR\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC-PER-M3\n", + "http://qudt.org/vocab/unit/MicroC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_UK-PER-MIN\n", + "http://qudt.org/vocab/unit/GI_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronMuonMassRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaHZ\n", + "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT2-PER-HR\n", + "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-PER-MOL\n", + "http://qudt.org/vocab/unit/J-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassEnergyTransferCoefficient\n", + "http://qudt.org/vocab/quantitykind/MassEnergyTransferCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_F-PER-HR\n", + "http://qudt.org/vocab/unit/DEG_F-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AbsorbedDoseRate\n", + "http://qudt.org/vocab/quantitykind/AbsorbedDoseRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT2-HR-DEG_F-PER-BTU_IT\n", + "http://qudt.org/vocab/unit/FT2-HR-DEG_F-PER-BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificOpticalRotationalAbility\n", + "http://qudt.org/vocab/quantitykind/SpecificOpticalRotationalAbility needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TONNE-PER-HA-YR\n", + "http://qudt.org/vocab/unit/TONNE-PER-HA-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TONNE-PER-HA-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraW-HR\n", + "http://qudt.org/vocab/unit/TeraW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GigaW\n", + "http://qudt.org/vocab/unit/GigaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Stat\n", + "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaEV-PER-SpeedOfLight\n", + "http://qudt.org/vocab/unit/MegaEV-PER-SpeedOfLight needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloPA-PER-BAR\n", + "http://qudt.org/vocab/unit/KiloPA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloPA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiInEVS\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/NeutralRatio\n", + "http://qudt.org/vocab/quantitykind/NeutralRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-SEC-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInInverseMetersPerKelvin\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInInverseMetersPerKelvin needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/CentiN-M\n", + "http://qudt.org/vocab/unit/CentiN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/CentiN-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SecondAxialMomentOfArea\n", + "http://qudt.org/vocab/quantitykind/SecondAxialMomentOfArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT_HG\n", + "http://qudt.org/vocab/unit/FT_HG needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/FT_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiC\n", + "http://qudt.org/vocab/unit/CentiC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MagneticFieldStrength_H\n", + "http://qudt.org/vocab/quantitykind/MagneticFieldStrength_H needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PINT_US-PER-MIN\n", + "http://qudt.org/vocab/unit/PINT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TemperatureRelatedMolarMass\n", + "http://qudt.org/vocab/quantitykind/TemperatureRelatedMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/RelativeMassExcess\n", + "http://qudt.org/vocab/quantitykind/RelativeMassExcess needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MO\n", + "http://qudt.org/vocab/unit/MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FARAD-PER-M\n", + "http://qudt.org/vocab/unit/FARAD-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ComplexPower\n", + "http://qudt.org/vocab/quantitykind/ComplexPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ComplexPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfTime\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MilliL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/QuantityOfLight\n", + "http://qudt.org/vocab/quantitykind/QuantityOfLight needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/ATM-M3-PER-MOL\n", + "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloMOL-PER-MIN\n", + "http://qudt.org/vocab/unit/KiloMOL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_KelvinAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/TonEnergy\n", + "http://qudt.org/vocab/unit/TonEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TonEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L-HR\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBTU_IT\n", + "http://qudt.org/vocab/unit/KiloBTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiST\n", + "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_TritonMass\n", + "http://qudt.org/vocab/constant/Value_TritonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MOL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ActivePower\n", + "http://qudt.org/vocab/quantitykind/ActivePower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ActivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/C-M2\n", + "http://qudt.org/vocab/unit/C-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MobilityRatio\n", + "http://qudt.org/vocab/quantitykind/MobilityRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LuminousFluxPerArea\n", + "http://qudt.org/vocab/quantitykind/LuminousFluxPerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFraction\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J\n", + "http://qudt.org/vocab/unit/J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonComptonWavelengthOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ProtonComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PPM\n", + "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HR_Sidereal\n", + "http://qudt.org/vocab/unit/HR_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/IntinsicCarrierDensity\n", + "http://qudt.org/vocab/quantitykind/IntinsicCarrierDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FemtoJ\n", + "http://qudt.org/vocab/unit/FemtoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CFU\n", + "http://qudt.org/vocab/unit/CFU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroH-PER-OHM\n", + "http://qudt.org/vocab/unit/MicroH-PER-OHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroH-PER-OHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloSEC\n", + "http://qudt.org/vocab/unit/KiloSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ParticleCurrentDensity\n", + "http://qudt.org/vocab/quantitykind/ParticleCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MotorConstant\n", + "http://qudt.org/vocab/quantitykind/MotorConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MHO\n", + "http://qudt.org/vocab/unit/MHO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MHO needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/S_Ab\n", + "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-M-K\n", + "http://qudt.org/vocab/unit/PER-M-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Dimensionless\n", + "http://qudt.org/vocab/quantitykind/Dimensionless needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase2\n", + "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PERCENT-PER-HR\n", + "http://qudt.org/vocab/unit/PERCENT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_KelvinJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_StefanBoltzmannConstant\n", + "http://qudt.org/vocab/constant/Value_StefanBoltzmannConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/EnergyPerElectricCharge\n", + "http://qudt.org/vocab/quantitykind/EnergyPerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL_US\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiTimesCInMeVFm\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiTimesCInMeVFm needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PERMITTIVITY_REL\n", + "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ActivityConcentration\n", + "http://qudt.org/vocab/quantitykind/ActivityConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroM-PER-K\n", + "http://qudt.org/vocab/unit/MicroM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaJ\n", + "http://qudt.org/vocab/unit/GigaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RelativeMassDensity\n", + "http://qudt.org/vocab/quantitykind/RelativeMassDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M3\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL_UK\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HZ-PER-T\n", + "http://qudt.org/vocab/unit/HZ-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GON\n", + "http://qudt.org/vocab/unit/GON needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricFlux\n", + "http://qudt.org/vocab/quantitykind/ElectricFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/IN3\n", + "http://qudt.org/vocab/unit/IN3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR\n", + "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/U\n", + "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/FermiTemperature\n", + "http://qudt.org/vocab/quantitykind/FermiTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/OZ-PER-FT2\n", + "http://qudt.org/vocab/unit/OZ-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpeedOfSound\n", + "http://qudt.org/vocab/quantitykind/SpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/ERG-PER-CentiM2-SEC\n", + "http://qudt.org/vocab/unit/ERG-PER-CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HartreeInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliM4\n", + "http://qudt.org/vocab/unit/MilliM4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LossAngle\n", + "http://qudt.org/vocab/quantitykind/LossAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloM-PER-HR\n", + "http://qudt.org/vocab/unit/KiloM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliL\n", + "http://qudt.org/vocab/unit/MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-T-SEC\n", + "http://qudt.org/vocab/unit/PER-T-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E4L-2I0M-3H0T10D0\n", + "http://qudt.org/vocab/dimensionvector/A0E4L-2I0M-3H0T10D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H1T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT-SEC\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoGM\n", + "http://qudt.org/vocab/unit/PicoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V-PER-MicroSEC\n", + "http://qudt.org/vocab/unit/V-PER-MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V-PER-MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-HA\n", + "http://qudt.org/vocab/unit/NUM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-A_Reactive needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGAL-PER-M\n", + "http://qudt.org/vocab/unit/MicroGAL-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGAL-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HectoPA-M3-PER-SEC\n", + "http://qudt.org/vocab/unit/HectoPA-M3-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/BendingMomentOfForce\n", + "http://qudt.org/vocab/quantitykind/BendingMomentOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BatteryCapacity\n", + "http://qudt.org/vocab/quantitykind/BatteryCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/NanoL\n", + "http://qudt.org/vocab/unit/NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatioOver2Pi\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HelionProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_HelionProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaV-PER-M\n", + "http://qudt.org/vocab/unit/MegaV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOf1stHyperpolarizability\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOf1stHyperpolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaOHM\n", + "http://qudt.org/vocab/unit/MegaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiL\n", + "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/RAD\n", + "http://qudt.org/vocab/unit/RAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_InverseMeterKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroGM-PER-GM\n", + "http://qudt.org/vocab/unit/MicroGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TotalCurrentDensity\n", + "http://qudt.org/vocab/quantitykind/TotalCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedLength\n", + "http://qudt.org/vocab/quantitykind/PressureBasedLength needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusivity\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloMOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/KiloMOL-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/REV-PER-MIN\n", + "http://qudt.org/vocab/unit/REV-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HartreeKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PPTR_VOL\n", + "http://qudt.org/vocab/unit/PPTR_VOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTR_VOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_HertzElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HertzAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-M-NanoM\n", + "http://qudt.org/vocab/unit/PER-M-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-M-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM-PER-DEG_C\n", + "http://qudt.org/vocab/unit/GM-PER-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM-PER-DEG_C needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/SpecificActivity\n", + "http://qudt.org/vocab/quantitykind/SpecificActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PERM_Metric\n", + "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H1T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/GeneralizedForce\n", + "http://qudt.org/vocab/quantitykind/GeneralizedForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/StressOpticCoefficient\n", + "http://qudt.org/vocab/quantitykind/StressOpticCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM-DEG_C\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-GM-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_KelvinHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInEVPerK\n", + "http://qudt.org/vocab/constant/Value_BoltzmannConstantInEVPerK needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricalConductance\n", + "http://qudt.org/vocab/quantitykind/ElectricalConductance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroG\n", + "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM-PER-HR\n", + "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-M\n", + "http://qudt.org/vocab/unit/PA-SEC-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3-PER-K\n", + "http://qudt.org/vocab/unit/CentiM3-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy\n", + "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TotalMassStoppingPower\n", + "http://qudt.org/vocab/quantitykind/TotalMassStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_TH\n", + "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GAL_US\n", + "http://qudt.org/vocab/unit/GAL_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricPotential\n", + "http://qudt.org/vocab/quantitykind/ElectricPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectricPotential needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeSurfaceDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeSurfaceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronDeuteronMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronDeuteronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnPressureBasis\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnPressureBasis needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PicoGM-PER-MilliL\n", + "http://qudt.org/vocab/unit/PicoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M\n", + "http://qudt.org/vocab/unit/KiloGM-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BBL_US_DRY\n", + "http://qudt.org/vocab/unit/BBL_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BBL_US_DRY needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroN\n", + "http://qudt.org/vocab/unit/MicroN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/POISE-PER-BAR\n", + "http://qudt.org/vocab/unit/POISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/POISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/prefix/Yobi\n", + "http://qudt.org/vocab/prefix/Yobi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RelativePressureCoefficient\n", + "http://qudt.org/vocab/quantitykind/RelativePressureCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PictureElement\n", + "http://qudt.org/vocab/quantitykind/PictureElement needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatioCoefficient\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatioCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AtomicEnergy\n", + "http://qudt.org/vocab/quantitykind/AtomicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_RydbergConstant\n", + "http://qudt.org/vocab/constant/Value_RydbergConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FT-PER-SEC2\n", + "http://qudt.org/vocab/unit/FT-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AngstromStar\n", + "http://qudt.org/vocab/constant/Value_AngstromStar needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatioOver2Pi\n", + "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/OHM\n", + "http://qudt.org/vocab/unit/OHM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M3-PER-DAY\n", + "http://qudt.org/vocab/unit/M3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoS-PER-CentiM\n", + "http://qudt.org/vocab/unit/NanoS-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoS-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ProtonNeutronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/G\n", + "http://qudt.org/vocab/unit/G needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalCoefficientOfLinearExpansion\n", + "http://qudt.org/vocab/quantitykind/ThermalCoefficientOfLinearExpansion needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/C-PER-CentiM3\n", + "http://qudt.org/vocab/unit/C-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OHM_Ab\n", + "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronNeutronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Exposure\n", + "http://qudt.org/vocab/quantitykind/Exposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ThermalConductivity\n", + "http://qudt.org/vocab/quantitykind/ThermalConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedMass\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_ProtonMass\n", + "http://qudt.org/vocab/constant/Value_ProtonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloGM-PER-DAY\n", + "http://qudt.org/vocab/unit/KiloGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_LatticeParameterOfSilicon\n", + "http://qudt.org/vocab/constant/Value_LatticeParameterOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MolarEntropy\n", + "http://qudt.org/vocab/quantitykind/MolarEntropy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/K-PER-MIN\n", + "http://qudt.org/vocab/unit/K-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HartreeEnergy\n", + "http://qudt.org/vocab/constant/Value_HartreeEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR\n", + "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Pressure\n", + "http://qudt.org/vocab/quantitykind/Pressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability\n", + "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroM-PER-MilliL\n", + "http://qudt.org/vocab/unit/MicroM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnConcentration\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MegaGM-PER-HA\n", + "http://qudt.org/vocab/unit/MegaGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MegaGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AvogadroConstant\n", + "http://qudt.org/vocab/constant/Value_AvogadroConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ElementaryChargeOverH\n", + "http://qudt.org/vocab/constant/Value_ElementaryChargeOverH needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Reactance\n", + "http://qudt.org/vocab/quantitykind/Reactance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_FineStructureConstant\n", + "http://qudt.org/vocab/constant/Value_FineStructureConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricPotentialDifference\n", + "http://qudt.org/vocab/quantitykind/ElectricPotentialDifference needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LossFactor\n", + "http://qudt.org/vocab/quantitykind/LossFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliGM-PER-DAY\n", + "http://qudt.org/vocab/unit/MilliGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloW\n", + "http://qudt.org/vocab/unit/KiloW needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MolarConductivity\n", + "http://qudt.org/vocab/quantitykind/MolarConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEGREE_PLATO\n", + "http://qudt.org/vocab/unit/DEGREE_PLATO needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/DEGREE_PLATO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MOL\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG\n", + "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInMHzPerT\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInMHzPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliM_HG\n", + "http://qudt.org/vocab/unit/MilliM_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-MIN\n", + "http://qudt.org/vocab/unit/PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfCurrent\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MassConcentration\n", + "http://qudt.org/vocab/quantitykind/MassConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PlanckTemperature\n", + "http://qudt.org/vocab/unit/PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PressureGradient\n", + "http://qudt.org/vocab/quantitykind/PressureGradient needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ParticleFluence\n", + "http://qudt.org/vocab/quantitykind/ParticleFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-M2\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/C-PER-M3\n", + "http://qudt.org/vocab/unit/C-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment\n", + "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronToShieldedHelionMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronToShieldedHelionMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MegaBIT-PER-SEC\n", + "http://qudt.org/vocab/unit/MegaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM3-PER-M3\n", + "http://qudt.org/vocab/unit/MilliM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-PER-SEC\n", + "http://qudt.org/vocab/unit/FT-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/TeraC\n", + "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTM\n", + "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/CutoffCurrentRating\n", + "http://qudt.org/vocab/quantitykind/CutoffCurrentRating needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/W-PER-M2-K\n", + "http://qudt.org/vocab/unit/W-PER-M2-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NeutronProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MOL-DEG_C\n", + "http://qudt.org/vocab/unit/MOL-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PetaJ\n", + "http://qudt.org/vocab/unit/PetaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PetaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CAL_TH-PER-G\n", + "http://qudt.org/vocab/unit/CAL_TH-PER-G needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RotaryShock\n", + "http://qudt.org/vocab/quantitykind/RotaryShock needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ExposureRate\n", + "http://qudt.org/vocab/quantitykind/ExposureRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/CoefficientOfHeatTransfer\n", + "http://qudt.org/vocab/quantitykind/CoefficientOfHeatTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroGM-PER-DeciL\n", + "http://qudt.org/vocab/unit/MicroGM-PER-DeciL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfForce\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_KilogramElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MeanMassRange\n", + "http://qudt.org/vocab/quantitykind/MeanMassRange needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SecondRadiationConstant\n", + "http://qudt.org/vocab/quantitykind/SecondRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/OCT\n", + "http://qudt.org/vocab/unit/OCT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/StateDensity\n", + "http://qudt.org/vocab/quantitykind/StateDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/BandwidthLengthProduct\n", + "http://qudt.org/vocab/quantitykind/BandwidthLengthProduct needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/LinkedFlux\n", + "http://qudt.org/vocab/quantitykind/LinkedFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LinkedFlux needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FemtoM\n", + "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Slowing-DownDensity\n", + "http://qudt.org/vocab/quantitykind/Slowing-DownDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PHOT\n", + "http://qudt.org/vocab/unit/PHOT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D-1\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB_F-SEC-PER-FT2\n", + "http://qudt.org/vocab/unit/LB_F-SEC-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesCInHz\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesCInHz needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/GI_UK-PER-DAY\n", + "http://qudt.org/vocab/unit/GI_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-KiloM\n", + "http://qudt.org/vocab/unit/PER-KiloM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PERMEABILITY_EM_REL\n", + "http://qudt.org/vocab/unit/PERMEABILITY_EM_REL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbabilityForSpontaneousOrInducedEmissionAndAbsorption\n", + "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbabilityForSpontaneousOrInducedEmissionAndAbsorption needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MACH\n", + "http://qudt.org/vocab/unit/MACH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FC\n", + "http://qudt.org/vocab/unit/FC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MacroscopicCrossSection\n", + "http://qudt.org/vocab/quantitykind/MacroscopicCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaV\n", + "http://qudt.org/vocab/unit/MegaV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PositionVector\n", + "http://qudt.org/vocab/quantitykind/PositionVector needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CWT_LONG\n", + "http://qudt.org/vocab/unit/CWT_LONG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_C-PER-SEC\n", + "http://qudt.org/vocab/unit/DEG_C-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentum\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2\n", + "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PhotoThresholdOfAwarenessFunction\n", + "http://qudt.org/vocab/quantitykind/PhotoThresholdOfAwarenessFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HertzHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_KilogramHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MassAbsorptionCoefficient\n", + "http://qudt.org/vocab/quantitykind/MassAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT2-SEC-DEG_F\n", + "http://qudt.org/vocab/unit/FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloBYTE-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloBYTE-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/ExaBYTE\n", + "http://qudt.org/vocab/unit/ExaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ExaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant\n", + "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/RadiantFlux\n", + "http://qudt.org/vocab/quantitykind/RadiantFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-EV2\n", + "http://qudt.org/vocab/unit/PER-EV2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/IN_H2O\n", + "http://qudt.org/vocab/unit/IN_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BohrRadius\n", + "http://qudt.org/vocab/constant/Value_BohrRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ThermalResistivity\n", + "http://qudt.org/vocab/quantitykind/ThermalResistivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ERG-PER-CentiM\n", + "http://qudt.org/vocab/unit/ERG-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ERG-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LeakageFactor\n", + "http://qudt.org/vocab/quantitykind/LeakageFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/QT_US-PER-MIN\n", + "http://qudt.org/vocab/unit/QT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronMass\n", + "http://qudt.org/vocab/constant/Value_NeutronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloGM-K\n", + "http://qudt.org/vocab/unit/KiloGM-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckVolume\n", + "http://qudt.org/vocab/unit/PlanckVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RestMass\n", + "http://qudt.org/vocab/quantitykind/RestMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RadiantFluence\n", + "http://qudt.org/vocab/quantitykind/RadiantFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H-1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/CouplingFactor\n", + "http://qudt.org/vocab/quantitykind/CouplingFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronToAlphaParticleMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronToAlphaParticleMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/M2-PER-V-SEC\n", + "http://qudt.org/vocab/unit/M2-PER-V-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/SphericalIlluminance\n", + "http://qudt.org/vocab/quantitykind/SphericalIlluminance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SphericalIlluminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FemtoC\n", + "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_TauProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_TauProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_MuonComptonWavelengthOver2Pi\n", + "http://qudt.org/vocab/constant/Value_MuonComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-L\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DeciM3-PER-DAY\n", + "http://qudt.org/vocab/unit/DeciM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DeciM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN2\n", + "http://qudt.org/vocab/unit/IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/W-PER-M2-SR\n", + "http://qudt.org/vocab/unit/W-PER-M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M2-K-PER-W\n", + "http://qudt.org/vocab/unit/M2-K-PER-W needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TritonElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_TritonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/LB-PER-YD3\n", + "http://qudt.org/vocab/unit/LB-PER-YD3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DIOPTER\n", + "http://qudt.org/vocab/unit/DIOPTER needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitationOverHbarC\n", + "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitationOverHbarC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HertzKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentumInMeVPerC\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentumInMeVPerC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_InverseFineStructureConstant\n", + "http://qudt.org/vocab/constant/Value_InverseFineStructureConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MadelungConstant\n", + "http://qudt.org/vocab/quantitykind/MadelungConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/GrandCanonicalPartitionFunction\n", + "http://qudt.org/vocab/quantitykind/GrandCanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/GeneralizedCoordinate\n", + "http://qudt.org/vocab/quantitykind/GeneralizedCoordinate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_ProtonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TrafficIntensity\n", + "http://qudt.org/vocab/quantitykind/TrafficIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ModulusOfElasticity\n", + "http://qudt.org/vocab/quantitykind/ModulusOfElasticity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MuonMolarMass\n", + "http://qudt.org/vocab/constant/Value_MuonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-CentiM2\n", + "http://qudt.org/vocab/unit/KiloGM_F-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilLength\n", + "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroM-PER-N\n", + "http://qudt.org/vocab/unit/MicroM-PER-N needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroM-PER-N needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/FahrenheitTemperature\n", + "http://qudt.org/vocab/quantitykind/FahrenheitTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/E\n", + "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MigrationLength\n", + "http://qudt.org/vocab/quantitykind/MigrationLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/M-PER-YR\n", + "http://qudt.org/vocab/unit/M-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2\n", + "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnConcentrationBasis\n", + "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnConcentrationBasis needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaHZ-M\n", + "http://qudt.org/vocab/unit/MegaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVelocity\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/SLUG-PER-SEC\n", + "http://qudt.org/vocab/unit/SLUG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/QT_US_DRY\n", + "http://qudt.org/vocab/unit/QT_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/N\n", + "http://qudt.org/vocab/unit/N needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInJ\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInJ needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/RichardsonConstant\n", + "http://qudt.org/vocab/quantitykind/RichardsonConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DeciB\n", + "http://qudt.org/vocab/unit/DeciB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB_F-PER-LB\n", + "http://qudt.org/vocab/unit/LB_F-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_F-HR-PER-BTU_IT\n", + "http://qudt.org/vocab/unit/DEG_F-HR-PER-BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/H-PER-M\n", + "http://qudt.org/vocab/unit/H-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionToShieldedProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionFactor\n", + "http://qudt.org/vocab/quantitykind/ThermalDiffusionFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BulkModulus\n", + "http://qudt.org/vocab/quantitykind/BulkModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MOHM\n", + "http://qudt.org/vocab/unit/MOHM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MOL\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliR_man\n", + "http://qudt.org/vocab/unit/MilliR_man needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliR_man needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Da\n", + "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DeciBAR\n", + "http://qudt.org/vocab/unit/DeciBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Transmittance\n", + "http://qudt.org/vocab/quantitykind/Transmittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MolarPlanckConstantTimesC\n", + "http://qudt.org/vocab/constant/Value_MolarPlanckConstantTimesC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInInverseMetersPerTesla\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInInverseMetersPerTesla needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/TOE\n", + "http://qudt.org/vocab/unit/TOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-PER-HR\n", + "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG-PER-HR\n", + "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_UK-PER-MIN\n", + "http://qudt.org/vocab/unit/QT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M3-PER-HR\n", + "http://qudt.org/vocab/unit/M3-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SolidStateDiffusionLength\n", + "http://qudt.org/vocab/quantitykind/SolidStateDiffusionLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MeanEnergyImparted\n", + "http://qudt.org/vocab/quantitykind/MeanEnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SpecificInternalEnergy\n", + "http://qudt.org/vocab/quantitykind/SpecificInternalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliM-PER-HR\n", + "http://qudt.org/vocab/unit/MilliM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ShearModulus\n", + "http://qudt.org/vocab/quantitykind/ShearModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ShearModulus needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LinearVelocity\n", + "http://qudt.org/vocab/quantitykind/LinearVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KiloPA-PER-MilliM\n", + "http://qudt.org/vocab/unit/KiloPA-PER-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloPA-PER-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AMU\n", + "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG_C-PER-YR\n", + "http://qudt.org/vocab/unit/DEG_C-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG_C-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedDensity\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/StressIntensityFactor\n", + "http://qudt.org/vocab/quantitykind/StressIntensityFactor needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-T\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MeanLifetime\n", + "http://qudt.org/vocab/quantitykind/MeanLifetime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MeanLifetime needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LoudnessLevel\n", + "http://qudt.org/vocab/quantitykind/LoudnessLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_DeuteronElectronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoFARAD-PER-M\n", + "http://qudt.org/vocab/unit/PicoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB-PER-DAY\n", + "http://qudt.org/vocab/unit/LB-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MolarDensity\n", + "http://qudt.org/vocab/quantitykind/MolarDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/NTU\n", + "http://qudt.org/vocab/unit/NTU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliG\n", + "http://qudt.org/vocab/unit/MilliG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT3\n", + "http://qudt.org/vocab/unit/FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-K\n", + "http://qudt.org/vocab/unit/J-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TritonMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_TritonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/M\n", + "http://qudt.org/vocab/unit/M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LM-SEC\n", + "http://qudt.org/vocab/unit/LM-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/MolarMass\n", + "http://qudt.org/vocab/quantitykind/MolarMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM_F\n", + "http://qudt.org/vocab/unit/GM_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E1L1I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TritonProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_TritonProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroPOISE\n", + "http://qudt.org/vocab/unit/MicroPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AttenuationCoefficient\n", + "http://qudt.org/vocab/quantitykind/AttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Susceptance\n", + "http://qudt.org/vocab/quantitykind/Susceptance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ProtonGFactor\n", + "http://qudt.org/vocab/constant/Value_ProtonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonNeutronMassRatio\n", + "http://qudt.org/vocab/constant/Value_MuonNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/VolumeDensityOfCharge\n", + "http://qudt.org/vocab/quantitykind/VolumeDensityOfCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NeutronComptonWavelengthOver2Pi\n", + "http://qudt.org/vocab/constant/Value_NeutronComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_UnifiedAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_UnifiedAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MassRatioOfWaterVapourToDryGas\n", + "http://qudt.org/vocab/quantitykind/MassRatioOfWaterVapourToDryGas needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroS-PER-M\n", + "http://qudt.org/vocab/unit/MicroS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/CompressibilityFactor\n", + "http://qudt.org/vocab/quantitykind/CompressibilityFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/V_Ab\n", + "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-MIN\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/M3-PER-KiloGM\n", + "http://qudt.org/vocab/unit/M3-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DeciB_M\n", + "http://qudt.org/vocab/unit/DeciB_M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/W-PER-M2\n", + "http://qudt.org/vocab/unit/W-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RelativeMassRatioOfVapour\n", + "http://qudt.org/vocab/quantitykind/RelativeMassRatioOfVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/IonTransportNumber\n", + "http://qudt.org/vocab/quantitykind/IonTransportNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ComptonWavelength\n", + "http://qudt.org/vocab/constant/Value_ComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/CharacteristicVelocity\n", + "http://qudt.org/vocab/quantitykind/CharacteristicVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ATM\n", + "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MolarGasConstant\n", + "http://qudt.org/vocab/constant/Value_MolarGasConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricCharge\n", + "http://qudt.org/vocab/quantitykind/ElectricCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB-PER-GAL_US\n", + "http://qudt.org/vocab/unit/LB-PER-GAL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-MOL\n", + "http://qudt.org/vocab/unit/KiloGM-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M2-PER-SEC\n", + "http://qudt.org/vocab/unit/M2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DeciSEC\n", + "http://qudt.org/vocab/unit/DeciSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInHzPerT\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInHzPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-CentiM3\n", + "http://qudt.org/vocab/unit/PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricQuadrupoleMoment\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricQuadrupoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MassFlowRate\n", + "http://qudt.org/vocab/quantitykind/MassFlowRate needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/IN4\n", + "http://qudt.org/vocab/unit/IN4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/IN4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT2\n", + "http://qudt.org/vocab/unit/FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RestEnergy\n", + "http://qudt.org/vocab/quantitykind/RestEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMassFlow\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMassFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/V-PER-M2\n", + "http://qudt.org/vocab/unit/V-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfRadiantEnergyDensity\n", + "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfRadiantEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/AreicMass\n", + "http://qudt.org/vocab/quantitykind/AreicMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/S\n", + "http://qudt.org/vocab/unit/S needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronMolarMass\n", + "http://qudt.org/vocab/constant/Value_ElectronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/QT_US-PER-SEC\n", + "http://qudt.org/vocab/unit/QT_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC-PER-M2\n", + "http://qudt.org/vocab/unit/MicroC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectrolyticConductivity\n", + "http://qudt.org/vocab/quantitykind/ElectrolyticConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_US-PER-DAY\n", + "http://qudt.org/vocab/unit/QT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergy\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PA-M0pt5\n", + "http://qudt.org/vocab/unit/PA-M0pt5 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/YR_Sidereal\n", + "http://qudt.org/vocab/unit/YR_Sidereal needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/YR_Sidereal needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DYN-PER-CentiM2\n", + "http://qudt.org/vocab/unit/DYN-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/GeneralizedMomentum\n", + "http://qudt.org/vocab/quantitykind/GeneralizedMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_R-PER-HR\n", + "http://qudt.org/vocab/unit/DEG_R-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A-PER-M\n", + "http://qudt.org/vocab/unit/A-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DryVolume\n", + "http://qudt.org/vocab/quantitykind/DryVolume needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase10\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MilliL-PER-SEC\n", + "http://qudt.org/vocab/unit/MilliL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/CombinedNonEvaporativeHeatTransferCoefficient\n", + "http://qudt.org/vocab/quantitykind/CombinedNonEvaporativeHeatTransferCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MOL\n", + "http://qudt.org/vocab/unit/KiloCAL-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/KN-PER-SEC\n", + "http://qudt.org/vocab/unit/KN-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TotalRadiance\n", + "http://qudt.org/vocab/quantitykind/TotalRadiance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/SourceVoltage\n", + "http://qudt.org/vocab/quantitykind/SourceVoltage needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT_US\n", + "http://qudt.org/vocab/unit/FT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CARAT\n", + "http://qudt.org/vocab/unit/CARAT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY\n", + "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/LinearVoltageCoefficient\n", + "http://qudt.org/vocab/quantitykind/LinearVoltageCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/M-K-PER-W\n", + "http://qudt.org/vocab/unit/M-K-PER-W needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionToProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionToProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/IsentropicExponent\n", + "http://qudt.org/vocab/quantitykind/IsentropicExponent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/IsentropicExponent needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-MilliM\n", + "http://qudt.org/vocab/unit/PER-MilliM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TotalPressure\n", + "http://qudt.org/vocab/quantitykind/TotalPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassDefect\n", + "http://qudt.org/vocab/quantitykind/MassDefect needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-LB\n", + "http://qudt.org/vocab/unit/BTU_TH-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliM-PER-DAY\n", + "http://qudt.org/vocab/unit/MilliM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-SEC\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassRelatedElectricalCurrent\n", + "http://qudt.org/vocab/quantitykind/MassRelatedElectricalCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/BodyMassIndex\n", + "http://qudt.org/vocab/quantitykind/BodyMassIndex needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/BitTransmissionRate\n", + "http://qudt.org/vocab/quantitykind/BitTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Diameter\n", + "http://qudt.org/vocab/quantitykind/Diameter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/REV-PER-SEC2\n", + "http://qudt.org/vocab/unit/REV-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PotentialEnergy\n", + "http://qudt.org/vocab/quantitykind/PotentialEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Unknown\n", + "http://qudt.org/vocab/quantitykind/Unknown needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AlphaDisintegrationEnergy\n", + "http://qudt.org/vocab/quantitykind/AlphaDisintegrationEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_F-PER-SEC2\n", + "http://qudt.org/vocab/unit/DEG_F-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PlanckArea\n", + "http://qudt.org/vocab/unit/PlanckArea needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckArea needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/KinematicViscosity\n", + "http://qudt.org/vocab/quantitykind/KinematicViscosity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/KinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MassicPower\n", + "http://qudt.org/vocab/quantitykind/MassicPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/AttoC\n", + "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-PER-K\n", + "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/GruneisenParameter\n", + "http://qudt.org/vocab/quantitykind/GruneisenParameter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/ST\n", + "http://qudt.org/vocab/unit/ST needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/IsentropicCompressibility\n", + "http://qudt.org/vocab/quantitykind/IsentropicCompressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloGM_F\n", + "http://qudt.org/vocab/unit/KiloGM_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AtomScatteringFactor\n", + "http://qudt.org/vocab/quantitykind/AtomScatteringFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ScalarMagneticPotential\n", + "http://qudt.org/vocab/quantitykind/ScalarMagneticPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInEV\n", + "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInEV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MilliBAR\n", + "http://qudt.org/vocab/unit/MilliBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AtomicAttenuationCoefficient\n", + "http://qudt.org/vocab/quantitykind/AtomicAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C-PER-KiloGM\n", + "http://qudt.org/vocab/unit/C-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroCi\n", + "http://qudt.org/vocab/unit/MicroCi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PARSEC\n", + "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PicoL\n", + "http://qudt.org/vocab/unit/PicoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL\n", + "http://qudt.org/vocab/unit/OZ-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity\n", + "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicCriticalMagneticFluxDensity\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicCriticalMagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/InternalEnergy\n", + "http://qudt.org/vocab/quantitykind/InternalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LuminousEfficacy\n", + "http://qudt.org/vocab/quantitykind/LuminousEfficacy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SpecificEnergyImparted\n", + "http://qudt.org/vocab/quantitykind/SpecificEnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/OZ_F-IN\n", + "http://qudt.org/vocab/unit/OZ_F-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ_F-IN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MicroCanonicalPartitionFunction\n", + "http://qudt.org/vocab/quantitykind/MicroCanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GI_US-PER-MIN\n", + "http://qudt.org/vocab/unit/GI_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GI_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/RAD-PER-SEC2\n", + "http://qudt.org/vocab/unit/RAD-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_MagneticFluxQuantum\n", + "http://qudt.org/vocab/constant/Value_MagneticFluxQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/WaterVapourPermeability\n", + "http://qudt.org/vocab/quantitykind/WaterVapourPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ThermalInsulance\n", + "http://qudt.org/vocab/quantitykind/ThermalInsulance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ThermalInsulance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificOpticalRotatoryPower\n", + "http://qudt.org/vocab/quantitykind/SpecificOpticalRotatoryPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaPA\n", + "http://qudt.org/vocab/unit/MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MolecularConcentration\n", + "http://qudt.org/vocab/quantitykind/MolecularConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MolarEnergy\n", + "http://qudt.org/vocab/quantitykind/MolarEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LineicMass\n", + "http://qudt.org/vocab/quantitykind/LineicMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_NeutronMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_NeutronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SeebeckCoefficient\n", + "http://qudt.org/vocab/quantitykind/SeebeckCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TritonMolarMass\n", + "http://qudt.org/vocab/constant/Value_TritonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-4I0M-2H0T4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-4I0M-2H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E3L-1I0M-2H0T7D0\n", + "http://qudt.org/vocab/dimensionvector/A0E3L-1I0M-2H0T7D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Curvature\n", + "http://qudt.org/vocab/quantitykind/Curvature needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundIntensity\n", + "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MolarAttenuationCoefficient\n", + "http://qudt.org/vocab/quantitykind/MolarAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_R-PER-SEC\n", + "http://qudt.org/vocab/unit/DEG_R-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliA\n", + "http://qudt.org/vocab/unit/MilliA needs between None and 1 instances of http://qudt.org/schema/qudt/Prefix on path http://qudt.org/schema/qudt/prefix\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeVolumeDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeVolumeDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_C-WK\n", + "http://qudt.org/vocab/unit/DEG_C-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/DEG_C-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/A-PER-DEG_C\n", + "http://qudt.org/vocab/unit/A-PER-DEG_C needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaC-PER-M2\n", + "http://qudt.org/vocab/unit/MegaC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM\n", + "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassConcentrationOfWaterVapour\n", + "http://qudt.org/vocab/quantitykind/MassConcentrationOfWaterVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/IU\n", + "http://qudt.org/vocab/unit/IU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BQ\n", + "http://qudt.org/vocab/unit/BQ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliIN\n", + "http://qudt.org/vocab/unit/MilliIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/AngularWavenumber\n", + "http://qudt.org/vocab/quantitykind/AngularWavenumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/REV\n", + "http://qudt.org/vocab/unit/REV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInInverseMetersPerTesla\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInInverseMetersPerTesla needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/CentiBAR\n", + "http://qudt.org/vocab/unit/CentiBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/TBSP\n", + "http://qudt.org/vocab/unit/TBSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/TBSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/KinematicViscosityOrDiffusionConstantOrThermalDiffusivity\n", + "http://qudt.org/vocab/quantitykind/KinematicViscosityOrDiffusionConstantOrThermalDiffusivity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeLinearDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeLinearDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PlanckImpedance\n", + "http://qudt.org/vocab/unit/PlanckImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MegaLB_F\n", + "http://qudt.org/vocab/unit/MegaLB_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGRAY\n", + "http://qudt.org/vocab/unit/MicroGRAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroGRAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Area\n", + "http://qudt.org/vocab/quantitykind/Area needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MolarVolumeOfSilicon\n", + "http://qudt.org/vocab/constant/Value_MolarVolumeOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PlanckFrequency_Ang\n", + "http://qudt.org/vocab/unit/PlanckFrequency_Ang needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PlanckFrequency_Ang needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInKPerT\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInKPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PressureBasedDynamicViscosity\n", + "http://qudt.org/vocab/quantitykind/PressureBasedDynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_JouleElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoH-PER-M\n", + "http://qudt.org/vocab/unit/NanoH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RadiantIntensity\n", + "http://qudt.org/vocab/quantitykind/RadiantIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EnergyFluenceRate\n", + "http://qudt.org/vocab/quantitykind/EnergyFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MilliM-PER-YR\n", + "http://qudt.org/vocab/unit/MilliM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/IonicStrength\n", + "http://qudt.org/vocab/quantitykind/IonicStrength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ForcePerElectricCharge\n", + "http://qudt.org/vocab/quantitykind/ForcePerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ThomsonCrossSection\n", + "http://qudt.org/vocab/constant/Value_ThomsonCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity\n", + "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MagnetomotiveForce\n", + "http://qudt.org/vocab/quantitykind/MagnetomotiveForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagnetomotiveForce needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MegaN-M\n", + "http://qudt.org/vocab/unit/MegaN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticFluxDensity\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalentInMeV\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PropagationCoefficient\n", + "http://qudt.org/vocab/quantitykind/PropagationCoefficient needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PropagationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Activity\n", + "http://qudt.org/vocab/quantitykind/Activity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Dissipance\n", + "http://qudt.org/vocab/quantitykind/Dissipance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ByteTransmissionRate\n", + "http://qudt.org/vocab/quantitykind/ByteTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoFARAD\n", + "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronTauMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedElectricCurrent\n", + "http://qudt.org/vocab/quantitykind/PressureBasedElectricCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentPerUnitEnergy\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentPerUnitEnergy needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/constant/Value_ElectronDeuteronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronDeuteronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_MuonMass\n", + "http://qudt.org/vocab/constant/Value_MuonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-4T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-4T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-HR\n", + "http://qudt.org/vocab/unit/PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliA-HR-PER-GM\n", + "http://qudt.org/vocab/unit/MilliA-HR-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfVibrationalModes\n", + "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfVibrationalModes needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RefractiveIndex\n", + "http://qudt.org/vocab/quantitykind/RefractiveIndex needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/MicroOHM\n", + "http://qudt.org/vocab/unit/MicroOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/HectoPA-L-PER-SEC\n", + "http://qudt.org/vocab/unit/HectoPA-L-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMass\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FT3-PER-DAY\n", + "http://qudt.org/vocab/unit/FT3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedMassFlowRate\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedMassFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/RecombinationCoefficient\n", + "http://qudt.org/vocab/quantitykind/RecombinationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_PlanckTime\n", + "http://qudt.org/vocab/constant/Value_PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MassRatioOfWaterToDryMatter\n", + "http://qudt.org/vocab/quantitykind/MassRatioOfWaterToDryMatter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TauElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_TauElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeDensity\n", + "http://qudt.org/vocab/quantitykind/ElectricChargeDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloBTU_IT-PER-FT2\n", + "http://qudt.org/vocab/unit/KiloBTU_IT-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularReciprocalLatticeVector\n", + "http://qudt.org/vocab/quantitykind/AngularReciprocalLatticeVector needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/AttoJ-SEC\n", + "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Torque\n", + "http://qudt.org/vocab/quantitykind/Torque needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Torque needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMass\n", + "http://qudt.org/vocab/quantitykind/PressureBasedMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/IsothermalCompressibility\n", + "http://qudt.org/vocab/quantitykind/IsothermalCompressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/NanoFARAD-PER-M\n", + "http://qudt.org/vocab/unit/NanoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_JouleInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Debye-WallerFactor\n", + "http://qudt.org/vocab/quantitykind/Debye-WallerFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT3\n", + "http://qudt.org/vocab/unit/SLUG-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/HydraulicPermeability\n", + "http://qudt.org/vocab/quantitykind/HydraulicPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/baseCGSUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/HydraulicPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/quantitykind/ParticleCurrent\n", + "http://qudt.org/vocab/quantitykind/ParticleCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-M\n", + "http://qudt.org/vocab/unit/PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ReciprocalEnergy\n", + "http://qudt.org/vocab/quantitykind/ReciprocalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GALILEO\n", + "http://qudt.org/vocab/unit/GALILEO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-PER-M3\n", + "http://qudt.org/vocab/unit/LB-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L1I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/prefix/Gibi\n", + "http://qudt.org/vocab/prefix/Gibi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C-PER-MilliM3\n", + "http://qudt.org/vocab/unit/C-PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C-PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfChargeDensity\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfChargeDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H0T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PDL-PER-FT2\n", + "http://qudt.org/vocab/unit/PDL-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularMomentum\n", + "http://qudt.org/vocab/quantitykind/AngularMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AreicChargeDensityOrElectricFluxDensityOrElectricPolarization\n", + "http://qudt.org/vocab/quantitykind/AreicChargeDensityOrElectricFluxDensityOrElectricPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MegaA\n", + "http://qudt.org/vocab/unit/MegaA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MegaA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassAttenuationCoefficient\n", + "http://qudt.org/vocab/quantitykind/MassAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CentiM-PER-KiloYR\n", + "http://qudt.org/vocab/unit/CentiM-PER-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM-PER-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C-PER-MilliM2\n", + "http://qudt.org/vocab/unit/C-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/C-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronNeutronMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_JouleHartreeRelationship\n", + "http://qudt.org/vocab/constant/Value_JouleHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_TH-FT-PER-FT2-HR-DEG_F\n", + "http://qudt.org/vocab/unit/BTU_TH-FT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_JosephsonConstant\n", + "http://qudt.org/vocab/constant/Value_JosephsonConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_InverseMeterJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_InverseMeterJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3\n", + "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoW\n", + "http://qudt.org/vocab/unit/PicoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L3I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L3I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TotalCurrent\n", + "http://qudt.org/vocab/quantitykind/TotalCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPolarizability\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/C_Ab\n", + "http://qudt.org/vocab/unit/C_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/StaticPressure\n", + "http://qudt.org/vocab/quantitykind/StaticPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CUP\n", + "http://qudt.org/vocab/unit/CUP needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RadiantEmmitance\n", + "http://qudt.org/vocab/quantitykind/RadiantEmmitance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-LB_F\n", + "http://qudt.org/vocab/unit/FT-LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SpecificEntropy\n", + "http://qudt.org/vocab/quantitykind/SpecificEntropy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MassPerElectricCharge\n", + "http://qudt.org/vocab/quantitykind/MassPerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/HectoC\n", + "http://qudt.org/vocab/unit/HectoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Radius\n", + "http://qudt.org/vocab/quantitykind/Radius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Power\n", + "http://qudt.org/vocab/quantitykind/Power needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M-1H1T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/OrderOfReflection\n", + "http://qudt.org/vocab/quantitykind/OrderOfReflection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedTemperature\n", + "http://qudt.org/vocab/quantitykind/PressureBasedTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/DECADE\n", + "http://qudt.org/vocab/unit/DECADE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LineicResistance\n", + "http://qudt.org/vocab/quantitykind/LineicResistance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentPhasor\n", + "http://qudt.org/vocab/quantitykind/ElectricCurrentPhasor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/StandardGravitationalParameter\n", + "http://qudt.org/vocab/quantitykind/StandardGravitationalParameter needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronChargeToMassQuotient\n", + "http://qudt.org/vocab/constant/Value_ElectronChargeToMassQuotient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloM-PER-SEC\n", + "http://qudt.org/vocab/unit/KiloM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MachNumber\n", + "http://qudt.org/vocab/quantitykind/MachNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_HertzJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_HertzJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoM\n", + "http://qudt.org/vocab/unit/NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/HeatFlowRate\n", + "http://qudt.org/vocab/quantitykind/HeatFlowRate needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG-PER-SEC2\n", + "http://qudt.org/vocab/unit/DEG-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/BitDataVolume\n", + "http://qudt.org/vocab/quantitykind/BitDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/CentiM3-PER-M3\n", + "http://qudt.org/vocab/unit/CentiM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_MuonElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_MuonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Luminance\n", + "http://qudt.org/vocab/quantitykind/Luminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVolumeFlow\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/K\n", + "http://qudt.org/vocab/unit/K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/NUM-PER-KiloM2\n", + "http://qudt.org/vocab/unit/NUM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NUM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB_F-PER-FT\n", + "http://qudt.org/vocab/unit/LB_F-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInKPerT\n", + "http://qudt.org/vocab/constant/Value_BohrMagnetonInKPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/T_Ab\n", + "http://qudt.org/vocab/unit/T_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PetaC\n", + "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/prefix/Exbi\n", + "http://qudt.org/vocab/prefix/Exbi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_WienWavelengthDisplacementLawConstant\n", + "http://qudt.org/vocab/constant/Value_WienWavelengthDisplacementLawConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/KiloGM-PER-MegaBTU_IT\n", + "http://qudt.org/vocab/unit/KiloGM-PER-MegaBTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/F\n", + "http://qudt.org/vocab/unit/F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BAN\n", + "http://qudt.org/vocab/unit/BAN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-FT\n", + "http://qudt.org/vocab/unit/BTU_IT-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/V-SEC-PER-M\n", + "http://qudt.org/vocab/unit/V-SEC-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM_H2O\n", + "http://qudt.org/vocab/unit/CentiM_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CD-PER-M2\n", + "http://qudt.org/vocab/unit/CD-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliDEG_C\n", + "http://qudt.org/vocab/unit/MilliDEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2-SEC\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MolarAbsorptionCoefficient\n", + "http://qudt.org/vocab/quantitykind/MolarAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/L-PER-DAY\n", + "http://qudt.org/vocab/unit/L-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/L-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PicoA\n", + "http://qudt.org/vocab/unit/PicoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PicoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K100KPa\n", + "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K100KPa needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PressureBasedElectricVoltage\n", + "http://qudt.org/vocab/quantitykind/PressureBasedElectricVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BEAT-PER-MIN\n", + "http://qudt.org/vocab/unit/BEAT-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/SEC2\n", + "http://qudt.org/vocab/unit/SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AreicDataVolume\n", + "http://qudt.org/vocab/quantitykind/AreicDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_NeutronElectronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AmbientPressure\n", + "http://qudt.org/vocab/quantitykind/AmbientPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PressureInRelationToVolumeFlow\n", + "http://qudt.org/vocab/quantitykind/PressureInRelationToVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/LinearIonization\n", + "http://qudt.org/vocab/quantitykind/LinearIonization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LogarithmRatioToBase10\n", + "http://qudt.org/vocab/quantitykind/LogarithmRatioToBase10 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElectronMuonMassRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricSusceptibility\n", + "http://qudt.org/vocab/quantitykind/ElectricSusceptibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfCharge\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PERCENT\n", + "http://qudt.org/vocab/unit/PERCENT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_HartreeAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/HeatCapacity\n", + "http://qudt.org/vocab/quantitykind/HeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/CLO\n", + "http://qudt.org/vocab/unit/CLO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_TauMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_TauMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TotalAtomicStoppingPower\n", + "http://qudt.org/vocab/quantitykind/TotalAtomicStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2Pi\n", + "http://qudt.org/vocab/constant/Value_PlanckConstantOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_KilogramKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/HeatFlowRatePerUnitArea\n", + "http://qudt.org/vocab/quantitykind/HeatFlowRatePerUnitArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SymbolTransmissionRate\n", + "http://qudt.org/vocab/quantitykind/SymbolTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/TransmissionRatioBetweenRotationAndTranslation\n", + "http://qudt.org/vocab/quantitykind/TransmissionRatioBetweenRotationAndTranslation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitKelvinRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MicroSV\n", + "http://qudt.org/vocab/unit/MicroSV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroSV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Entropy\n", + "http://qudt.org/vocab/quantitykind/Entropy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleProtonMassRatio\n", + "http://qudt.org/vocab/constant/Value_AlphaParticleProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_InverseOfConductanceQuantum\n", + "http://qudt.org/vocab/constant/Value_InverseOfConductanceQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB-PER-FT-SEC\n", + "http://qudt.org/vocab/unit/LB-PER-FT-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonMuonMassRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_KelvinInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SpecificSurfaceArea\n", + "http://qudt.org/vocab/quantitykind/SpecificSurfaceArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronMuonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronMuonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/K-PER-SEC2\n", + "http://qudt.org/vocab/unit/K-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-PER-FT-HR\n", + "http://qudt.org/vocab/unit/LB-PER-FT-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassInAtomicMassUnit\n", + "http://qudt.org/vocab/constant/Value_DeuteronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-K\n", + "http://qudt.org/vocab/unit/PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/V-PER-M\n", + "http://qudt.org/vocab/unit/V-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RiseOfOffStateVoltage\n", + "http://qudt.org/vocab/quantitykind/RiseOfOffStateVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/MicroA\n", + "http://qudt.org/vocab/unit/MicroA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MicroA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/KiloBYTE\n", + "http://qudt.org/vocab/unit/KiloBYTE needs between None and 1 instances of http://qudt.org/schema/qudt/Prefix on path http://qudt.org/schema/qudt/prefix\n", + "http://qudt.org/vocab/unit/KiloBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/ElectricPolarizability\n", + "http://qudt.org/vocab/quantitykind/ElectricPolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ElectronProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/BTU_IT-IN\n", + "http://qudt.org/vocab/unit/BTU_IT-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Efficiency\n", + "http://qudt.org/vocab/quantitykind/Efficiency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_KelvinKilogramRelationship\n", + "http://qudt.org/vocab/constant/Value_KelvinKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ParticleNumberDensity\n", + "http://qudt.org/vocab/quantitykind/ParticleNumberDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DWT\n", + "http://qudt.org/vocab/unit/DWT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-MOL-K\n", + "http://qudt.org/vocab/unit/J-PER-MOL-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AngularAcceleration\n", + "http://qudt.org/vocab/quantitykind/AngularAcceleration needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", + "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY\n", + "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/LB-PER-HR\n", + "http://qudt.org/vocab/unit/LB-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/NapierianAbsorbance\n", + "http://qudt.org/vocab/quantitykind/NapierianAbsorbance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AcousticImpedance\n", + "http://qudt.org/vocab/quantitykind/AcousticImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Displacement\n", + "http://qudt.org/vocab/quantitykind/Displacement needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_MuonGFactor\n", + "http://qudt.org/vocab/constant/Value_MuonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticWavePhaseSpeed\n", + "http://qudt.org/vocab/quantitykind/ElectromagneticWavePhaseSpeed needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SoundExposure\n", + "http://qudt.org/vocab/quantitykind/SoundExposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_R\n", + "http://qudt.org/vocab/unit/DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_C-PER-K\n", + "http://qudt.org/vocab/unit/DEG_C-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_LoschmidtConstant\n", + "http://qudt.org/vocab/constant/Value_LoschmidtConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H-1T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H-1T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMomentum\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfAction\n", + "http://qudt.org/vocab/constant/Value_NaturalUnitOfAction needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Illuminance\n", + "http://qudt.org/vocab/quantitykind/Illuminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MolarHeatCapacity\n", + "http://qudt.org/vocab/quantitykind/MolarHeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/DEG_F-HR\n", + "http://qudt.org/vocab/unit/DEG_F-HR needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity\n", + "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GibiBYTE\n", + "http://qudt.org/vocab/unit/GibiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GibiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/WB\n", + "http://qudt.org/vocab/unit/WB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-DEG_R\n", + "http://qudt.org/vocab/unit/LB-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM-PER-MOL\n", + "http://qudt.org/vocab/unit/GM-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GM-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/Capacitance\n", + "http://qudt.org/vocab/quantitykind/Capacitance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/HZ\n", + "http://qudt.org/vocab/unit/HZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/HamiltonFunction\n", + "http://qudt.org/vocab/quantitykind/HamiltonFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Impulse\n", + "http://qudt.org/vocab/quantitykind/Impulse needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/SLUG\n", + "http://qudt.org/vocab/unit/SLUG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/KermaRate\n", + "http://qudt.org/vocab/quantitykind/KermaRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_HartreeElectronVoltRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/K-PER-T\n", + "http://qudt.org/vocab/unit/K-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/LB-PER-IN3\n", + "http://qudt.org/vocab/unit/LB-PER-IN3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-HR\n", + "http://qudt.org/vocab/unit/J-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/SurfaceTension\n", + "http://qudt.org/vocab/quantitykind/SurfaceTension needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EnergyPerMassAmountOfSubstance\n", + "http://qudt.org/vocab/quantitykind/EnergyPerMassAmountOfSubstance needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/unit/MOL\n", + "http://qudt.org/vocab/unit/MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/HP_Boiler\n", + "http://qudt.org/vocab/unit/HP_Boiler needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-MIN\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/PINT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/Landau-GinzburgNumber\n", + "http://qudt.org/vocab/quantitykind/Landau-GinzburgNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C2-M2-PER-J\n", + "http://qudt.org/vocab/unit/C2-M2-PER-J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/PER-M2\n", + "http://qudt.org/vocab/unit/PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfEnergy\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NUM\n", + "http://qudt.org/vocab/unit/NUM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassFluxDensity\n", + "http://qudt.org/vocab/quantitykind/MassFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN2-SEC\n", + "http://qudt.org/vocab/unit/LB_F-PER-IN2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/StaticFrictionCoefficient\n", + "http://qudt.org/vocab/quantitykind/StaticFrictionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedVelocity\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/RateOfChangeOfTemperature\n", + "http://qudt.org/vocab/quantitykind/RateOfChangeOfTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_QuantumOfCirculationTimes2\n", + "http://qudt.org/vocab/constant/Value_QuantumOfCirculationTimes2 needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/W-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_PlanckConstant\n", + "http://qudt.org/vocab/constant/Value_PlanckConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ThermalCapacitance\n", + "http://qudt.org/vocab/quantitykind/ThermalCapacitance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MassConcentrationOfWater\n", + "http://qudt.org/vocab/quantitykind/MassConcentrationOfWater needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EffectiveMass\n", + "http://qudt.org/vocab/quantitykind/EffectiveMass needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NeutronComptonWavelength\n", + "http://qudt.org/vocab/constant/Value_NeutronComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerMass\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/CanonicalPartitionFunction\n", + "http://qudt.org/vocab/quantitykind/CanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/sou/SI\n", + "http://qudt.org/vocab/sou/SI needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GigaEV\n", + "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/GibbsEnergy\n", + "http://qudt.org/vocab/quantitykind/GibbsEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-L\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FemtoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-3I0M-1H0T4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L-3I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_ElectronVoltHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PrincipalQuantumNumber\n", + "http://qudt.org/vocab/quantitykind/PrincipalQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ModulusOfAdmittance\n", + "http://qudt.org/vocab/quantitykind/ModulusOfAdmittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/CyclotronAngularFrequency\n", + "http://qudt.org/vocab/quantitykind/CyclotronAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-LB_F-SEC\n", + "http://qudt.org/vocab/unit/FT-LB_F-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/C-PER-MOL\n", + "http://qudt.org/vocab/unit/C-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/OZ-IN\n", + "http://qudt.org/vocab/unit/OZ-IN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/RadiantExposure\n", + "http://qudt.org/vocab/quantitykind/RadiantExposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/DiffusionCoefficientForFluenceRate\n", + "http://qudt.org/vocab/quantitykind/DiffusionCoefficientForFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AngularCrossSection\n", + "http://qudt.org/vocab/quantitykind/AngularCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AngularCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricFieldGradient\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricFieldGradient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PhaseDifference\n", + "http://qudt.org/vocab/quantitykind/PhaseDifference needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PhaseDifference needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TritonNeutronMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_TritonNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVolume\n", + "http://qudt.org/vocab/quantitykind/PressureBasedVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MagneticFluxDensity\n", + "http://qudt.org/vocab/quantitykind/MagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagneticFluxDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/DEG_C\n", + "http://qudt.org/vocab/unit/DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M1H0T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_ClassicalElectronRadius\n", + "http://qudt.org/vocab/constant/Value_ClassicalElectronRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI\n", + "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassFractionOfDryMatter\n", + "http://qudt.org/vocab/quantitykind/MassFractionOfDryMatter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MagneticFlux\n", + "http://qudt.org/vocab/quantitykind/MagneticFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E2L0I0M-1H0T4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L0I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/W-PER-SR\n", + "http://qudt.org/vocab/unit/W-PER-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MolarThermodynamicEnergy\n", + "http://qudt.org/vocab/quantitykind/MolarThermodynamicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/GRAIN-PER-GAL\n", + "http://qudt.org/vocab/unit/GRAIN-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/MassDensity\n", + "http://qudt.org/vocab/quantitykind/MassDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SecondPolarMomentOfArea\n", + "http://qudt.org/vocab/quantitykind/SecondPolarMomentOfArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/KiloL-PER-HR\n", + "http://qudt.org/vocab/unit/KiloL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToBohrMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/LuminousExitance\n", + "http://qudt.org/vocab/quantitykind/LuminousExitance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2-DEG_R\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_KilogramInverseMeterRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/DeciC\n", + "http://qudt.org/vocab/unit/DeciC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/BTU_TH\n", + "http://qudt.org/vocab/unit/BTU_TH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMass\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Absorptance\n", + "http://qudt.org/vocab/quantitykind/Absorptance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicEntropy\n", + "http://qudt.org/vocab/quantitykind/ThermodynamicEntropy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Action\n", + "http://qudt.org/vocab/quantitykind/Action needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_QuantumOfCirculation\n", + "http://qudt.org/vocab/constant/Value_QuantumOfCirculation needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_PlanckMassEnergyEquivalentInGeV\n", + "http://qudt.org/vocab/constant/Value_PlanckMassEnergyEquivalentInGeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SpecificGibbsEnergy\n", + "http://qudt.org/vocab/quantitykind/SpecificGibbsEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_KilogramHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/PER-KiloV-A-HR\n", + "http://qudt.org/vocab/unit/PER-KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/H\n", + "http://qudt.org/vocab/unit/H needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/PressureCoefficient\n", + "http://qudt.org/vocab/quantitykind/PressureCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT-PDL\n", + "http://qudt.org/vocab/unit/FT-PDL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/NuclearQuadrupoleMoment\n", + "http://qudt.org/vocab/quantitykind/NuclearQuadrupoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-SEC\n", + "http://qudt.org/vocab/unit/J-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/CubicExpansionCoefficient\n", + "http://qudt.org/vocab/quantitykind/CubicExpansionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_NeutronToShieldedProtonMagneticMomentRatio\n", + "http://qudt.org/vocab/constant/Value_NeutronToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/MIN_Sidereal\n", + "http://qudt.org/vocab/unit/MIN_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_VonKlitzingConstant\n", + "http://qudt.org/vocab/constant/Value_VonKlitzingConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPotential\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase2\n", + "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/GroupSpeedOfSound\n", + "http://qudt.org/vocab/quantitykind/GroupSpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_CuXUnit\n", + "http://qudt.org/vocab/constant/Value_CuXUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/DEG_C-PER-MIN\n", + "http://qudt.org/vocab/unit/DEG_C-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/AC-FT\n", + "http://qudt.org/vocab/unit/AC-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/EnergyInternal\n", + "http://qudt.org/vocab/quantitykind/EnergyInternal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A_Ab\n", + "http://qudt.org/vocab/unit/A_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K101.325K\n", + "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K101.325K needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/LinearExpansionCoefficient\n", + "http://qudt.org/vocab/quantitykind/LinearExpansionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/J-PER-M4\n", + "http://qudt.org/vocab/unit/J-PER-M4 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/prefix/Tebi\n", + "http://qudt.org/vocab/prefix/Tebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RankineTemperature\n", + "http://qudt.org/vocab/quantitykind/RankineTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MassFractionOfWater\n", + "http://qudt.org/vocab/quantitykind/MassFractionOfWater needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/RAD_R\n", + "http://qudt.org/vocab/unit/RAD_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/M2-K\n", + "http://qudt.org/vocab/unit/M2-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/TON_Assay\n", + "http://qudt.org/vocab/unit/TON_Assay needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/AreicTorque\n", + "http://qudt.org/vocab/quantitykind/AreicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/LondonPenetrationDepth\n", + "http://qudt.org/vocab/quantitykind/LondonPenetrationDepth needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M-1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A1E0L0I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D-1\n", + "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/StructureFactor\n", + "http://qudt.org/vocab/quantitykind/StructureFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_KilogramAtomicMassUnitRelationship\n", + "http://qudt.org/vocab/constant/Value_KilogramAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/LinearAttenuationCoefficient\n", + "http://qudt.org/vocab/quantitykind/LinearAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/M2-PER-MOL\n", + "http://qudt.org/vocab/unit/M2-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/LagrangeFunction\n", + "http://qudt.org/vocab/quantitykind/LagrangeFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfVelocity\n", + "http://qudt.org/vocab/constant/Value_AtomicUnitOfVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalent\n", + "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/SHANNON-PER-SEC\n", + "http://qudt.org/vocab/unit/SHANNON-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/InverseLength\n", + "http://qudt.org/vocab/quantitykind/InverseLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K-PA\n", + "http://qudt.org/vocab/unit/J-PER-KiloGM-K-PA needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", + "http://qudt.org/vocab/quantitykind/LinearDensity\n", + "http://qudt.org/vocab/quantitykind/LinearDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/PER-KiloGM2\n", + "http://qudt.org/vocab/unit/PER-KiloGM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M2H0T-4D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L4I0M2H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/QT_UK-PER-HR\n", + "http://qudt.org/vocab/unit/QT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/QT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/MassExcess\n", + "http://qudt.org/vocab/quantitykind/MassExcess needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/LB-PER-GAL\n", + "http://qudt.org/vocab/unit/LB-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ElementaryCharge\n", + "http://qudt.org/vocab/constant/Value_ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_HartreeJouleRelationship\n", + "http://qudt.org/vocab/constant/Value_HartreeJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio\n", + "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/AverageEnergyLossPerElementaryChargeProduced\n", + "http://qudt.org/vocab/quantitykind/AverageEnergyLossPerElementaryChargeProduced needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT3-PER-SEC\n", + "http://qudt.org/vocab/unit/FT3-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM\n", + "http://qudt.org/vocab/unit/MicroMOL-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MilliTORR\n", + "http://qudt.org/vocab/unit/MilliTORR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/MOL-PER-KiloGM\n", + "http://qudt.org/vocab/unit/MOL-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/FT3-PER-HR\n", + "http://qudt.org/vocab/unit/FT3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/FT3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/quantitykind/NeutronDiffusionCoefficient\n", + "http://qudt.org/vocab/quantitykind/NeutronDiffusionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/SurfaceDensity\n", + "http://qudt.org/vocab/quantitykind/SurfaceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E2L2I0M-1H0T2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E2L2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TotalLinearStoppingPower\n", + "http://qudt.org/vocab/quantitykind/TotalLinearStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerArea\n", + "http://qudt.org/vocab/quantitykind/ElectricChargePerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/Gs\n", + "http://qudt.org/vocab/unit/Gs needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/CurvatureFromRadius\n", + "http://qudt.org/vocab/quantitykind/CurvatureFromRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/A-PER-GM\n", + "http://qudt.org/vocab/unit/A-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstant\n", + "http://qudt.org/vocab/constant/Value_AtomicMassConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/CartesianVolume\n", + "http://qudt.org/vocab/quantitykind/CartesianVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A-1E1L0I0M0H0T1D0\n", + "http://qudt.org/vocab/dimensionvector/A-1E1L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/DiffusionCoefficient\n", + "http://qudt.org/vocab/quantitykind/DiffusionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedKinematicViscosity\n", + "http://qudt.org/vocab/quantitykind/TemperatureBasedKinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitHertzRelationship\n", + "http://qudt.org/vocab/constant/Value_AtomicMassUnitHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/ActivityCoefficient\n", + "http://qudt.org/vocab/quantitykind/ActivityCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Magnetization\n", + "http://qudt.org/vocab/quantitykind/Magnetization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_DeuteronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatsRatio\n", + "http://qudt.org/vocab/quantitykind/SpecificHeatsRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/constant/Value_ProtonChargeToMassQuotient\n", + "http://qudt.org/vocab/constant/Value_ProtonChargeToMassQuotient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/M-PER-MIN\n", + "http://qudt.org/vocab/unit/M-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/unit/CentiM3\n", + "http://qudt.org/vocab/unit/CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/unit/CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", + "http://qudt.org/vocab/constant/Value_WienFrequencyDisplacementLawConstant\n", + "http://qudt.org/vocab/constant/Value_WienFrequencyDisplacementLawConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInEVPerT\n", + "http://qudt.org/vocab/constant/Value_NuclearMagnetonInEVPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/MomentOfForce\n", + "http://qudt.org/vocab/quantitykind/MomentOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TritonGFactor\n", + "http://qudt.org/vocab/constant/Value_TritonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/CentiM-SEC-DEG_C\n", + "http://qudt.org/vocab/unit/CentiM-SEC-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Reluctance\n", + "http://qudt.org/vocab/quantitykind/Reluctance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMoment\n", + "http://qudt.org/vocab/constant/Value_TritonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentration\n", + "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/Loudness\n", + "http://qudt.org/vocab/quantitykind/Loudness needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/MechanicalSurfaceImpedance\n", + "http://qudt.org/vocab/quantitykind/MechanicalSurfaceImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T0D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/EnergyFluence\n", + "http://qudt.org/vocab/quantitykind/EnergyFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_DeuteronElectronMassRatio\n", + "http://qudt.org/vocab/constant/Value_DeuteronElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/Reflectance\n", + "http://qudt.org/vocab/quantitykind/Reflectance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/ElectronRadius\n", + "http://qudt.org/vocab/quantitykind/ElectronRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2\n", + "http://qudt.org/vocab/unit/BTU_IT-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/ThermalConductance\n", + "http://qudt.org/vocab/quantitykind/ThermalConductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/QT_US\n", + "http://qudt.org/vocab/unit/QT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Fluidity\n", + "http://qudt.org/vocab/quantitykind/Fluidity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatio\n", + "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-MIN\n", + "http://qudt.org/vocab/unit/FT-LB_F-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/SectionModulus\n", + "http://qudt.org/vocab/quantitykind/SectionModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/HR-FT2\n", + "http://qudt.org/vocab/unit/HR-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/RelativeMassDefect\n", + "http://qudt.org/vocab/quantitykind/RelativeMassDefect needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/AtomicStoppingPower\n", + "http://qudt.org/vocab/quantitykind/AtomicStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/ReciprocalVoltage\n", + "http://qudt.org/vocab/quantitykind/ReciprocalVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", + "http://qudt.org/vocab/quantitykind/DiffusionLength\n", + "http://qudt.org/vocab/quantitykind/DiffusionLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyInterval\n", + "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyInterval needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-1D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/constant/Value_PlanckTemperature\n", + "http://qudt.org/vocab/constant/Value_PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", + "http://qudt.org/vocab/quantitykind/GFactorOfNucleus\n", + "http://qudt.org/vocab/quantitykind/GFactorOfNucleus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/quantitykind/MechanicalEnergy\n", + "http://qudt.org/vocab/quantitykind/MechanicalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/unit/FT2-DEG_F\n", + "http://qudt.org/vocab/unit/FT2-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", + "http://qudt.org/vocab/quantitykind/Radiance\n", + "http://qudt.org/vocab/quantitykind/Radiance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T-2D0\n", + "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n" + ] + } + ], + "source": [ + "for key, diffs in res.diffset.items():\n", + " print(key)\n", + " for d in diffs:\n", + " print(d.reason())" + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "buildingmotif", + "language": "python", + "name": "buildingmotif" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.11.9" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} From 3eea3bfc8b459c7894466106d551eeffcc96a1eb Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sat, 20 Apr 2024 21:11:29 -0600 Subject: [PATCH 55/61] add call syntax to simplify evaluating templates --- buildingmotif/model_builder.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/buildingmotif/model_builder.py b/buildingmotif/model_builder.py index 9ab1254f7..f83c89952 100644 --- a/buildingmotif/model_builder.py +++ b/buildingmotif/model_builder.py @@ -100,6 +100,11 @@ def __init__(self, template: Template, ns: Namespace): self.bindings: Dict[str, Node] = {} self.ns = ns + def __call__(self, **kwargs): + for k, v in kwargs.items(): + self[k] = v + return self + def __getitem__(self, param): if param in self.bindings: return self.bindings[param] From 3e15200adbdbfac48b7e45bea306b575616033ee Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sat, 20 Apr 2024 22:32:56 -0600 Subject: [PATCH 56/61] do not waste cycles re-binding namespaces on copied graphs --- buildingmotif/utils.py | 2 -- 1 file changed, 2 deletions(-) diff --git a/buildingmotif/utils.py b/buildingmotif/utils.py index 46fa4f161..e7fa0b081 100644 --- a/buildingmotif/utils.py +++ b/buildingmotif/utils.py @@ -50,8 +50,6 @@ def copy_graph(g: Graph, preserve_blank_nodes: bool = True) -> Graph: :rtype: Graph """ c = Graph() - for pfx, ns in g.namespaces(): - c.bind(pfx, ns) new_prefix = secrets.token_hex(4) for t in g.triples((None, None, None)): assert isinstance(t, tuple) From 4a331af87bf864beca7e35805958f506843627ee Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 26 Apr 2024 12:18:04 -0600 Subject: [PATCH 57/61] update model builder notebook --- notebooks/Model-Builder.ipynb | 5240 +-------------------------------- 1 file changed, 67 insertions(+), 5173 deletions(-) diff --git a/notebooks/Model-Builder.ipynb b/notebooks/Model-Builder.ipynb index 0cbde18e1..c5d1c4ffd 100644 --- a/notebooks/Model-Builder.ipynb +++ b/notebooks/Model-Builder.ipynb @@ -42,37 +42,10 @@ "metadata": { "scrolled": true }, - "outputs": [ - { - "name": "stderr", - "output_type": "stream", - "text": [ - "2024-04-15 00:09:34,353 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", - "Traceback (most recent call last):\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", - " return conv_func(lexical) # type: ignore[arg-type]\n", - " ^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", - " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", - " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", - " self._parse(stream, True, *args, **kwargs)\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", - " self.mainLoop()\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", - " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", - " raise ParseError(E[errorcode] % datavars)\n", - "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n" - ] - } - ], + "outputs": [], "source": [ - "# load the S223 library and the QUDT libraries\n", - "s223 = Library.load(ontology_graph=r\"../libraries/ashrae/223p/ontology/223p.ttl\")\n", - "qudt_libs = []\n", - "for filename in glob.glob(\"../libraries/qudt/*.ttl\"):\n", - " qudt_libs.append(Library.load(ontology_graph=filename))" + "# load the S223 library\n", + "s223 = Library.load(ontology_graph=r\"../libraries/ashrae/223p/ontology/223p.ttl\")" ] }, { @@ -121,13 +94,19 @@ "mau[\"air-supply\"] = BLDG[\"MAU1_AIR_SUPPLY\"]\n", "```\n", "\n", + "or, more conveniently, by using the template as a constructor\n", + "\n", + "```python\n", + "params = {\"name\": BLDG[\"MAU1\"], \"air-supply\": BLDG[\"MAU1_AIR_SUPPLY\"]}\n", + "mau(**params) # unpacking the arg names from a dictionary because of the dash in 'air-supply'\n", + "```\n", + "\n", "We have bound 2 parameters (`name` and `air-supply`) to 2 values in the BLDG namespace; essentially, we have given these parameters *names* given by URIs. Agove, the name of the makeup air unit is `urn:nrel_example/MAU1`.\n", "\n", "Here, we create a new instance of the \"junction\" template and give it a name\n", "\n", "```python\n", - "junction = context[\"junction\"]\n", - "junction[\"name\"] = \"MAU_SUPPLY_JUNCTION\"\n", + "junction = context[\"junction\"](name = \"MAU_SUPPLY_JUNCTION\")\n", "```\n", "\n", "Note that we didn't wrap the name in a namespace (e.g. `BLDG[\"MAU_SUPPLY_JUNCTION\"]`). Model Builder knows what the default namespace is (it is passed into the Context constructor), so strings assigned to parameters will be turned automatically into IRIs. To assign a Literal value to a parameter, make sure the right-hand side of the assignment is an `rdflib.Literal` object.\n", @@ -150,9 +129,9 @@ "duct[\"b\"] = junction[\"in1\"]\n", "```\n", "\n", - "`duct[\"a\"] = mau[\"air-supply\"]` assigns a parameter (`duct[\"a\"]`) to the same value that `mau[\"air-supply\"]` is bound to. This behavior is triggered when the right-hand side of an assignment is a parameter which has already been bound.\n", + "`duct[\"a\"] = mau[\"air-supply\"]` assigns a parameter (`duct[\"a\"]`) to the same value that `mau[\"air-supply\"]` is bound to. This behavior is triggered when the **right-hand side of an assignment is a parameter which has already been bound**.\n", "\n", - "`duct[\"b\"] = junction[\"in1\"]` binds the two parameters together. If one is bound to a value, the other will automatically be bound to that value too. If neither are bound to specific values, then the Context will create a unique name for them to share." + "`duct[\"b\"] = junction[\"in1\"]` binds the two parameters together. If one is bound to a value, the other will automatically be bound to that value too. If neither are bound to specific values, then the Context will create a unique name for them to share. This behavior is triggered when the **right-hand side of an assignment is an unbound parameter**." ] }, { @@ -167,14 +146,10 @@ "mau[\"name\"] = BLDG[\"MAU\"]\n", "mau[\"air-supply\"] = BLDG[\"MAU_AIR_SUPPLY\"]\n", "\n", - "junction = context[\"junction\"]\n", - "junction[\"name\"] = \"MAU_SUPPLY_JUNCTION\"\n", + "junction = context[\"junction\"](name=\"MAU_SUPPLY_JUNCTION\")\n", "\n", "# duct to connect mau air suply to junction in1\n", - "duct = context[\"duct\"]\n", - "duct[\"name\"] = \"mau_air_supply_duct\"\n", - "duct[\"a\"] = mau[\"air-supply\"]\n", - "duct[\"b\"] = junction[\"in1\"]" + "duct = context[\"duct\"](name=\"mau_air_supply_duct\", a=mau[\"air-supply\"], b=junction[\"in1\"])" ] }, { @@ -196,14 +171,15 @@ "spaces = {}\n", "\n", "# helper functions for building the model\n", + "def duct(from_=None, to_=None):\n", + " return context[\"duct\"](a=from_, b=to_)\n", + " \n", "def ensure_space(space_name, zone):\n", " if space_name not in spaces:\n", - " space = context[\"hvac-space\"]\n", - " space[\"name\"] = space_name\n", + " space = context[\"hvac-space\"](name=space_name)\n", " spaces[space_name] = space\n", "\n", - " link = context[\"hvac-zone-contains-space\"]\n", - " link[\"name\"] = zone\n", + " link = context[\"hvac-zone-contains-space\"](name=zone)\n", " link[\"domain-space\"] = space_name\n", " return spaces[space_name]\n", "\n", @@ -212,18 +188,13 @@ " vav[\"name\"] = vav_name\n", "\n", " # connect vav['air-in'] to the junction with a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_{vav_name}_duct\"\n", - " duct[\"a\"] = junction[junction_cp]\n", - " duct[\"b\"] = vav[\"air-in\"]\n", + " duct(from_=junction[junction_cp], to_=vav[\"air-in\"])\n", "\n", " ensure_space(space_name, zone)\n", "\n", " # connect vav['air-out'] to the space through a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"{vav_name}_duct\"\n", - " duct[\"a\"] = vav[\"air-out\"]\n", - " duct[\"b\"] = spaces[space_name][\"in\"]\n", + " duct(from_=vav[\"air-out\"], to_=spaces[space_name][\"in\"])\n", + "\n", "\n", "\n", "def make_fcu(fcu_name: str, space_name: str, zone: str, junction_cp: str):\n", @@ -231,19 +202,13 @@ " fcu[\"name\"] = fcu_name\n", "\n", " # connect fcu 'in' to the junction with a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_{fcu_name}_duct\"\n", - " duct[\"a\"] = junction[junction_cp]\n", - " duct[\"b\"] = fcu[\"in\"]\n", + " duct(from_=junction[junction_cp], to_=fcu[\"in\"])\n", "\n", " # create the space if it doesn't exist\n", " ensure_space(space_name, zone)\n", "\n", " # connect fcu 'out' to the space through a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"{fcu_name}_duct\"\n", - " duct[\"a\"] = fcu[\"out\"]\n", - " duct[\"b\"] = spaces[space_name][\"in\"]\n", + " duct(from_=fcu[\"out\"], to_=spaces[space_name][\"in\"])\n", "\n", "\n", "def make_multiple_vavs(vav_names: List[str], space_name: str, zone: str, junction_cp: str, vav_template_name: str, space_cps: List[str]):\n", @@ -257,11 +222,7 @@ " junction = context[\"junction\"]\n", " junction[\"name\"] = f\"{space_name}_junction\"\n", " # create a duct connecting junction_cp to the junction's in1\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_{space_name}_duct\"\n", - " duct[\"a\"] = junction[junction_cp]\n", - " duct[\"b\"] = junction[\"in1\"]\n", - "\n", + " duct(from_=junction[junction_cp], to_=junction[\"in1\"])\n", "\n", " # create the space if it doesn't exist, add it to the space cache, and connect it to the zone\n", " # make sure to create teh connection points from space_cps\n", @@ -284,11 +245,7 @@ " junction = context[\"junction\"]\n", " junction[\"name\"] = f\"{space_name}_junction\"\n", " # create a duct connecting junction_cp to the junction's in1\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_{space_name}_duct\"\n", - " duct[\"a\"] = junction[junction_cp]\n", - " duct[\"b\"] = junction[\"in1\"]\n", - "\n", + " duct(from_=junction[junction_cp], to_=junction[\"in1\"])\n", "\n", " # create the space if it doesn't exist, add it to the space cache, and connect it to the zone\n", " # make sure to create teh connection points from space_cps\n", @@ -304,31 +261,19 @@ " # for each vav, connect the junction's outX to the vav's air-in with a duct\n", " # where X is the index of the vav in vav_names\n", " for i, fcu in enumerate(fcus):\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_{space_name}_fcu{i+1}_duct\"\n", - " duct[\"a\"] = junction[f\"out{i + 1}\"]\n", - " duct[\"b\"] = fcu[\"in\"]\n", + " duct(from_=junction[f\"out{i + 1}\"], to_=fcu[\"in\"])\n", "\n", " # for each vav, connect the vav's air-out to the space's respective 'inlet' inside space_cps\n", " for i, fcu in enumerate(fcus):\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"{fcu_names[i]}_space_duct\"\n", - " duct[\"a\"] = fcu[\"out\"]\n", - " duct[\"b\"] = space_cps[i]\n", + " duct(from_=fcu[\"out\"], to_=space_cps[i])\n", "\n", "def make_exhaust_fan(name: str, junction_cp: str, space_name: str, space_cp: str):\n", " ef = context[\"exhaust-fan\"]\n", " ef[\"name\"] = name\n", " # ef 'out' connects to the junction inlet via a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"junction_ef{name}_duct\"\n", - " duct[\"a\"] = ef[\"out\"]\n", - " duct[\"b\"] = eau_junction[junction_cp]\n", + " duct(from_=ef[\"out\"], to_=eau_junction[junction_cp])\n", " # ef 'in' connects from the space via a duct\n", - " duct = context[\"duct\"]\n", - " duct[\"name\"] = f\"ef{name}_space_duct\"\n", - " duct[\"a\"] = spaces[space_name][space_cp]\n", - " duct[\"b\"] = ef[\"in\"]\n" + " duct(from_=spaces[space_name][space_cp], to_=ef[\"in\"])\n" ] }, { @@ -362,7 +307,7 @@ }, { "cell_type": "code", - "execution_count": 8, + "execution_count": 9, "id": "96d89f65-ec9e-439c-8740-eacfce6c27e0", "metadata": {}, "outputs": [], @@ -378,10 +323,7 @@ "eau_junction[\"name\"] = BLDG[\"EAU_JUNCTION\"]\n", "\n", "# connect eau air return to the junction with a duct\n", - "duct = context[\"duct\"]\n", - "duct[\"name\"] = \"eau_air_return_duct\"\n", - "duct[\"a\"] = eau[\"return-air\"]\n", - "duct[\"b\"] = eau_junction[\"out1\"]\n", + "duct(from_=eau[\"return-air\"], to_=eau_junction[\"out1\"])\n", "\n", "ensure_space(\"biosafety-cabinet-space\", \"biosafety-cabinet\")\n", "\n", @@ -399,7 +341,7 @@ }, { "cell_type": "code", - "execution_count": 9, + "execution_count": 10, "id": "968a766e-e126-4cbd-8bad-996ab32baa25", "metadata": { "scrolled": true @@ -409,43 +351,41 @@ "name": "stderr", "output_type": "stream", "text": [ - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, pre-filter, heating-coil-water-in-mapsto, c1, air-supply-mapsto, evaporative-cooler-in, cooling-coil-valve-in, evaporative-cooler-evap-cool-fill-valve-in-mapsto, final-filter-out, evaporative-cooler-out, cooling-coil-pump-in-mapsto, supply-fan-oa-flow-switch, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, MAU-HRC-entering-air-temp, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, cooling-coil-pump-out, evaporative-cooler-evap-cool-pump-2stage-in, final-filter-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, heating-coil-valve, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, cooling-coil-valve, cooling-coil-pump-onoff-cmd, heating-coil-air-in, evaporative-cooler-evap-cool-sump-tank, sa_pressure_sensor, pre-filter-out, oad, pre-filter-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, MAU-HRC-return-water-temp, heating-coil-return-water-temp-sensor, supply-fan-out, final-filter-in, MAU-HRC-air-in-mapsto, supply-fan, MAU-HRC-leaving-air-temp, heating-coil-air-in-mapsto, supply-fan-start-cmd, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, oad-command, supply-fan-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, MAU-HRC-air-out, supply-fan-out-mapsto, heating-coil-air-out, cooling-coil-pump-vfd-volt, evaporative-cooler-evap-cool-fill-valve-in, MAU-HRC-water-in, supply-fan-in-mapsto, cooling-coil-pump-vfd-frq, evaporative-cooler-water-in, c7, evaporative-cooler-water-out, supply-fan-vfd-pwr, supply-fan-vfd-frq, cooling-coil-air-out-mapsto, supply-fan-vfd-flt, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-pump-vfd-cur, evaporative-cooler-in-mapsto, heating-coil-valve-command, cooling-coil-pump-vfd-flt, final-filter, cooling-coil-pump-vfd-energy, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, evaporative-cooler-evap-cool-fill-valve-out-mapsto, cooling-coil-pump-onoff-sts, heating-coil-valve-in, heating-coil-valve-out-mapsto, supply-fan-motor-status, cooling-coil-water-out, cooling-coil, oad-out-mapsto, evaporative-cooler-evap-cool-pump-2stage, supply-fan-in, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, cooling-coil-pump, MAU-HRC-water-in-mapsto, oad-out, outside-air-mapsto, final-filter-differential-pressure, sa_sp, evaporative-cooler-leaving-air-humidity, MAU-HRC-supply-water-temp, supply-fan-vfd-fb, heating-coil-valve-in-mapsto, heating-coil-water-in, supply-fan-vfd-cur, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, cooling-coil-water-in, cooling-coil-valve-feedback, MAU-HRC-air-in, final-filter-in-mapsto, heating-coil-supply-water-temp, evaporative-cooler-evap-cool-fill-valve-command, c5, evaporative-cooler-water-out-mapsto, cooling-coil-valve-in-mapsto, cooling-coil-air-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, oa_rh, pre-filter-in, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, cooling-coil-leaving-air-wetbulb-temp, cooling-coil-pump-vfd-pwr, pre-filter-differential-pressure, cooling-coil-valve-command, cooling-coil-leaving-air-temp, MAU-HRC-water-out-mapsto, cooling-coil-return-water-temp, cooling-coil-air-in, supply-fan-vfd-spd, cooling-coil-air-out, evaporative-cooler-evap-cool-fill-valve, oad-in, heating-coil, c3, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, supply-fan-vfd-energy, cooling-coil-pump-vfd-fb, oad-feedback, evaporative-cooler-entering-air-temp, c2, heating-coil-air-out-mapsto, pre-filter-out-mapsto, evaporative-cooler-water-in-mapsto, outside-air, MAU-HRC, cooling-coil-pump-in, MAU-HRC-air-out-mapsto, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, evaporative-cooler, c6, evaporative-cooler-evap-cool-pump-2stage-out, evaporative-cooler-evap-cool-fill-valve-out, evaporative-cooler-leaving-air-temp, MAU-HRC-water-out, cooling-coil-water-in-mapsto, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, evaporative-cooler-evap-cool-fill-valve-feedback, c4\" were not provided during evaluation\n", - " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-return-water-temp, rhc-water-in, sup-air-pressure, rhc-air-out, air-out-mapsto, vlv-dmp-out, rhc-water-out, vlv-dmp-out-mapsto, sup-air-temp, c0, sup-air-flow, rhc-valve-feedback, rhc-water-in-mapsto, sup-air-flow-sensor, rhc-valve-out-mapsto, air-in-mapsto, vlv-dmp-in, rhc, vlv-dmp-feedback, vlv-dmp-command, rhc-valve-in, rhc-supply-water-temp, sup-air-temp-sensor, rhc-return-water-temp-sensor, rhc-air-in-mapsto, rhc-air-in, sup-air-pressure-sensor, vlv-dmp, rhc-valve-out, rhc-valve, rhc-water-out-mapsto, rhc-supply-water-temp-sensor, rhc-valve-in-mapsto\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"pre-filter, MAU-HRC-air-out-mapsto, MAU-HRC-supply-water-temp, final-filter-in-mapsto, cooling-coil-valve-command, MAU-HRC-air-in, oad-feedback, heating-coil-supply-water-temp, cooling-coil-water-in-mapsto, final-filter, air-supply-mapsto, final-filter-differential-pressure, outside-air, pre-filter-in, supply-fan-vfd-energy, cooling-coil-pump-in, final-filter-in, oa_rh, outside-air-mapsto, supply-fan-oa-flow-switch, oad, heating-coil-valve-feedback, cooling-coil-air-out, pre-filter-out-mapsto, oad-out-mapsto, supply-fan-vfd-pwr, c3, evaporative-cooler-evap-cool-pump-2stage, pre-filter-differential-pressure, MAU-HRC-air-out, MAU-HRC-return-water-temp, heating-coil-return-water-temp-sensor, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, evaporative-cooler-evap-cool-fill-valve, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, supply-fan-motor-status, cooling-coil-valve-feedback, MAU-HRC-water-in-mapsto, MAU-HRC-water-out-mapsto, supply-fan-start-cmd, pre-filter-out, cooling-coil-pump-vfd-frq, c6, cooling-coil-pump-vfd-flt, cooling-coil-valve-out-mapsto, supply-fan, cooling-coil-air-out-mapsto, MAU-HRC-entering-air-temp, MAU-HRC-air-in-mapsto, c4, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, evaporative-cooler-evap-cool-pump-2stage-out, heating-coil-air-out-mapsto, supply-fan-in, evaporative-cooler-in-mapsto, evaporative-cooler-evap-cool-sump-tank, oad-out, heating-coil-air-out, cooling-coil-leaving-air-temp, supply-fan-vfd-flt, evaporative-cooler-evap-cool-fill-valve-in-mapsto, cooling-coil-water-in, final-filter-out, cooling-coil-air-in, evaporative-cooler-entering-air-temp, supply-fan-vfd-fb, heating-coil-air-in-mapsto, cooling-coil-pump-vfd-fb, supply-fan-vfd-frq, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, cooling-coil-valve-in-mapsto, cooling-coil-valve, heating-coil-valve, heating-coil-valve-out, cooling-coil-pump-vfd-spd, cooling-coil-pump-vfd-energy, supply-fan-out, evaporative-cooler-out, evaporative-cooler-evap-cool-pump-2stage-in, heating-coil-valve-command, sa_pressure_sensor, supply-fan-vfd-spd, evaporative-cooler-evap-cool-fill-valve-command, evaporative-cooler-evap-cool-fill-valve-out, cooling-coil-water-out, cooling-coil-valve-in, heating-coil-water-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, cooling-coil-pump-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, evaporative-cooler-water-out, heating-coil-valve-in-mapsto, oad-in, cooling-coil-pump-onoff-cmd, supply-fan-vfd-cur, evaporative-cooler-evap-cool-fill-valve-in, supply-fan-vfd-volt, cooling-coil-water-out-mapsto, evaporative-cooler-evap-cool-fill-valve-feedback, c5, evaporative-cooler-water-in, cooling-coil-pump, cooling-coil-valve-out, evaporative-cooler-water-out-mapsto, supply-fan-out-mapsto, oad-command, cooling-coil-leaving-air-wetbulb-temp, c1, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, heating-coil-return-water-temp, evaporative-cooler-in, cooling-coil-pump-vfd-cur, evaporative-cooler-evap-cool-fill-valve-out-mapsto, heating-coil-supply-water-temp-sensor, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, evaporative-cooler-water-in-mapsto, evaporative-cooler-leaving-air-humidity, cooling-coil-pump-vfd-pwr, heating-coil-water-in-mapsto, final-filter-out-mapsto, sa_sp, evaporative-cooler-leaving-air-temp, cooling-coil-pump-onoff-sts, cooling-coil-pump-out-mapsto, heating-coil-air-in, MAU-HRC-water-out, heating-coil, evaporative-cooler, cooling-coil-return-water-temp, heating-coil-water-in, heating-coil-water-out, c2, heating-coil-valve-out-mapsto, supply-fan-in-mapsto, pre-filter-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, cooling-coil-pump-out, MAU-HRC-water-in, heating-coil-valve-in, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, c7, cooling-coil-entering-air-temp, cooling-coil, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, MAU-HRC, cooling-coil-air-in-mapsto, cooling-coil-pump-vfd-volt, MAU-HRC-leaving-air-temp, cooling-coil-supply-water-temp\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-air-out, sup-air-flow-sensor, air-out-mapsto, c0, rhc-water-out, rhc-air-in, rhc-valve-in, rhc-return-water-temp-sensor, rhc-water-out-mapsto, vlv-dmp-in, rhc, rhc-air-in-mapsto, rhc-valve-in-mapsto, sup-air-temp-sensor, rhc-water-in-mapsto, vlv-dmp-out, rhc-water-in, air-in-mapsto, sup-air-temp, sup-air-pressure, rhc-valve-out, vlv-dmp-command, rhc-supply-water-temp, rhc-return-water-temp, vlv-dmp-out-mapsto, vlv-dmp, rhc-valve-out-mapsto, rhc-valve, vlv-dmp-feedback, sup-air-pressure-sensor, rhc-valve-feedback, rhc-supply-water-temp-sensor, sup-air-flow\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-return-water-temp, rhc-water-in, air-in, sup-air-pressure, rhc-air-out, air-out-mapsto, vlv-dmp-out, rhc-water-out, vlv-dmp-out-mapsto, sup-air-temp, air-out, c0, sup-air-flow, rhc-valve-feedback, rhc-water-in-mapsto, sup-air-flow-sensor, rhc-valve-out-mapsto, air-in-mapsto, vlv-dmp-in, rhc, vlv-dmp-feedback, vlv-dmp-command, rhc-valve-in, rhc-supply-water-temp, sup-air-temp-sensor, rhc-return-water-temp-sensor, rhc-air-in-mapsto, rhc-air-in, sup-air-pressure-sensor, vlv-dmp, rhc-valve-out, rhc-valve, rhc-water-out-mapsto, rhc-supply-water-temp-sensor, rhc-valve-in-mapsto\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"name\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out8, out5-mapsto, in3-mapsto, out4-mapsto, out3, out7, out11, out6-mapsto, out15, out16, out5, out16-mapsto, in4, out14, out12, in3, out6, out8-mapsto, in5-mapsto, out3-mapsto, out9, out12-mapsto, out9-mapsto, in1-mapsto, out14-mapsto, out11-mapsto, out13-mapsto, out13, in4-mapsto, out1, out10, out2-mapsto, out7-mapsto, out2, out1-mapsto, out15-mapsto, out10-mapsto, in5, in2-mapsto, in2\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"physical-space, relative-humidity, out2-mapsto, in3-mapsto, humidity-sensor, exh-flow-sensor, out-mapsto, out2, temp, in2, exhaust-air-flow, in-mapsto, in3, sup-flow-sensor, in4, temp-sensor, in2-mapsto, out, supply-air-flow, in4-mapsto\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"physical-space, relative-humidity, out2-mapsto, in3-mapsto, humidity-sensor, exh-flow-sensor, out-mapsto, out2, temp, in2, exhaust-air-flow, in-mapsto, in3, sup-flow-sensor, temp-sensor, in4, in2-mapsto, out, supply-air-flow, in4-mapsto\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out5-mapsto, out8, in3-mapsto, out4-mapsto, out3, out11, out6-mapsto, out16, out5, out16-mapsto, in4, out14, out12, in3, out6, out4, out8-mapsto, in5-mapsto, out3-mapsto, out14-mapsto, out12-mapsto, out9-mapsto, in1-mapsto, out9, out11-mapsto, out13-mapsto, out13, in4-mapsto, out1, out10, out2-mapsto, out7-mapsto, out2, out10-mapsto, out1-mapsto, out15-mapsto, out15, in5, in2-mapsto, in2\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-valve-command, rhc-air-out, sup-air-flow-sensor, air-out-mapsto, c0, rhc-water-out, rhc-air-in, rhc-valve-in, rhc-return-water-temp-sensor, rhc-water-out-mapsto, vlv-dmp-in, rhc, rhc-air-in-mapsto, rhc-valve-in-mapsto, sup-air-temp-sensor, rhc-water-in-mapsto, vlv-dmp-out, rhc-water-in, air-in-mapsto, sup-air-temp, sup-air-pressure, rhc-valve-out, vlv-dmp-command, rhc-supply-water-temp, rhc-return-water-temp, vlv-dmp-out-mapsto, air-in, vlv-dmp, air-out, rhc-valve-out-mapsto, rhc-valve, vlv-dmp-feedback, sup-air-pressure-sensor, rhc-valve-feedback, rhc-supply-water-temp-sensor, sup-air-flow\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, heating-coil-air-in, zone-temp, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-leaving-air-temp, fan-vfd-frq, cooling-coil-return-water-temp, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out6-mapsto, in5-mapsto, out15-mapsto, out1-mapsto, out11, out16, out12, out14-mapsto, in2, out16-mapsto, in5, out13-mapsto, in3, in4, out10-mapsto, in2-mapsto, out8, out5-mapsto, out3, out7-mapsto, out4-mapsto, in4-mapsto, out9, out3-mapsto, out2-mapsto, out11-mapsto, in3-mapsto, out8-mapsto, out13, out5, out2, in1-mapsto, out10, out1, out14, out7, out12-mapsto, out9-mapsto, out15, out6\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, out, in4-mapsto, out2-mapsto, out2, physical-space, in2-mapsto, in-mapsto, sup-flow-sensor, exh-flow-sensor, out-mapsto, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"physical-space, in, relative-humidity, out2-mapsto, in3-mapsto, humidity-sensor, exh-flow-sensor, out-mapsto, out2, temp, in2, exhaust-air-flow, in-mapsto, in3, sup-flow-sensor, temp-sensor, in4, in2-mapsto, out, supply-air-flow, in4-mapsto\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, heating-coil-air-in, zone-temp, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-return-water-temp, cooling-coil-leaving-air-temp, fan-vfd-frq, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"out6-mapsto, in5-mapsto, out15-mapsto, out1-mapsto, out11, out16, out12, out14-mapsto, in2, out16-mapsto, in5, out13-mapsto, in3, in4, out10-mapsto, in2-mapsto, out8, out4, out5-mapsto, out3, out7-mapsto, out4-mapsto, in4-mapsto, out9, out3-mapsto, out2-mapsto, out11-mapsto, in3-mapsto, out8-mapsto, out13, out5, out2, in1-mapsto, out10, out1, out14, out12-mapsto, out9-mapsto, out15, out6\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"heating-coil-valve-command, cond-overflow, fan-in, heating-coil-water-in-mapsto, cooling-coil-pump-vfd-flt, fan-motor-status, cooling-coil-pump-vfd-energy, cooling-coil-pump-onoff-sts, cooling-coil-valve-in, heating-coil-valve-out-mapsto, heating-coil-valve-in, cooling-coil-pump-in-mapsto, cooling-coil-water-out, cooling-coil, fan-in-mapsto, fan-vfd-fb, occ-override, cooling-coil-pump-out, zone-humidity, fan-vfd-spd, heating-coil-valve, cooling-coil-pump, heating-coil-valve-feedback, cooling-coil-entering-air-temp, cooling-coil-valve-out-mapsto, fan-vfd-energy, cooling-coil-pump-onoff-cmd, cooling-coil-valve, zone-temp, heating-coil-air-in, fan-oa-flow-switch, heating-coil-valve-in-mapsto, heating-coil-water-in, cooling-coil-water-in, cooling-coil-valve-feedback, cooling-coil-air-in-mapsto, heating-coil-supply-water-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-in-mapsto, cooling-coil-water-out-mapsto, heating-coil-return-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in-mapsto, fan-out-mapsto, cooling-coil-pump-vfd-pwr, cooling-coil-valve-command, cooling-coil-leaving-air-temp, fan-vfd-frq, cooling-coil-return-water-temp, fan-vfd-cur, cooling-coil-air-in, cooling-coil-air-out, fan-start-cmd, heating-coil, fan-vfd-volt, cooling-coil-pump-vfd-fb, DA-temp, heating-coil-air-out, heating-coil-air-out-mapsto, cooling-coil-pump-vfd-volt, out-mapsto, fan-vfd-flt, cooling-coil-pump-vfd-frq, cooling-coil-pump-in, cooling-coil-valve-out, heating-coil-valve-out, cooling-coil-pump-vfd-spd, fan, cooling-coil-air-out-mapsto, fan-vfd-pwr, cooling-coil-pump-out-mapsto, cooling-coil-supply-water-temp, heating-coil-water-out, cooling-coil-water-in-mapsto, in-mapsto, cooling-coil-pump-vfd-cur, heating-coil-supply-water-temp-sensor, heating-coil-water-out-mapsto, fan-out\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"fan-vfd-flt, fan-vfd-fb, heating-coil-valve, heating-coil-valve-out, cooling-coil-pump-vfd-spd, cooling-coil-pump-vfd-energy, fan-oa-flow-switch, heating-coil-valve-command, cooling-coil-valve-command, fan-out, heating-coil-supply-water-temp, fan-in, cooling-coil-water-in-mapsto, cooling-coil-water-out, cooling-coil-pump-in, cooling-coil-valve-in, heating-coil-water-out-mapsto, cooling-coil-pump-in-mapsto, heating-coil-valve-in-mapsto, cooling-coil-pump-onoff-cmd, heating-coil-valve-feedback, cooling-coil-air-out, zone-humidity, cooling-coil-water-out-mapsto, occ-override, cond-overflow, heating-coil-return-water-temp-sensor, cooling-coil-pump, cooling-coil-valve-out, cooling-coil-leaving-air-wetbulb-temp, cooling-coil-pump-vfd-cur, heating-coil-return-water-temp, cooling-coil-valve-feedback, fan-vfd-volt, heating-coil-supply-water-temp-sensor, cooling-coil-pump-vfd-pwr, heating-coil-water-in-mapsto, fan-vfd-frq, zone-temp, cooling-coil-pump-onoff-sts, cooling-coil-pump-vfd-frq, out-mapsto, cooling-coil-pump-out-mapsto, fan-in-mapsto, cooling-coil-pump-vfd-flt, heating-coil-air-in, cooling-coil-valve-out-mapsto, fan-start-cmd, DA-temp, in-mapsto, heating-coil, cooling-coil-air-out-mapsto, cooling-coil-return-water-temp, heating-coil-water-out, heating-coil-water-in, heating-coil-air-out-mapsto, heating-coil-valve-out-mapsto, heating-coil-air-out, cooling-coil-pump-out, cooling-coil-leaving-air-temp, cooling-coil-water-in, heating-coil-valve-in, fan-vfd-spd, fan-vfd-cur, cooling-coil-air-in, cooling-coil-entering-air-temp, fan-motor-status, fan-vfd-energy, cooling-coil, fan, cooling-coil-supply-water-temp, heating-coil-air-in-mapsto, cooling-coil-air-in-mapsto, cooling-coil-pump-vfd-fb, cooling-coil-pump-vfd-volt, fan-out-mapsto, fan-vfd-pwr, cooling-coil-valve-in-mapsto, cooling-coil-valve\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, pre-filter, EAU-HRC-return-water-temp, final-filter, exhaust-fan-vfd-frq, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, isolation-damper-feedback, c13, isolation-damper-in-mapsto, exhaust-fan-in, exhaust-fan-low-sp-sensor, evaporative-cooler-in, EAU-HRC-supply-water-temp, evaporative-cooler-evap-cool-fill-valve-out-mapsto, EAU-HRC-water-out, evaporative-cooler-evap-cool-fill-valve-in-mapsto, final-filter-out, evaporative-cooler-out, exhaust-fan-vfd-energy, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, evaporative-cooler-evap-cool-pump-2stage, exhaust-fan-low-sp, exhaust-fan-start-cmd, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, exhaust-fan-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-in, evaporative-cooler-out-mapsto, air-exhaust-mapsto, isolation-damper-out, final-filter-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, EAU-HRC-air-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, exhaust-fan-vfd-cur, exhaust-fan-out, final-filter-differential-pressure, EAU-HRC-entering-air-temp, evaporative-cooler-evap-cool-sump-tank, evaporative-cooler-leaving-air-humidity, exhaust-fan-iso-dmp-in-mapsto, c14, exhaust-fan-iso-dmp-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, pre-filter-out, pre-filter-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, return-air-mapsto, final-filter-in-mapsto, evaporative-cooler-evap-cool-fill-valve-command, exhaust-fan-iso-dmp-command, evaporative-cooler-water-out-mapsto, EAU-HRC-air-out, c10, EAU-HRC-water-in-mapsto, exhaust-fan-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, final-filter-in, exhaust-fan-iso-dmp-feedback, pre-filter-in, c11, ea-pressure-sensor, exhaust-fan-iso-dmp-out, low-pressure-sensor, EAU-HRC-water-in, pre-filter-differential-pressure, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, EAU-HRC-water-out-mapsto, EAU-HRC-leaving-air-temp, c12, exhaust-fan-vfd-spd, evaporative-cooler-evap-cool-fill-valve, low-sp, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, exhaust-fan-iso-dmp, exhaust-fan, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, isolation-damper-in, evaporative-cooler-entering-air-temp, ea-sp, isolation-damper-out-mapsto, evaporative-cooler-evap-cool-fill-valve-in, pre-filter-out-mapsto, evaporative-cooler-water-in-mapsto, isolation-damper-command, EAU-HRC-air-in, evaporative-cooler-water-in, exhaust-fan-vfd-fb, EAU-HRC, evaporative-cooler-water-out, isolation-damper, EAU-HRC-air-in-mapsto, evaporative-cooler, exhaust-fan-vfd-flt, evaporative-cooler-evap-cool-pump-2stage-out, evaporative-cooler-evap-cool-fill-valve-out, exhaust-fan-motor-status, evaporative-cooler-leaving-air-temp, exhaust-fan-vfd-pwr, exhaust-fan-iso-dmp-in, evaporative-cooler-evap-cool-fill-valve-feedback, evaporative-cooler-in-mapsto\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"isolation-damper, pre-filter, exhaust-fan-iso-dmp-command, EAU-HRC-water-out-mapsto, isolation-damper-command, EAU-HRC-leaving-air-temp, isolation-damper-out-mapsto, c13, evaporative-cooler-out, evaporative-cooler-evap-cool-pump-2stage-in, final-filter-in-mapsto, exhaust-fan, exhaust-fan-in-mapsto, c14, final-filter-differential-pressure, final-filter, evaporative-cooler-evap-cool-fill-valve-command, pre-filter-in, evaporative-cooler-evap-cool-fill-valve-out, exhaust-fan-in, final-filter-in, exhaust-fan-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, exhaust-fan-motor-status, evaporative-cooler-water-out, EAU-HRC-air-out-mapsto, evaporative-cooler-evap-cool-fill-valve-in, pre-filter-out-mapsto, exhaust-fan-iso-dmp-feedback, evaporative-cooler-evap-cool-pump-2stage, evaporative-cooler-evap-cool-fill-valve-feedback, exhaust-fan-vfd-energy, pre-filter-differential-pressure, exhaust-fan-iso-dmp-out-mapsto, low-sp, evaporative-cooler-water-in, EAU-HRC-water-in, c10, air-exhaust-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, evaporative-cooler-water-out-mapsto, isolation-damper-in, evaporative-cooler-evap-cool-fill-valve, EAU-HRC-water-out, ea-sp, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, EAU-HRC-air-in-mapsto, exhaust-fan-low-sp-sensor, c11, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, exhaust-fan-start-cmd, evaporative-cooler-in, return-air-mapsto, evaporative-cooler-evap-cool-fill-valve-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, evaporative-cooler-water-in-mapsto, evaporative-cooler-leaving-air-humidity, exhaust-fan-iso-dmp-in, final-filter-out-mapsto, EAU-HRC, exhaust-fan-vfd-flt, pre-filter-out, EAU-HRC-return-water-temp, isolation-damper-in-mapsto, evaporative-cooler-leaving-air-temp, exhaust-fan-vfd-cur, exhaust-fan-iso-dmp-in-mapsto, ea-pressure-sensor, exhaust-fan-vfd-frq, evaporative-cooler, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, evaporative-cooler-evap-cool-pump-2stage-out, c12, exhaust-fan-iso-dmp-out, EAU-HRC-entering-air-temp, evaporative-cooler-in-mapsto, pre-filter-in-mapsto, evaporative-cooler-evap-cool-sump-tank, exhaust-fan-low-sp, EAU-HRC-air-in, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, isolation-damper-feedback, evaporative-cooler-evap-cool-fill-valve-in-mapsto, exhaust-fan-out, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, final-filter-out, exhaust-fan-vfd-pwr, EAU-HRC-air-out, evaporative-cooler-entering-air-temp, EAU-HRC-water-in-mapsto, exhaust-fan-iso-dmp, evaporative-cooler-out-mapsto, low-pressure-sensor, exhaust-fan-vfd-fb, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, EAU-HRC-supply-water-temp, isolation-damper-out, exhaust-fan-vfd-spd\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"humidity-sensor, temp, temp-sensor, exhaust-air-flow, in3-mapsto, relative-humidity, in4-mapsto, out2-mapsto, physical-space, in2-mapsto, sup-flow-sensor, in-mapsto, exh-flow-sensor, out-mapsto, in, in4, supply-air-flow, in2, in3\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"physical-space, in, relative-humidity, out2-mapsto, in3-mapsto, humidity-sensor, exh-flow-sensor, out-mapsto, temp, in2, exhaust-air-flow, in-mapsto, sup-flow-sensor, in3, temp-sensor, in4, in2-mapsto, supply-air-flow, in4-mapsto\" were not provided during evaluation\n", " warnings.warn(\n", - "/Users/gabe/src/NREL/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"iso-dmp-out, iso-dmp-in-mapsto, iso-dmp-in, vfd-spd, vfd-flt, iso-dmp-feedback, low-sp-sensor, vfd-pwr, vfd-energy, low-sp, vfd-fb, in-mapsto, start-cmd, out-mapsto, iso-dmp, motor-status, vfd-frq, vfd-volt, iso-dmp-out-mapsto, iso-dmp-command, vfd-cur\" were not provided during evaluation\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"vfd-frq, iso-dmp-in, motor-status, iso-dmp-out, vfd-pwr, vfd-spd, iso-dmp-command, out-mapsto, iso-dmp-feedback, vfd-energy, low-sp, iso-dmp-out-mapsto, low-sp-sensor, vfd-cur, in-mapsto, vfd-flt, vfd-volt, start-cmd, vfd-fb, iso-dmp-in-mapsto, iso-dmp\" were not provided during evaluation\n", " warnings.warn(\n" ] }, { "data": { "text/plain": [ - ")>" + ")>" ] }, - "execution_count": 9, + "execution_count": 10, "metadata": {}, "output_type": "execute_result" } @@ -457,176 +397,19 @@ }, { "cell_type": "code", - "execution_count": 10, + "execution_count": 12, "id": "d61db6a4-a5bd-4422-b7ef-545c89db0bb9", "metadata": { "scrolled": true }, - "outputs": [ - { - "name": "stderr", - "output_type": "stream", - "text": [ - "2024-04-15 00:12:26,557 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,570 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,571 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,583 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,584 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,596 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,597 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,608 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,609 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,621 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,637 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,649 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,660 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,672 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:26,673 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:26,684 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,129 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,143 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,144 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,156 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,157 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,169 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,170 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,182 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,183 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,195 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,213 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,228 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,240 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,253 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:28,254 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:28,267 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,793 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,808 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,809 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,823 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,824 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,837 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,838 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,853 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,853 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,867 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,884 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,898 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,909 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,923 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:32,924 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:32,938 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,062 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", - "Traceback (most recent call last):\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", - " return conv_func(lexical) # type: ignore[arg-type]\n", - " ^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", - " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", - " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", - " self._parse(stream, True, *args, **kwargs)\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", - " self.mainLoop()\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", - " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", - " raise ParseError(E[errorcode] % datavars)\n", - "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n", - "2024-04-15 00:12:33,091 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,107 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,107 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,122 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,123 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,138 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,198 | rdflib.term | WARNING: Failed to convert Literal lexical form to value. Datatype=http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML, Converter=\n", - "Traceback (most recent call last):\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 2119, in _castLexicalToPython\n", - " return conv_func(lexical) # type: ignore[arg-type]\n", - " ^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/rdflib/term.py\", line 1663, in _parse_html\n", - " result: xml.dom.minidom.DocumentFragment = parser.parseFragment(lexical_form)\n", - " ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 312, in parseFragment\n", - " self._parse(stream, True, *args, **kwargs)\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 133, in _parse\n", - " self.mainLoop()\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 216, in mainLoop\n", - " self.parseError(new_token[\"data\"], new_token.get(\"datavars\", {}))\n", - " File \"/Users/gabe/src/NREL/BuildingMOTIF/.venv/lib/python3.11/site-packages/html5lib/html5parser.py\", line 321, in parseError\n", - " raise ParseError(E[errorcode] % datavars)\n", - "html5lib.html5parser.ParseError: Expected tag name. Got something else instead\n", - "2024-04-15 00:12:33,243 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,260 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,260 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,277 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,532 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,550 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,550 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,567 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,568 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,585 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,585 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,602 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,603 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,619 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,635 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,652 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,664 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,680 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,681 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,697 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,911 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,928 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,929 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,946 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,947 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,965 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,966 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:33,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:33,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:34,000 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:34,907 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:34,926 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:34,927 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:34,945 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:34,945 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:34,964 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:34,964 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:34,982 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:34,983 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:35,001 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:35,017 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:35,035 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:35,047 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:35,065 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:35,066 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:35,084 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,785 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,805 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/ns/shacl# from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,806 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,825 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/dtype from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,826 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,845 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.linkedmodel.org/schema/vaem from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,846 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,865 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://www.w3.org/2004/02/skos/core from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,866 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,885 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/shacl/overlay/qudt from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,900 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,920 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/schema/extensions/functions from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,931 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,951 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/constant from Libraries. Trying shape collections\n", - "2024-04-15 00:12:36,952 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries (No row was found when one was required). Trying shape collections\n", - "2024-04-15 00:12:36,971 | buildingmotif.dataclasses.shape_collection | WARNING: Could not resolve import of http://qudt.org/2.1/vocab/soqk from Libraries. Trying shape collections\n" - ] - } - ], + "outputs": [], "source": [ - "res = bldg.validate([s223.get_shape_collection(), *[x.get_shape_collection() for x in qudt_libs]], error_on_missing_imports=False)" + "res = bldg.validate([s223.get_shape_collection()], error_on_missing_imports=False)" ] }, { "cell_type": "code", - "execution_count": 11, + "execution_count": 13, "id": "7cd8fef6-0a3b-4b58-a6b3-d430c02306b7", "metadata": {}, "outputs": [ @@ -634,8 +417,8 @@ "name": "stdout", "output_type": "stream", "text": [ - "56863\n", - "Valid? 0\n" + "2234\n", + "Valid? True\n" ] } ], @@ -647,4922 +430,33 @@ }, { "cell_type": "code", - "execution_count": 12, + "execution_count": 14, "id": "c73d9b7c-4ea5-47b2-876a-b735af9b59be", "metadata": { "scrolled": true }, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "http://qudt.org/vocab/unit/MegaHZ\n", - "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/HectoBAR\n", - "http://qudt.org/vocab/unit/HectoBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HectoBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/N-PER-MilliM2\n", - "http://qudt.org/vocab/unit/N-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/N-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ReciprocalElectricResistance\n", - "http://qudt.org/vocab/quantitykind/ReciprocalElectricResistance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/DynamicViscosity\n", - "http://qudt.org/vocab/quantitykind/DynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_KelvinHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H-1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/ARCSEC\n", - "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VoltagePhasor\n", - "http://qudt.org/vocab/quantitykind/VoltagePhasor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagneticAreaMoment\n", - "http://qudt.org/vocab/quantitykind/MagneticAreaMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/OZ-PER-HR\n", - "http://qudt.org/vocab/unit/OZ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DecaGM\n", - "http://qudt.org/vocab/unit/DecaGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DecaGM needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-SEC\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCi\n", - "http://qudt.org/vocab/unit/KiloCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IU-PER-L\n", - "http://qudt.org/vocab/unit/IU-PER-L needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoGM\n", - "http://qudt.org/vocab/unit/NanoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaHZ-M\n", - "http://qudt.org/vocab/unit/GigaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaJ-PER-HR\n", - "http://qudt.org/vocab/unit/GigaJ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SoundPower\n", - "http://qudt.org/vocab/quantitykind/SoundPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloGM-PER-HR\n", - "http://qudt.org/vocab/unit/KiloGM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV\n", - "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstant\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C_Stat-PER-MOL\n", - "http://qudt.org/vocab/unit/C_Stat-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroM3-PER-MilliL\n", - "http://qudt.org/vocab/unit/MicroM3-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM3-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoSEC\n", - "http://qudt.org/vocab/unit/NanoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Gamma\n", - "http://qudt.org/vocab/unit/Gamma needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Gamma needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT2-PER-SEC\n", - "http://qudt.org/vocab/unit/FT2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL\n", - "http://qudt.org/vocab/unit/KiloCAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronGFactor\n", - "http://qudt.org/vocab/constant/Value_DeuteronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFractionOfB\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFractionOfB needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/V\n", - "http://qudt.org/vocab/unit/V needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/YR\n", - "http://qudt.org/vocab/unit/YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ComptonWavelengthOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroPA\n", - "http://qudt.org/vocab/unit/MicroPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D-1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CentiPOISE\n", - "http://qudt.org/vocab/unit/CentiPOISE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PINT_US-PER-HR\n", - "http://qudt.org/vocab/unit/PINT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoH\n", - "http://qudt.org/vocab/unit/PicoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MolarOpticalRotatoryPower\n", - "http://qudt.org/vocab/quantitykind/MolarOpticalRotatoryPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-MicroM\n", - "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassNumber\n", - "http://qudt.org/vocab/quantitykind/MassNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PERMEABILITY_REL\n", - "http://qudt.org/vocab/unit/PERMEABILITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERMEABILITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckPressure\n", - "http://qudt.org/vocab/unit/PlanckPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/THM_US-PER-HR\n", - "http://qudt.org/vocab/unit/THM_US-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-MOL-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-MOL-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/RAD-PER-HR\n", - "http://qudt.org/vocab/unit/RAD-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/RAD-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnPressure\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/InstantaneousPower\n", - "http://qudt.org/vocab/quantitykind/InstantaneousPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/InstantaneousPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MX\n", - "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MX needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M2H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M2H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM\n", - "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloPA-M2-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-PicoM\n", - "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AbsoluteActivity\n", - "http://qudt.org/vocab/quantitykind/AbsoluteActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AbsoluteActivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SurfaceRelatedVolumeFlow\n", - "http://qudt.org/vocab/quantitykind/SurfaceRelatedVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/LineicResolution\n", - "http://qudt.org/vocab/quantitykind/LineicResolution needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-HR-PER-M2\n", - "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/unit/W-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy\n", - "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificHelmholtzEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_DeuteronRmsChargeRadius\n", - "http://qudt.org/vocab/constant/Value_DeuteronRmsChargeRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-PlanckMass2\n", - "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-PlanckMass2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInHzPerK\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInHzPerK needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ReflectanceFactor\n", - "http://qudt.org/vocab/quantitykind/ReflectanceFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-PER-DAY\n", - "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2\n", - "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Ab-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroBQ\n", - "http://qudt.org/vocab/unit/MicroBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentrationOfB\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentrationOfB needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GigaJ-PER-M2\n", - "http://qudt.org/vocab/unit/GigaJ-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L\n", - "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoW-PER-CentiM2-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMolarMass\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ElectronMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_ElectronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GAL_US-PER-HR\n", - "http://qudt.org/vocab/unit/GAL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Permittivity\n", - "http://qudt.org/vocab/quantitykind/Permittivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GM-PER-KiloM\n", - "http://qudt.org/vocab/unit/GM-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-SEC\n", - "http://qudt.org/vocab/unit/CentiM3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-3I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-3I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-SEC-SR\n", - "http://qudt.org/vocab/unit/PER-SEC-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PlanckFunction\n", - "http://qudt.org/vocab/quantitykind/PlanckFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PlanckFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroM\n", - "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IU-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/quantitykind/MassPerAreaTime\n", - "http://qudt.org/vocab/quantitykind/MassPerAreaTime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ANGSTROM\n", - "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MilliL\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliR\n", - "http://qudt.org/vocab/unit/MilliR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M-W-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ChemicalPotential\n", - "http://qudt.org/vocab/quantitykind/ChemicalPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-SEC-PER-MOL\n", - "http://qudt.org/vocab/unit/J-SEC-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LevelWidth\n", - "http://qudt.org/vocab/quantitykind/LevelWidth needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronToShieldedProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LorenzCoefficient\n", - "http://qudt.org/vocab/quantitykind/LorenzCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/N-PER-C\n", - "http://qudt.org/vocab/unit/N-PER-C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-MOL\n", - "http://qudt.org/vocab/unit/PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedVolumeFlowRate\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedVolumeFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GigaW-HR\n", - "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoC\n", - "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricFluxDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PackingFraction\n", - "http://qudt.org/vocab/quantitykind/PackingFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PlanckCharge\n", - "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-ANGSTROM\n", - "http://qudt.org/vocab/unit/PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MOL-PER-TONNE\n", - "http://qudt.org/vocab/unit/MOL-PER-TONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_TauComptonWavelength\n", - "http://qudt.org/vocab/constant/Value_TauComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/C4-M4-PER-J3\n", - "http://qudt.org/vocab/unit/C4-M4-PER-J3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-M3\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularFrequency\n", - "http://qudt.org/vocab/quantitykind/AngularFrequency needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NUM-PER-YR\n", - "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MagneticFluxDensityOrMagneticPolarization\n", - "http://qudt.org/vocab/quantitykind/MagneticFluxDensityOrMagneticPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/prefix/Zebi\n", - "http://qudt.org/vocab/prefix/Zebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ShearStrain\n", - "http://qudt.org/vocab/quantitykind/ShearStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PicoW-PER-M2\n", - "http://qudt.org/vocab/unit/PicoW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/N-SEC-PER-M3\n", - "http://qudt.org/vocab/unit/N-SEC-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ERG-SEC\n", - "http://qudt.org/vocab/unit/ERG-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MolarVolumeOfIdealGas\n", - "http://qudt.org/vocab/constant/Value_MolarVolumeOfIdealGas needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR\n", - "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BBL_US_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicEnergy\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BU_UK-PER-HR\n", - "http://qudt.org/vocab/unit/BU_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BU_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/L-PER-HR\n", - "http://qudt.org/vocab/unit/L-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/L-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/GyromagneticRatio\n", - "http://qudt.org/vocab/quantitykind/GyromagneticRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/GyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/R\n", - "http://qudt.org/vocab/unit/R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB_F-IN\n", - "http://qudt.org/vocab/unit/LB_F-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M3\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM-PER-DAY\n", - "http://qudt.org/vocab/unit/GM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ANGSTROM3\n", - "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ANGSTROM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_US-PER-HR\n", - "http://qudt.org/vocab/unit/GI_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/HelmholtzEnergy\n", - "http://qudt.org/vocab/quantitykind/HelmholtzEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/HelmholtzEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY\n", - "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionOffset\n", - "http://qudt.org/vocab/unit/DEG_C_GROWING_CEREAL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/EnergyDensity\n", - "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseISOUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseUSCustomaryUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/EnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/baseImperialUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/MolarOpticalRotationalAbility\n", - "http://qudt.org/vocab/quantitykind/MolarOpticalRotationalAbility needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/KiloTONNE\n", - "http://qudt.org/vocab/unit/KiloTONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloTONNE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR\n", - "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliRAD_R-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SH\n", - "http://qudt.org/vocab/unit/SH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-J-M3\n", - "http://qudt.org/vocab/unit/PER-J-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatVolume\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatVolume needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/BAR\n", - "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SoundReductionIndex\n", - "http://qudt.org/vocab/quantitykind/SoundReductionIndex needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MIN\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MagneticSusceptability\n", - "http://qudt.org/vocab/quantitykind/MagneticSusceptability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagneticSusceptability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-T-M\n", - "http://qudt.org/vocab/unit/PER-T-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoGM-PER-L\n", - "http://qudt.org/vocab/unit/NanoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/THM_US\n", - "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/THM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGAL\n", - "http://qudt.org/vocab/unit/MilliGAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN\n", - "http://qudt.org/vocab/unit/DYN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PoyntingVector\n", - "http://qudt.org/vocab/quantitykind/PoyntingVector needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PoyntingVector needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfAction\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfAction needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MagneticTension\n", - "http://qudt.org/vocab/quantitykind/MagneticTension needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/WK\n", - "http://qudt.org/vocab/unit/WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/C-PER-M2\n", - "http://qudt.org/vocab/unit/C-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity\n", - "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/StandardAbsoluteActivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckEnergy\n", - "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PA-PER-BAR\n", - "http://qudt.org/vocab/unit/PA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronGFactor\n", - "http://qudt.org/vocab/constant/Value_ElectronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GigaBQ\n", - "http://qudt.org/vocab/unit/GigaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RadiantEnergy\n", - "http://qudt.org/vocab/quantitykind/RadiantEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM_Nitrogen-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_US\n", - "http://qudt.org/vocab/unit/PINT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_Pi\n", - "http://qudt.org/vocab/constant/Value_Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A1E0L-3I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A1E0L-3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GM_F-PER-CentiM2\n", - "http://qudt.org/vocab/unit/GM_F-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM_F-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/TeraJ\n", - "http://qudt.org/vocab/unit/TeraJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_DeuteronNeutronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-WK\n", - "http://qudt.org/vocab/unit/PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Permeance\n", - "http://qudt.org/vocab/quantitykind/Permeance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/GasLeakRate\n", - "http://qudt.org/vocab/quantitykind/GasLeakRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/RelativeHumidity\n", - "http://qudt.org/vocab/quantitykind/RelativeHumidity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/RelativeHumidity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-1T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/SolarMass\n", - "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/SolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YottaC\n", - "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/YottaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BAR-PER-K\n", - "http://qudt.org/vocab/unit/BAR-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BAR-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricDisplacement\n", - "http://qudt.org/vocab/quantitykind/ElectricDisplacement needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricDisplacement needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MolarThermalCapacity\n", - "http://qudt.org/vocab/quantitykind/MolarThermalCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/KiloEV-PER-MicroM\n", - "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloEV-PER-MicroM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassicHeatCapacity\n", - "http://qudt.org/vocab/quantitykind/MassicHeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Frequency\n", - "http://qudt.org/vocab/quantitykind/Frequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_F-PER-MIN\n", - "http://qudt.org/vocab/unit/DEG_F-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HartreeKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PINT_US_DRY\n", - "http://qudt.org/vocab/unit/PINT_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/HallCoefficient\n", - "http://qudt.org/vocab/quantitykind/HallCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2\n", - "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Stat-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Coercivity\n", - "http://qudt.org/vocab/quantitykind/Coercivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/TebiBYTE\n", - "http://qudt.org/vocab/unit/TebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_LatticeSpacingOfSilicon\n", - "http://qudt.org/vocab/constant/Value_LatticeSpacingOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/V_Ab-PER-CentiM\n", - "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V_Ab-PER-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TritonProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_TritonProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBYTE\n", - "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LinearAbsorptionCoefficient\n", - "http://qudt.org/vocab/quantitykind/LinearAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-SEC-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ExbiBYTE\n", - "http://qudt.org/vocab/unit/ExbiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ExbiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/N-PER-M\n", - "http://qudt.org/vocab/unit/N-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalResistance\n", - "http://qudt.org/vocab/quantitykind/ThermalResistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RelativeMassConcentrationOfVapour\n", - "http://qudt.org/vocab/quantitykind/RelativeMassConcentrationOfVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliL-PER-M3\n", - "http://qudt.org/vocab/unit/MilliL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-M-NanoM-SR\n", - "http://qudt.org/vocab/unit/PER-M-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-M-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroV-PER-M\n", - "http://qudt.org/vocab/unit/MicroV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SoundPowerLevel\n", - "http://qudt.org/vocab/quantitykind/SoundPowerLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SoundPowerLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-PER-FT\n", - "http://qudt.org/vocab/unit/LB-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BohrMagneton\n", - "http://qudt.org/vocab/constant/Value_BohrMagneton needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/OZ-PER-DAY\n", - "http://qudt.org/vocab/unit/OZ-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-PER-M2-K4\n", - "http://qudt.org/vocab/unit/W-PER-M2-K4 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloEV\n", - "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR\n", - "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliW-PER-CentiM2-MicroM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaA-PER-M2\n", - "http://qudt.org/vocab/unit/MegaA-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaA-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT_H2O\n", - "http://qudt.org/vocab/unit/FT_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/IN3-PER-SEC\n", - "http://qudt.org/vocab/unit/IN3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloHZ\n", - "http://qudt.org/vocab/unit/KiloHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AbsorbedDose\n", - "http://qudt.org/vocab/quantitykind/AbsorbedDose needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PT\n", - "http://qudt.org/vocab/unit/PT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonTauMassRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SoundPressureLevel\n", - "http://qudt.org/vocab/quantitykind/SoundPressureLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundPressureLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AreaPerTime\n", - "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseUSCustomaryUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/AreaPerTime needs between None and 1 uses of path http://qudt.org/schema/qudt/baseImperialUnitDimensions\n", - "http://qudt.org/vocab/unit/ExaJ\n", - "http://qudt.org/vocab/unit/ExaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ExaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BQ-PER-KiloGM\n", - "http://qudt.org/vocab/unit/BQ-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_JouleHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SoundParticleVelocity\n", - "http://qudt.org/vocab/quantitykind/SoundParticleVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BindingFraction\n", - "http://qudt.org/vocab/quantitykind/BindingFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaBAR\n", - "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LY\n", - "http://qudt.org/vocab/unit/LY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Conductance\n", - "http://qudt.org/vocab/quantitykind/Conductance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Conductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM-SEC\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MoXUnit\n", - "http://qudt.org/vocab/constant/Value_MoXUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/BraggAngle\n", - "http://qudt.org/vocab/quantitykind/BraggAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT\n", - "http://qudt.org/vocab/unit/PINT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroV\n", - "http://qudt.org/vocab/unit/MicroV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-M2\n", - "http://qudt.org/vocab/unit/KiloGM-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GigaBIT-PER-SEC\n", - "http://qudt.org/vocab/unit/GigaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/DisplacementVectorOfIon\n", - "http://qudt.org/vocab/quantitykind/DisplacementVectorOfIon needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KIP_F-PER-IN2\n", - "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KIP_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ElementaryCharge\n", - "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMass\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/EnergyExpenditure\n", - "http://qudt.org/vocab/quantitykind/EnergyExpenditure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaV-A\n", - "http://qudt.org/vocab/unit/MegaV-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/CurrentOfTheAmountOfSubtance\n", - "http://qudt.org/vocab/quantitykind/CurrentOfTheAmountOfSubtance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Stress\n", - "http://qudt.org/vocab/quantitykind/Stress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Stress needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BU_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/BU_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BU_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_NeutronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LineicTorque\n", - "http://qudt.org/vocab/quantitykind/LineicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM\n", - "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PoissonRatio\n", - "http://qudt.org/vocab/quantitykind/PoissonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInEVPerT\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInEVPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-K\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassPerLength\n", - "http://qudt.org/vocab/quantitykind/MassPerLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricFieldStrength\n", - "http://qudt.org/vocab/quantitykind/ElectricFieldStrength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-GM-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/schema/qudt/CT_FINITE\n", - "http://qudt.org/schema/qudt/CT_FINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/schema/qudt/CT_FINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloBTU_TH\n", - "http://qudt.org/vocab/unit/KiloBTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM2-PER-SEC\n", - "http://qudt.org/vocab/unit/MilliM2-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM2-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/prefix/Kibi\n", - "http://qudt.org/vocab/prefix/Kibi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DebyeTemperature\n", - "http://qudt.org/vocab/quantitykind/DebyeTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates\n", - "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EnergyDensityOfStates needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/PlanckCurrent\n", - "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OHM_Stat\n", - "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OHM_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MOL-K\n", - "http://qudt.org/vocab/unit/MOL-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_R needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaC-PER-M3\n", - "http://qudt.org/vocab/unit/MegaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MutualInductance\n", - "http://qudt.org/vocab/quantitykind/MutualInductance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MutualInductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-BAR\n", - "http://qudt.org/vocab/unit/PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LineicPower\n", - "http://qudt.org/vocab/quantitykind/LineicPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HelionMass\n", - "http://qudt.org/vocab/constant/Value_HelionMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_JouleKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Resistance\n", - "http://qudt.org/vocab/quantitykind/Resistance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloTON_Metric\n", - "http://qudt.org/vocab/unit/KiloTON_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloTON_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronGFactor\n", - "http://qudt.org/vocab/constant/Value_NeutronGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroT\n", - "http://qudt.org/vocab/unit/MicroT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Ab\n", - "http://qudt.org/vocab/unit/H_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfLength\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM\n", - "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroIN\n", - "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ZeptoC\n", - "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ZeptoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaJ-PER-HR\n", - "http://qudt.org/vocab/unit/MegaJ-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloPA_A\n", - "http://qudt.org/vocab/unit/KiloPA_A needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NanoT\n", - "http://qudt.org/vocab/unit/NanoT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoA\n", - "http://qudt.org/vocab/unit/NanoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_MuonProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/REV-PER-SEC\n", - "http://qudt.org/vocab/unit/REV-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpectralCrossSection\n", - "http://qudt.org/vocab/quantitykind/SpectralCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpectralCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HA\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel_Mass\n", - "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel_Mass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TotalIonization\n", - "http://qudt.org/vocab/quantitykind/TotalIonization needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TotalIonization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C-PER-M\n", - "http://qudt.org/vocab/unit/C-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Thrust\n", - "http://qudt.org/vocab/quantitykind/Thrust needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/A-PER-MilliM2\n", - "http://qudt.org/vocab/unit/A-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M3-PER-SEC\n", - "http://qudt.org/vocab/unit/M3-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DynamicFrictionCoefficient\n", - "http://qudt.org/vocab/quantitykind/DynamicFrictionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG\n", - "http://qudt.org/vocab/unit/DEG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-M\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaW-HR\n", - "http://qudt.org/vocab/unit/MegaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-SEC-M2-SR\n", - "http://qudt.org/vocab/unit/PER-SEC-M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliV-PER-MIN\n", - "http://qudt.org/vocab/unit/MilliV-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliV-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentAnomaly\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentAnomaly needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_TauMass\n", - "http://qudt.org/vocab/constant/Value_TauMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GAL_US-PER-DAY\n", - "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HZ-M\n", - "http://qudt.org/vocab/unit/HZ-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_MuonProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_InverseMeterAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaV-A-HR\n", - "http://qudt.org/vocab/unit/MegaV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSEC\n", - "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Conductivity\n", - "http://qudt.org/vocab/quantitykind/Conductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC\n", - "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LinearEnergyTransfer\n", - "http://qudt.org/vocab/quantitykind/LinearEnergyTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/H_Stat\n", - "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FARAD_Stat\n", - "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FARAD_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoL\n", - "http://qudt.org/vocab/unit/FemtoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D-1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/YR_Common\n", - "http://qudt.org/vocab/unit/YR_Common needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YR_Common needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_HertzKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/A\n", - "http://qudt.org/vocab/unit/A needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_PlanckMass\n", - "http://qudt.org/vocab/constant/Value_PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FT3-PER-MIN\n", - "http://qudt.org/vocab/unit/FT3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CentiM\n", - "http://qudt.org/vocab/unit/CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Resistivity\n", - "http://qudt.org/vocab/quantitykind/Resistivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_R-PER-MIN\n", - "http://qudt.org/vocab/unit/DEG_R-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Repetency\n", - "http://qudt.org/vocab/quantitykind/Repetency needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMolality\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMolality needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/OsmoticCoefficient\n", - "http://qudt.org/vocab/quantitykind/OsmoticCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DeciM3-PER-MIN\n", - "http://qudt.org/vocab/unit/DeciM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DeciM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H-1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-PER-M2\n", - "http://qudt.org/vocab/unit/J-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-YR\n", - "http://qudt.org/vocab/unit/PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SEC\n", - "http://qudt.org/vocab/unit/SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonRmsChargeRadius\n", - "http://qudt.org/vocab/constant/Value_ProtonRmsChargeRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/LinearMomentum\n", - "http://qudt.org/vocab/quantitykind/LinearMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K-M3\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/OZ_F\n", - "http://qudt.org/vocab/unit/OZ_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PetaBYTE\n", - "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PetaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/KineticEnergy\n", - "http://qudt.org/vocab/quantitykind/KineticEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/KineticEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/HART-PER-SEC\n", - "http://qudt.org/vocab/unit/HART-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliW-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroL\n", - "http://qudt.org/vocab/unit/MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN-PER-SEC2\n", - "http://qudt.org/vocab/unit/IN-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/NeutronNumber\n", - "http://qudt.org/vocab/quantitykind/NeutronNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/E_h\n", - "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/E_h needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M-PER-SEC2\n", - "http://qudt.org/vocab/unit/M-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/LuminousFlux\n", - "http://qudt.org/vocab/quantitykind/LuminousFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A-HR\n", - "http://qudt.org/vocab/unit/A-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M2\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Work\n", - "http://qudt.org/vocab/quantitykind/Work needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Work needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC\n", - "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaPA-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HR\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PDL\n", - "http://qudt.org/vocab/unit/PDL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaEV\n", - "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat\n", - "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/C_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN3-PER-HR\n", - "http://qudt.org/vocab/unit/IN3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Density\n", - "http://qudt.org/vocab/quantitykind/Density needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/VolumeStrain\n", - "http://qudt.org/vocab/quantitykind/VolumeStrain needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/VolumeStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/V_Ab-SEC\n", - "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/V_Ab-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VolumeFlowRate\n", - "http://qudt.org/vocab/quantitykind/VolumeFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliL-PER-HR\n", - "http://qudt.org/vocab/unit/MilliL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloV-A-HR\n", - "http://qudt.org/vocab/unit/KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTM-PER-K\n", - "http://qudt.org/vocab/unit/PPTM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MolarVolume\n", - "http://qudt.org/vocab/quantitykind/MolarVolume needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MolarVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaN\n", - "http://qudt.org/vocab/unit/MegaN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Impedance\n", - "http://qudt.org/vocab/quantitykind/Impedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/RadiantFluenceRate\n", - "http://qudt.org/vocab/quantitykind/RadiantFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/VolumetricHeatCapacity\n", - "http://qudt.org/vocab/quantitykind/VolumetricHeatCapacity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_F-PER-SEC\n", - "http://qudt.org/vocab/unit/DEG_F-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DecayConstant\n", - "http://qudt.org/vocab/quantitykind/DecayConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloGM-MilliM2\n", - "http://qudt.org/vocab/unit/KiloGM-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoSEC\n", - "http://qudt.org/vocab/unit/PicoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MagneticVectorPotential\n", - "http://qudt.org/vocab/quantitykind/MagneticVectorPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/RadiantEnergyDensity\n", - "http://qudt.org/vocab/quantitykind/RadiantEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/RAD-PER-MIN\n", - "http://qudt.org/vocab/unit/RAD-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/RAD-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliGAL-PER-MO\n", - "http://qudt.org/vocab/unit/MilliGAL-PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGAL-PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_US-PER-MIN\n", - "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GAL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroRAD\n", - "http://qudt.org/vocab/unit/MicroRAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroRAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_ProtonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection\n", - "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SpectralAngularCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoS-PER-M\n", - "http://qudt.org/vocab/unit/NanoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GRAIN\n", - "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GRAIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/AU\n", - "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/AU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M2-SR\n", - "http://qudt.org/vocab/unit/M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronMolarMass\n", - "http://qudt.org/vocab/constant/Value_DeuteronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/M-K\n", - "http://qudt.org/vocab/unit/M-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfTime\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PERCENT-PER-DAY\n", - "http://qudt.org/vocab/unit/PERCENT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERCENT-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeLineDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeLineDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase10\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-HR\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoS-PER-M\n", - "http://qudt.org/vocab/unit/PicoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ChemicalAffinity\n", - "http://qudt.org/vocab/quantitykind/ChemicalAffinity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FARAD_Ab\n", - "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FARAD_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A-PER-CentiM2\n", - "http://qudt.org/vocab/unit/A-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-DAY\n", - "http://qudt.org/vocab/unit/PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LinearStrain\n", - "http://qudt.org/vocab/quantitykind/LinearStrain needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CentiM-PER-K\n", - "http://qudt.org/vocab/unit/CentiM-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/KiloW-HR-PER-M2\n", - "http://qudt.org/vocab/unit/KiloW-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloW-HR-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB_F-FT\n", - "http://qudt.org/vocab/unit/LB_F-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/K-PER-HR\n", - "http://qudt.org/vocab/unit/K-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/K-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroS\n", - "http://qudt.org/vocab/unit/MicroS needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroS needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ShearStress\n", - "http://qudt.org/vocab/quantitykind/ShearStress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PK_UK-PER-HR\n", - "http://qudt.org/vocab/unit/PK_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PK_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MolalityOfSolute\n", - "http://qudt.org/vocab/quantitykind/MolalityOfSolute needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT3\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LineicDataVolume\n", - "http://qudt.org/vocab/quantitykind/LineicDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MIL_Circ\n", - "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MIL_Circ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT2\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-M-PER-MOL\n", - "http://qudt.org/vocab/unit/J-M-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PA2-SEC\n", - "http://qudt.org/vocab/unit/PA2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL\n", - "http://qudt.org/vocab/unit/MicroMOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckFrequency\n", - "http://qudt.org/vocab/unit/PlanckFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/L\n", - "http://qudt.org/vocab/unit/L needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/schema/qudt/CT_UNCOUNTABLE\n", - "http://qudt.org/schema/qudt/CT_UNCOUNTABLE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/schema/qudt/CT_UNCOUNTABLE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM-PER-SEC2\n", - "http://qudt.org/vocab/unit/CentiM-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-PER-M\n", - "http://qudt.org/vocab/unit/EV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CWT_SHORT\n", - "http://qudt.org/vocab/unit/CWT_SHORT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RadialDistance\n", - "http://qudt.org/vocab/quantitykind/RadialDistance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/RadialDistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR\n", - "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliPA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG_C-CentiM\n", - "http://qudt.org/vocab/unit/DEG_C-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Debye\n", - "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Debye needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LA\n", - "http://qudt.org/vocab/unit/LA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Wavelength\n", - "http://qudt.org/vocab/quantitykind/Wavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Wavelength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/QT_US-PER-HR\n", - "http://qudt.org/vocab/unit/QT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyIntervalToBase10\n", - "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyIntervalToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L3I0M1H0T-4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L3I0M1H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaTOE\n", - "http://qudt.org/vocab/unit/MegaTOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaTOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-M3\n", - "http://qudt.org/vocab/unit/PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HelionElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_HelionElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TauMolarMass\n", - "http://qudt.org/vocab/constant/Value_TauMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedDynamicViscosity\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedDynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantInEVS\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/TotalAngularMomentum\n", - "http://qudt.org/vocab/quantitykind/TotalAngularMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoBQ-PER-L\n", - "http://qudt.org/vocab/unit/NanoBQ-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoBQ-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-HA\n", - "http://qudt.org/vocab/unit/KiloGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/QualityFactor\n", - "http://qudt.org/vocab/quantitykind/QualityFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/QualityFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Emissivity\n", - "http://qudt.org/vocab/quantitykind/Emissivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Emissivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MagneticField\n", - "http://qudt.org/vocab/quantitykind/MagneticField needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricPolarization\n", - "http://qudt.org/vocab/quantitykind/ElectricPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/OZ-PER-YD2\n", - "http://qudt.org/vocab/unit/OZ-PER-YD2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroFARAD\n", - "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/CharacteristicNumber\n", - "http://qudt.org/vocab/quantitykind/CharacteristicNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MassPerEnergy\n", - "http://qudt.org/vocab/quantitykind/MassPerEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloBAR\n", - "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMHO\n", - "http://qudt.org/vocab/unit/MicroMHO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMHO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMHO needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/T\n", - "http://qudt.org/vocab/unit/T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaEV-PER-CentiM\n", - "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaEV-PER-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-SEC\n", - "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN-CentiM\n", - "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RadianceFactor\n", - "http://qudt.org/vocab/quantitykind/RadianceFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaEV-FemtoM\n", - "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaEV-FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BARAD\n", - "http://qudt.org/vocab/unit/BARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PressureBasedKinematicViscosity\n", - "http://qudt.org/vocab/quantitykind/PressureBasedKinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/AttoJ\n", - "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/AttoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/NormalStress\n", - "http://qudt.org/vocab/quantitykind/NormalStress needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectricDipoleMoment\n", - "http://qudt.org/vocab/quantitykind/ElectricDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_KelvinElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SurgeImpedanceOfTheMedium\n", - "http://qudt.org/vocab/quantitykind/SurgeImpedanceOfTheMedium needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/B\n", - "http://qudt.org/vocab/unit/B needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/NuclearRadius\n", - "http://qudt.org/vocab/quantitykind/NuclearRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AreicHeatFlowRate\n", - "http://qudt.org/vocab/quantitykind/AreicHeatFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Irradiance\n", - "http://qudt.org/vocab/quantitykind/Irradiance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaC\n", - "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VolumeFraction\n", - "http://qudt.org/vocab/quantitykind/VolumeFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SpectralLuminousEfficiency\n", - "http://qudt.org/vocab/quantitykind/SpectralLuminousEfficiency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatioOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/prefix/Mebi\n", - "http://qudt.org/vocab/prefix/Mebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroN-M\n", - "http://qudt.org/vocab/unit/MicroN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ByteDataVolume\n", - "http://qudt.org/vocab/quantitykind/ByteDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckMass\n", - "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber\n", - "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/OrbitalAngularMomentumQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaJ-PER-SEC\n", - "http://qudt.org/vocab/unit/MegaJ-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MilliM3\n", - "http://qudt.org/vocab/unit/PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TEX\n", - "http://qudt.org/vocab/unit/TEX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TEX needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MIN\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloGM-M2-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloGM-M2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-LA\n", - "http://qudt.org/vocab/unit/FT-LA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BARN\n", - "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BARN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/REV-PER-HR\n", - "http://qudt.org/vocab/unit/REV-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonComptonWavelength\n", - "http://qudt.org/vocab/constant/Value_ProtonComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergyInMeV\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergyInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/ZettaC\n", - "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ZettaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/M2-PER-KiloGM\n", - "http://qudt.org/vocab/unit/M2-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FR\n", - "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/CelsiusTemperature\n", - "http://qudt.org/vocab/quantitykind/CelsiusTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Wavenumber\n", - "http://qudt.org/vocab/quantitykind/Wavenumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG-PER-SEC\n", - "http://qudt.org/vocab/unit/DEG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MebiBYTE\n", - "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/GM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A-PER-J\n", - "http://qudt.org/vocab/unit/A-PER-J needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/A-PER-J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KAT-PER-MicroL\n", - "http://qudt.org/vocab/unit/KAT-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTH-PER-HR\n", - "http://qudt.org/vocab/unit/PPTH-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTH-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaS-PER-M\n", - "http://qudt.org/vocab/unit/MegaS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_HartreeEnergyInEV\n", - "http://qudt.org/vocab/constant/Value_HartreeEnergyInEV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/IN3-PER-MIN\n", - "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/IN3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Ab-CentiM2\n", - "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/A_Ab-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ParticleFluenceRate\n", - "http://qudt.org/vocab/quantitykind/ParticleFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CD\n", - "http://qudt.org/vocab/unit/CD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM\n", - "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FARAD_Ab-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM_HG\n", - "http://qudt.org/vocab/unit/CentiM_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM_HG needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_ElectronMass\n", - "http://qudt.org/vocab/constant/Value_ElectronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PINT_US-PER-DAY\n", - "http://qudt.org/vocab/unit/PINT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpeedOfLight\n", - "http://qudt.org/vocab/quantitykind/SpeedOfLight needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M2\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroTORR\n", - "http://qudt.org/vocab/unit/MicroTORR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI\n", - "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MILLE-PER-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VolumicAmountOfSubstance\n", - "http://qudt.org/vocab/quantitykind/VolumicAmountOfSubstance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliSEC\n", - "http://qudt.org/vocab/unit/MilliSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PPTR\n", - "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroFARAD-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM2\n", - "http://qudt.org/vocab/unit/MicroM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/GeneralizedVelocity\n", - "http://qudt.org/vocab/quantitykind/GeneralizedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PicoPA-PER-KiloM\n", - "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoPA-PER-KiloM needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/ReciprocalPlaneAngle\n", - "http://qudt.org/vocab/quantitykind/ReciprocalPlaneAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GI\n", - "http://qudt.org/vocab/unit/GI needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-PER-IN\n", - "http://qudt.org/vocab/unit/LB-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MIN\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BQ-PER-M3\n", - "http://qudt.org/vocab/unit/BQ-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GRAY-PER-SEC\n", - "http://qudt.org/vocab/unit/GRAY-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MI3\n", - "http://qudt.org/vocab/unit/MI3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MI3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB-PER-MIN\n", - "http://qudt.org/vocab/unit/LB-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/K-PER-SEC\n", - "http://qudt.org/vocab/unit/K-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM-PER-HR\n", - "http://qudt.org/vocab/unit/GM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PressureBasedDensity\n", - "http://qudt.org/vocab/quantitykind/PressureBasedDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Gravity_API\n", - "http://qudt.org/vocab/quantitykind/Gravity_API needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Lethargy\n", - "http://qudt.org/vocab/quantitykind/Lethargy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaPA-M0pt5\n", - "http://qudt.org/vocab/unit/MegaPA-M0pt5 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/EarthMass\n", - "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EarthMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM\n", - "http://qudt.org/vocab/unit/MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2\n", - "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM-PER-SEC\n", - "http://qudt.org/vocab/unit/CentiM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/StateDensityAsExpressionOfAngularFrequency\n", - "http://qudt.org/vocab/quantitykind/StateDensityAsExpressionOfAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ActivityRelatedByMass\n", - "http://qudt.org/vocab/quantitykind/ActivityRelatedByMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GM-MilliM\n", - "http://qudt.org/vocab/unit/GM-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ\n", - "http://qudt.org/vocab/unit/MegaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-MilliM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/NonActivePower\n", - "http://qudt.org/vocab/quantitykind/NonActivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PicoGM-PER-L\n", - "http://qudt.org/vocab/unit/PicoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RadiativeHeatTransfer\n", - "http://qudt.org/vocab/quantitykind/RadiativeHeatTransfer needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance\n", - "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/CharacteristicAcousticImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/YD3-PER-MIN\n", - "http://qudt.org/vocab/unit/YD3-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/NumberDensity\n", - "http://qudt.org/vocab/quantitykind/NumberDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MOL-PER-KiloGM-PA\n", - "http://qudt.org/vocab/unit/MOL-PER-KiloGM-PA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-K\n", - "http://qudt.org/vocab/unit/MilliL-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_PlanckLength\n", - "http://qudt.org/vocab/constant/Value_PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/ExaC\n", - "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ExaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ExposureOfIonizingRadiation\n", - "http://qudt.org/vocab/quantitykind/ExposureOfIonizingRadiation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Radioactivity\n", - "http://qudt.org/vocab/quantitykind/Radioactivity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroW-PER-M2\n", - "http://qudt.org/vocab/unit/MicroW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroW-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBasePair\n", - "http://qudt.org/vocab/unit/GigaBasePair needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaBasePair needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-M2\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/NanoGM-PER-DAY\n", - "http://qudt.org/vocab/unit/NanoGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-BAR\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MagneticPolarization\n", - "http://qudt.org/vocab/quantitykind/MagneticPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagneticPolarization needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassPerArea\n", - "http://qudt.org/vocab/quantitykind/MassPerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassPerArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PowerConstant\n", - "http://qudt.org/vocab/quantitykind/PowerConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR\n", - "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-CentiM-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloM3-PER-SEC2\n", - "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloM3-PER-SEC2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KAT-PER-L\n", - "http://qudt.org/vocab/unit/KAT-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB_F\n", - "http://qudt.org/vocab/unit/LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RelativePartialPressure\n", - "http://qudt.org/vocab/quantitykind/RelativePartialPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-MIN\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERCENT-PER-M\n", - "http://qudt.org/vocab/unit/PERCENT-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPM-PER-K\n", - "http://qudt.org/vocab/unit/PPM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraBYTE\n", - "http://qudt.org/vocab/unit/TeraBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoC\n", - "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloLB_F-FT-PER-A\n", - "http://qudt.org/vocab/unit/KiloLB_F-FT-PER-A needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckTime\n", - "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonComptonWavelength\n", - "http://qudt.org/vocab/constant/Value_MuonComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/DEG2\n", - "http://qudt.org/vocab/unit/DEG2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TauComptonWavelengthOver2Pi\n", - "http://qudt.org/vocab/constant/Value_TauComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/EV-PER-T\n", - "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaYR\n", - "http://qudt.org/vocab/unit/MegaYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TransmittanceDensity\n", - "http://qudt.org/vocab/quantitykind/TransmittanceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M3-PER-MOL\n", - "http://qudt.org/vocab/unit/M3-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A-PER-RAD\n", - "http://qudt.org/vocab/unit/A-PER-RAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_TauMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoH\n", - "http://qudt.org/vocab/unit/NanoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PhaseCoefficient\n", - "http://qudt.org/vocab/quantitykind/PhaseCoefficient needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PhaseCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D1\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/QUAD\n", - "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QUAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MO\n", - "http://qudt.org/vocab/unit/PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticShieldingCorrection\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticShieldingCorrection needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroW\n", - "http://qudt.org/vocab/unit/MicroW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG-PER-SEC\n", - "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM-PER-L-DAY\n", - "http://qudt.org/vocab/unit/MicroM-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PhotonLuminance\n", - "http://qudt.org/vocab/quantitykind/PhotonLuminance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN2\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TemperatureRelatedVolume\n", - "http://qudt.org/vocab/quantitykind/TemperatureRelatedVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Compressibility\n", - "http://qudt.org/vocab/quantitykind/Compressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PowerFactor\n", - "http://qudt.org/vocab/quantitykind/PowerFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PowerFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/TeraW\n", - "http://qudt.org/vocab/unit/TeraW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Enthalpy\n", - "http://qudt.org/vocab/quantitykind/Enthalpy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Enthalpy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MI2\n", - "http://qudt.org/vocab/unit/MI2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MI2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ATM_T\n", - "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ATM_T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US\n", - "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/SLUG-PER-DAY\n", - "http://qudt.org/vocab/unit/SLUG-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SLUG-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagnetizability\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagnetizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PlanckLength\n", - "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-J2\n", - "http://qudt.org/vocab/unit/PER-J2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/HeatCapacityRatio\n", - "http://qudt.org/vocab/quantitykind/HeatCapacityRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NeutronMolarMass\n", - "http://qudt.org/vocab/constant/Value_NeutronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PartialPressure\n", - "http://qudt.org/vocab/quantitykind/PartialPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloA-HR\n", - "http://qudt.org/vocab/unit/KiloA-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/prefix/Pebi\n", - "http://qudt.org/vocab/prefix/Pebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliCi\n", - "http://qudt.org/vocab/unit/MilliCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliCi needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroL-PER-L\n", - "http://qudt.org/vocab/unit/MicroL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpecificEnergy\n", - "http://qudt.org/vocab/quantitykind/SpecificEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectricPower\n", - "http://qudt.org/vocab/quantitykind/ElectricPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectricPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_F\n", - "http://qudt.org/vocab/unit/DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OERSTED-CentiM\n", - "http://qudt.org/vocab/unit/OERSTED-CentiM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PicoM\n", - "http://qudt.org/vocab/unit/PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LunarMass\n", - "http://qudt.org/vocab/unit/LunarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LunarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MHO_Stat\n", - "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MHO_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ApparentPower\n", - "http://qudt.org/vocab/quantitykind/ApparentPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ApparentPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DeciM3-PER-HR\n", - "http://qudt.org/vocab/unit/DeciM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DeciM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities\n", - "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RatioOfSpecificHeatCapacities needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/FailureRate\n", - "http://qudt.org/vocab/quantitykind/FailureRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ActiveEnergy\n", - "http://qudt.org/vocab/quantitykind/ActiveEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/QT_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/QT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaPA\n", - "http://qudt.org/vocab/unit/GigaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_TauMuonMassRatio\n", - "http://qudt.org/vocab/constant/Value_TauMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/LB-PER-FT3\n", - "http://qudt.org/vocab/unit/LB-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/UnitPole\n", - "http://qudt.org/vocab/unit/UnitPole needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/UnitPole needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TotalAngularMomentumQuantumNumber\n", - "http://qudt.org/vocab/quantitykind/TotalAngularMomentumQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/EnergyContent\n", - "http://qudt.org/vocab/quantitykind/EnergyContent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM\n", - "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SoundExposureLevel\n", - "http://qudt.org/vocab/quantitykind/SoundExposureLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SoundExposureLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliM2\n", - "http://qudt.org/vocab/unit/MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-LB-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-LB-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MagneticDipoleMomentOfAMolecule\n", - "http://qudt.org/vocab/quantitykind/MagneticDipoleMomentOfAMolecule needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GRAD\n", - "http://qudt.org/vocab/unit/GRAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TauNeutronMassRatio\n", - "http://qudt.org/vocab/constant/Value_TauNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SurfaceCoefficientOfHeatTransfer\n", - "http://qudt.org/vocab/quantitykind/SurfaceCoefficientOfHeatTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/AT-PER-IN\n", - "http://qudt.org/vocab/unit/AT-PER-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/VolumeOrSectionModulus\n", - "http://qudt.org/vocab/quantitykind/VolumeOrSectionModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Mobility\n", - "http://qudt.org/vocab/quantitykind/Mobility needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-FT3\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LineicCharge\n", - "http://qudt.org/vocab/quantitykind/LineicCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PicoGM-PER-GM\n", - "http://qudt.org/vocab/unit/PicoGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERM_US\n", - "http://qudt.org/vocab/unit/PERM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERM_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LandeGFactor\n", - "http://qudt.org/vocab/quantitykind/LandeGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/IN_HG\n", - "http://qudt.org/vocab/unit/IN_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentAnomaly\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentAnomaly needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M3\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/EnergyImparted\n", - "http://qudt.org/vocab/quantitykind/EnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Reactivity\n", - "http://qudt.org/vocab/quantitykind/Reactivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/SEC-FT2\n", - "http://qudt.org/vocab/unit/SEC-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBaseE\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PER-SEC\n", - "http://qudt.org/vocab/unit/PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA\n", - "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoM-PER-MilliM-MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckCurrentDensity\n", - "http://qudt.org/vocab/unit/PlanckCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckDensity\n", - "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT2-PER-BTU_IT-IN\n", - "http://qudt.org/vocab/unit/FT2-PER-BTU_IT-IN needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/DAY_Sidereal\n", - "http://qudt.org/vocab/unit/DAY_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/NuclearSpinQuantumNumber\n", - "http://qudt.org/vocab/quantitykind/NuclearSpinQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedLength\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedLength needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/C-M\n", - "http://qudt.org/vocab/unit/C-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroM3\n", - "http://qudt.org/vocab/unit/MicroM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-SEC-M2\n", - "http://qudt.org/vocab/unit/PER-SEC-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoW\n", - "http://qudt.org/vocab/unit/NanoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Voltage\n", - "http://qudt.org/vocab/quantitykind/Voltage needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Voltage needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-M3\n", - "http://qudt.org/vocab/unit/J-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatioOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/L-PER-MIN\n", - "http://qudt.org/vocab/unit/L-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/L-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraOHM\n", - "http://qudt.org/vocab/unit/TeraOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckVolt\n", - "http://qudt.org/vocab/unit/PlanckVolt needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckVolt needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBaseE\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_HelionMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_HelionMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BurstFactor\n", - "http://qudt.org/vocab/quantitykind/BurstFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-NanoL\n", - "http://qudt.org/vocab/unit/NUM-PER-NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-PER-ANGSTROM\n", - "http://qudt.org/vocab/unit/EV-PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-PER-ANGSTROM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_FermiCouplingConstant\n", - "http://qudt.org/vocab/constant/Value_FermiCouplingConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_FirstRadiationConstantForSpectralRadiance\n", - "http://qudt.org/vocab/constant/Value_FirstRadiationConstantForSpectralRadiance needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_InverseMeterElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticDipoleMoment\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2\n", - "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Ab-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatioOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_MuonMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_MuonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SpecificVolume\n", - "http://qudt.org/vocab/quantitykind/SpecificVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/V_Stat\n", - "http://qudt.org/vocab/unit/V_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H1T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H1T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/RAYL\n", - "http://qudt.org/vocab/unit/RAYL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM2-SEC\n", - "http://qudt.org/vocab/unit/CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PPTH\n", - "http://qudt.org/vocab/unit/PPTH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PK_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/PK_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PK_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity\n", - "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundVolumeVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_FirstRadiationConstant\n", - "http://qudt.org/vocab/constant/Value_FirstRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroH-PER-M\n", - "http://qudt.org/vocab/unit/MicroH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_InverseMeterKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-MicroMOL-L\n", - "http://qudt.org/vocab/unit/PER-MicroMOL-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MicroMOL-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/DoseEquivalent\n", - "http://qudt.org/vocab/quantitykind/DoseEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ProtonMolarMass\n", - "http://qudt.org/vocab/constant/Value_ProtonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SecondMomentOfArea\n", - "http://qudt.org/vocab/quantitykind/SecondMomentOfArea needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/MegaBQ\n", - "http://qudt.org/vocab/unit/MegaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaBQ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaOHM\n", - "http://qudt.org/vocab/unit/GigaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpinQuantumNumber\n", - "http://qudt.org/vocab/quantitykind/SpinQuantumNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BBL_US-PER-DAY\n", - "http://qudt.org/vocab/unit/BBL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BBL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LuminousEnergy\n", - "http://qudt.org/vocab/quantitykind/LuminousEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LuminousEnergy needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/MassicTorque\n", - "http://qudt.org/vocab/quantitykind/MassicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MagneticMoment\n", - "http://qudt.org/vocab/quantitykind/MagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_InverseMeterHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_TH-FT-PER-HR-FT2-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_TH-FT-PER-HR-FT2-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GT\n", - "http://qudt.org/vocab/unit/GT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ResistanceBasedInductance\n", - "http://qudt.org/vocab/quantitykind/ResistanceBasedInductance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Admittance\n", - "http://qudt.org/vocab/quantitykind/Admittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Admittance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroH\n", - "http://qudt.org/vocab/unit/MicroH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSV-PER-HR\n", - "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSV-PER-HR needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/MicroGM\n", - "http://qudt.org/vocab/unit/MicroGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ConductanceQuantum\n", - "http://qudt.org/vocab/constant/Value_ConductanceQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PressureBasedAmountOfSubstanceConcentration\n", - "http://qudt.org/vocab/quantitykind/PressureBasedAmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricField\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricField needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PermittivityRatio\n", - "http://qudt.org/vocab/quantitykind/PermittivityRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroJ\n", - "http://qudt.org/vocab/unit/MicroJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/S_Stat\n", - "http://qudt.org/vocab/unit/S_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/S_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AT\n", - "http://qudt.org/vocab/unit/AT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloGM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ExtentOfReaction\n", - "http://qudt.org/vocab/quantitykind/ExtentOfReaction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NUM-PER-MilliGM\n", - "http://qudt.org/vocab/unit/NUM-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-MilliGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CAL_TH\n", - "http://qudt.org/vocab/unit/CAL_TH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TorqueConstant\n", - "http://qudt.org/vocab/quantitykind/TorqueConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/AT-PER-M\n", - "http://qudt.org/vocab/unit/AT-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/OsmoticPressure\n", - "http://qudt.org/vocab/quantitykind/OsmoticPressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-HR\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ModulusOfImpedance\n", - "http://qudt.org/vocab/quantitykind/ModulusOfImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ModulusOfImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/KineticOrThermalEnergy\n", - "http://qudt.org/vocab/quantitykind/KineticOrThermalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/VolumetricEntityDensity\n", - "http://qudt.org/vocab/quantitykind/VolumetricEntityDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/LB-MOL-DEG_F\n", - "http://qudt.org/vocab/unit/LB-MOL-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/VolumicOutput\n", - "http://qudt.org/vocab/quantitykind/VolumicOutput needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/W-PER-M2-PA\n", - "http://qudt.org/vocab/unit/W-PER-M2-PA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliGM-PER-SEC\n", - "http://qudt.org/vocab/unit/MilliGM-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ReactivePower\n", - "http://qudt.org/vocab/quantitykind/ReactivePower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ReactivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfActionInEVS\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfActionInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK\n", - "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-CentiM2-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VolumicDataQuantity\n", - "http://qudt.org/vocab/quantitykind/VolumicDataQuantity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/DARCY\n", - "http://qudt.org/vocab/unit/DARCY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M3-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AbsoluteHumidity\n", - "http://qudt.org/vocab/quantitykind/AbsoluteHumidity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AbsoluteHumidity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-0pt5I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-0pt5I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ-PER-IN3\n", - "http://qudt.org/vocab/unit/OZ-PER-IN3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Inductance\n", - "http://qudt.org/vocab/quantitykind/Inductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PPB\n", - "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaBYTE\n", - "http://qudt.org/vocab/unit/MegaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT\n", - "http://qudt.org/vocab/unit/BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GI_UK-PER-HR\n", - "http://qudt.org/vocab/unit/GI_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TimeRelatedLogarithmicRatio\n", - "http://qudt.org/vocab/quantitykind/TimeRelatedLogarithmicRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GigaC-PER-M3\n", - "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MechanicalTension\n", - "http://qudt.org/vocab/quantitykind/MechanicalTension needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-CentiM3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM3-PER-M3\n", - "http://qudt.org/vocab/unit/MicroM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Polarizability\n", - "http://qudt.org/vocab/quantitykind/Polarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Polarizability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MOL-DEG_C\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MOL-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/A-PER-M2\n", - "http://qudt.org/vocab/unit/A-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR\n", - "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloV-A_Reactive-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-NanoM\n", - "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/NUM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassFraction\n", - "http://qudt.org/vocab/quantitykind/MassFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_JouleAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloW-HR\n", - "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloW-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricConductivity\n", - "http://qudt.org/vocab/quantitykind/ElectricConductivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PhaseSpeedOfSound\n", - "http://qudt.org/vocab/quantitykind/PhaseSpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_FaradayConstant\n", - "http://qudt.org/vocab/constant/Value_FaradayConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NuclearMagneton\n", - "http://qudt.org/vocab/constant/Value_NuclearMagneton needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HartreeHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/DEG-PER-MIN\n", - "http://qudt.org/vocab/unit/DEG-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalEnergy\n", - "http://qudt.org/vocab/quantitykind/ThermalEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-M3-K\n", - "http://qudt.org/vocab/unit/J-PER-M3-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR\n", - "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiPOISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FA\n", - "http://qudt.org/vocab/unit/FA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/YR_TROPICAL\n", - "http://qudt.org/vocab/unit/YR_TROPICAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YR_TROPICAL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_SpeedOfLight_Vacuum\n", - "http://qudt.org/vocab/constant/Value_SpeedOfLight_Vacuum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SoundEnergyDensity\n", - "http://qudt.org/vocab/quantitykind/SoundEnergyDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitation\n", - "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitation needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3-PER-HR\n", - "http://qudt.org/vocab/unit/CentiM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-MIN\n", - "http://qudt.org/vocab/unit/MilliL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonTauMassRatio\n", - "http://qudt.org/vocab/constant/Value_MuonTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliDARCY\n", - "http://qudt.org/vocab/unit/MilliDARCY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerAmountOfSubstance\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerAmountOfSubstance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ExposureRateOfIonizingRadiation\n", - "http://qudt.org/vocab/quantitykind/ExposureRateOfIonizingRadiation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/DecaC\n", - "http://qudt.org/vocab/unit/DecaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/LM\n", - "http://qudt.org/vocab/unit/LM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/TSP\n", - "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TSP needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoFARAD\n", - "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YoctoC\n", - "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YoctoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-M-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloGM-M-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaPA-PER-K\n", - "http://qudt.org/vocab/unit/MegaPA-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaPA-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_HelionMolarMass\n", - "http://qudt.org/vocab/constant/Value_HelionMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaW\n", - "http://qudt.org/vocab/unit/MegaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-PER-K\n", - "http://qudt.org/vocab/unit/W-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/EquivalenceDoseOutput\n", - "http://qudt.org/vocab/quantitykind/EquivalenceDoseOutput needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-FT-PER-FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-FT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DisplacementCurrent\n", - "http://qudt.org/vocab/quantitykind/DisplacementCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB-DEG_F\n", - "http://qudt.org/vocab/unit/LB-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Ci\n", - "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Ci needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraHZ\n", - "http://qudt.org/vocab/unit/TeraHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE\n", - "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/schema/qudt/CT_COUNTABLY-INFINITE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificImpulse\n", - "http://qudt.org/vocab/quantitykind/SpecificImpulse needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/HZ-PER-K\n", - "http://qudt.org/vocab/unit/HZ-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NUM-PER-MicroL\n", - "http://qudt.org/vocab/unit/NUM-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-MicroL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM2-MIN\n", - "http://qudt.org/vocab/unit/CentiM2-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PlanckPower\n", - "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckPower needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedAmountOfSubstanceConcentration\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedAmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/AtmosphericPressure\n", - "http://qudt.org/vocab/quantitykind/AtmosphericPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PicoFARAD\n", - "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliARCSEC\n", - "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliARCSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_SecondRadiationConstant\n", - "http://qudt.org/vocab/constant/Value_SecondRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/CartesianArea\n", - "http://qudt.org/vocab/quantitykind/CartesianArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/STILB\n", - "http://qudt.org/vocab/unit/STILB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckMomentum\n", - "http://qudt.org/vocab/unit/PlanckMomentum needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatPressure\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatPressure needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_IT\n", - "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Force\n", - "http://qudt.org/vocab/quantitykind/Force needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectromotiveForce\n", - "http://qudt.org/vocab/quantitykind/ElectromotiveForce needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration\n", - "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundParticleAcceleration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PebiBYTE\n", - "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PebiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YD3-PER-DAY\n", - "http://qudt.org/vocab/unit/YD3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YD3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/IonDensity\n", - "http://qudt.org/vocab/quantitykind/IonDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_WeakMixingAngle\n", - "http://qudt.org/vocab/constant/Value_WeakMixingAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GAL_US_DRY\n", - "http://qudt.org/vocab/unit/GAL_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DeciB_C\n", - "http://qudt.org/vocab/unit/DeciB_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CD-PER-IN2\n", - "http://qudt.org/vocab/unit/CD-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Denier\n", - "http://qudt.org/vocab/unit/Denier needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Denier needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Unbalance\n", - "http://qudt.org/vocab/quantitykind/Unbalance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliM3\n", - "http://qudt.org/vocab/unit/MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KN\n", - "http://qudt.org/vocab/unit/KN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E4L-5I0M-3H0T10D0\n", - "http://qudt.org/vocab/dimensionvector/A0E4L-5I0M-3H0T10D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Kerma\n", - "http://qudt.org/vocab/quantitykind/Kerma needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliL-PER-DAY\n", - "http://qudt.org/vocab/unit/MilliL-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_US-PER-DAY\n", - "http://qudt.org/vocab/unit/GI_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERCENT-PER-WK\n", - "http://qudt.org/vocab/unit/PERCENT-PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERCENT-PER-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoM2\n", - "http://qudt.org/vocab/unit/NanoM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfLength\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfLength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-SEC-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BAR-M3-PER-SEC\n", - "http://qudt.org/vocab/unit/BAR-M3-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloYR\n", - "http://qudt.org/vocab/unit/KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ARCMIN\n", - "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ARCMIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FRAME-PER-SEC\n", - "http://qudt.org/vocab/unit/FRAME-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB_F-SEC-PER-IN2\n", - "http://qudt.org/vocab/unit/LB_F-SEC-PER-IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AreicEnergyFlow\n", - "http://qudt.org/vocab/quantitykind/AreicEnergyFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-MilliL\n", - "http://qudt.org/vocab/unit/NanoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpecificEnthalpy\n", - "http://qudt.org/vocab/quantitykind/SpecificEnthalpy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificEnthalpy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MolarPlanckConstant\n", - "http://qudt.org/vocab/constant/Value_MolarPlanckConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/IU-PER-MilliL\n", - "http://qudt.org/vocab/unit/IU-PER-MilliL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_ProtonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliC\n", - "http://qudt.org/vocab/unit/MilliC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-MOL\n", - "http://qudt.org/vocab/unit/LB-MOL needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/LB-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_C-PER-HR\n", - "http://qudt.org/vocab/unit/DEG_C-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularImpulse\n", - "http://qudt.org/vocab/quantitykind/AngularImpulse needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckForce\n", - "http://qudt.org/vocab/unit/PlanckForce needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckForce needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonNeutronMassRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/CentiGM\n", - "http://qudt.org/vocab/unit/CentiGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H-1T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricDipoleMoment\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ReynoldsNumber\n", - "http://qudt.org/vocab/quantitykind/ReynoldsNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliM-PER-MIN\n", - "http://qudt.org/vocab/unit/MilliM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MomentOfInertia\n", - "http://qudt.org/vocab/quantitykind/MomentOfInertia needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_DeuteronMass\n", - "http://qudt.org/vocab/constant/Value_DeuteronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GigaC\n", - "http://qudt.org/vocab/unit/GigaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-MIN\n", - "http://qudt.org/vocab/unit/GM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Stat-PER-CentiM\n", - "http://qudt.org/vocab/unit/H_Stat-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H_Stat-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-GigaEV2\n", - "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-GigaEV2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronTauMassRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T0D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOf2ndHyperpolarizability\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOf2ndHyperpolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstant\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SurfaceActivityDensity\n", - "http://qudt.org/vocab/quantitykind/SurfaceActivityDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/DynamicPressure\n", - "http://qudt.org/vocab/quantitykind/DynamicPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalInsulation\n", - "http://qudt.org/vocab/quantitykind/ThermalInsulation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/C3-M-PER-J2\n", - "http://qudt.org/vocab/unit/C3-M-PER-J2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaJ-PER-K\n", - "http://qudt.org/vocab/unit/MegaJ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FM\n", - "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LarmorAngularFrequency\n", - "http://qudt.org/vocab/quantitykind/LarmorAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatio\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-PER-MIN\n", - "http://qudt.org/vocab/unit/FT-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LogarithmRatioToBaseE\n", - "http://qudt.org/vocab/quantitykind/LogarithmRatioToBaseE needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MassieuFunction\n", - "http://qudt.org/vocab/quantitykind/MassieuFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassieuFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel\n", - "http://qudt.org/vocab/quantitykind/BloodGlucoseLevel needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M3-PER-SEC2\n", - "http://qudt.org/vocab/unit/M3-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3-PER-DAY\n", - "http://qudt.org/vocab/unit/CentiM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PSI-L-PER-SEC\n", - "http://qudt.org/vocab/unit/PSI-L-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/LineicLogarithmicRatio\n", - "http://qudt.org/vocab/quantitykind/LineicLogarithmicRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_TritonElectronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_TritonElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricalResistance\n", - "http://qudt.org/vocab/quantitykind/ElectricalResistance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-HR\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC-PER-M3\n", - "http://qudt.org/vocab/unit/MicroC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_UK-PER-MIN\n", - "http://qudt.org/vocab/unit/GI_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronMuonMassRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M2-PA-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaHZ\n", - "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaHZ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT2-PER-HR\n", - "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT2-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-PER-MOL\n", - "http://qudt.org/vocab/unit/J-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassEnergyTransferCoefficient\n", - "http://qudt.org/vocab/quantitykind/MassEnergyTransferCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_F-PER-HR\n", - "http://qudt.org/vocab/unit/DEG_F-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AbsorbedDoseRate\n", - "http://qudt.org/vocab/quantitykind/AbsorbedDoseRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT2-HR-DEG_F-PER-BTU_IT\n", - "http://qudt.org/vocab/unit/FT2-HR-DEG_F-PER-BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificOpticalRotationalAbility\n", - "http://qudt.org/vocab/quantitykind/SpecificOpticalRotationalAbility needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TONNE-PER-HA-YR\n", - "http://qudt.org/vocab/unit/TONNE-PER-HA-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TONNE-PER-HA-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraW-HR\n", - "http://qudt.org/vocab/unit/TeraW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraW-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GigaW\n", - "http://qudt.org/vocab/unit/GigaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BU_US_DRY-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Stat\n", - "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A_Stat needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaEV-PER-SpeedOfLight\n", - "http://qudt.org/vocab/unit/MegaEV-PER-SpeedOfLight needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloPA-PER-BAR\n", - "http://qudt.org/vocab/unit/KiloPA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloPA-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiInEVS\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiInEVS needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/NeutralRatio\n", - "http://qudt.org/vocab/quantitykind/NeutralRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-SEC-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_TH-IN-PER-FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInInverseMetersPerKelvin\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInInverseMetersPerKelvin needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/CentiN-M\n", - "http://qudt.org/vocab/unit/CentiN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/CentiN-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SecondAxialMomentOfArea\n", - "http://qudt.org/vocab/quantitykind/SecondAxialMomentOfArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT_HG\n", - "http://qudt.org/vocab/unit/FT_HG needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/FT_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiC\n", - "http://qudt.org/vocab/unit/CentiC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MagneticFieldStrength_H\n", - "http://qudt.org/vocab/quantitykind/MagneticFieldStrength_H needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PINT_US-PER-MIN\n", - "http://qudt.org/vocab/unit/PINT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TemperatureRelatedMolarMass\n", - "http://qudt.org/vocab/quantitykind/TemperatureRelatedMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/RelativeMassExcess\n", - "http://qudt.org/vocab/quantitykind/RelativeMassExcess needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MO\n", - "http://qudt.org/vocab/unit/MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MO needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FARAD-PER-M\n", - "http://qudt.org/vocab/unit/FARAD-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ComplexPower\n", - "http://qudt.org/vocab/quantitykind/ComplexPower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ComplexPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfTime\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MilliL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/QuantityOfLight\n", - "http://qudt.org/vocab/quantitykind/QuantityOfLight needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/ATM-M3-PER-MOL\n", - "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ATM-M3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloMOL-PER-MIN\n", - "http://qudt.org/vocab/unit/KiloMOL-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_KelvinAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/TonEnergy\n", - "http://qudt.org/vocab/unit/TonEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TonEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaJ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L-HR\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBTU_IT\n", - "http://qudt.org/vocab/unit/KiloBTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBTU_IT needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliMOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiST\n", - "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiST needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_TritonMass\n", - "http://qudt.org/vocab/constant/Value_TritonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MOL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MOL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ActivePower\n", - "http://qudt.org/vocab/quantitykind/ActivePower needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ActivePower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/C-M2\n", - "http://qudt.org/vocab/unit/C-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MobilityRatio\n", - "http://qudt.org/vocab/quantitykind/MobilityRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LuminousFluxPerArea\n", - "http://qudt.org/vocab/quantitykind/LuminousFluxPerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFraction\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceFraction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J\n", - "http://qudt.org/vocab/unit/J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonComptonWavelengthOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ProtonComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PPM\n", - "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HR_Sidereal\n", - "http://qudt.org/vocab/unit/HR_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/IntinsicCarrierDensity\n", - "http://qudt.org/vocab/quantitykind/IntinsicCarrierDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FemtoJ\n", - "http://qudt.org/vocab/unit/FemtoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CFU\n", - "http://qudt.org/vocab/unit/CFU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroH-PER-OHM\n", - "http://qudt.org/vocab/unit/MicroH-PER-OHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroH-PER-OHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloSEC\n", - "http://qudt.org/vocab/unit/KiloSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ParticleCurrentDensity\n", - "http://qudt.org/vocab/quantitykind/ParticleCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MotorConstant\n", - "http://qudt.org/vocab/quantitykind/MotorConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MHO\n", - "http://qudt.org/vocab/unit/MHO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MHO needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/S_Ab\n", - "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/S_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-M-K\n", - "http://qudt.org/vocab/unit/PER-M-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Dimensionless\n", - "http://qudt.org/vocab/quantitykind/Dimensionless needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase2\n", - "http://qudt.org/vocab/quantitykind/LogarithmicMedianInformationFlow_SourceToBase2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PERCENT-PER-HR\n", - "http://qudt.org/vocab/unit/PERCENT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_KelvinJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_StefanBoltzmannConstant\n", - "http://qudt.org/vocab/constant/Value_StefanBoltzmannConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/EnergyPerElectricCharge\n", - "http://qudt.org/vocab/quantitykind/EnergyPerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL_US\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiTimesCInMeVFm\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2PiTimesCInMeVFm needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PERMITTIVITY_REL\n", - "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERMITTIVITY_REL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ActivityConcentration\n", - "http://qudt.org/vocab/quantitykind/ActivityConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroM-PER-K\n", - "http://qudt.org/vocab/unit/MicroM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaJ\n", - "http://qudt.org/vocab/unit/GigaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RelativeMassDensity\n", - "http://qudt.org/vocab/quantitykind/RelativeMassDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M3\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL_UK\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL_UK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HZ-PER-T\n", - "http://qudt.org/vocab/unit/HZ-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GON\n", - "http://qudt.org/vocab/unit/GON needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricFlux\n", - "http://qudt.org/vocab/quantitykind/ElectricFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/IN3\n", - "http://qudt.org/vocab/unit/IN3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR\n", - "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-CentiM2-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-IN-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/U\n", - "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/U needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/FermiTemperature\n", - "http://qudt.org/vocab/quantitykind/FermiTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/OZ-PER-FT2\n", - "http://qudt.org/vocab/unit/OZ-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpeedOfSound\n", - "http://qudt.org/vocab/quantitykind/SpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/ERG-PER-CentiM2-SEC\n", - "http://qudt.org/vocab/unit/ERG-PER-CentiM2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HartreeInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliM4\n", - "http://qudt.org/vocab/unit/MilliM4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LossAngle\n", - "http://qudt.org/vocab/quantitykind/LossAngle needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT2-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloM-PER-HR\n", - "http://qudt.org/vocab/unit/KiloM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliL\n", - "http://qudt.org/vocab/unit/MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-T-SEC\n", - "http://qudt.org/vocab/unit/PER-T-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E4L-2I0M-3H0T10D0\n", - "http://qudt.org/vocab/dimensionvector/A0E4L-2I0M-3H0T10D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H1T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT-SEC\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoGM\n", - "http://qudt.org/vocab/unit/PicoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V-PER-MicroSEC\n", - "http://qudt.org/vocab/unit/V-PER-MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V-PER-MicroSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-HA\n", - "http://qudt.org/vocab/unit/NUM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-A_Reactive needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGAL-PER-M\n", - "http://qudt.org/vocab/unit/MicroGAL-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGAL-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HectoPA-M3-PER-SEC\n", - "http://qudt.org/vocab/unit/HectoPA-M3-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/BendingMomentOfForce\n", - "http://qudt.org/vocab/quantitykind/BendingMomentOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BatteryCapacity\n", - "http://qudt.org/vocab/quantitykind/BatteryCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/NanoL\n", - "http://qudt.org/vocab/unit/NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatioOver2Pi\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HelionProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_HelionProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaV-PER-M\n", - "http://qudt.org/vocab/unit/MegaV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOf1stHyperpolarizability\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOf1stHyperpolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaOHM\n", - "http://qudt.org/vocab/unit/MegaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiL\n", - "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/RAD\n", - "http://qudt.org/vocab/unit/RAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_InverseMeterKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroGM-PER-GM\n", - "http://qudt.org/vocab/unit/MicroGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGM-PER-GM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TotalCurrentDensity\n", - "http://qudt.org/vocab/quantitykind/TotalCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedLength\n", - "http://qudt.org/vocab/quantitykind/PressureBasedLength needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusivity\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloMOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/KiloMOL-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/REV-PER-MIN\n", - "http://qudt.org/vocab/unit/REV-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HartreeKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PPTR_VOL\n", - "http://qudt.org/vocab/unit/PPTR_VOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTR_VOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_HertzElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HertzAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-M-NanoM\n", - "http://qudt.org/vocab/unit/PER-M-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-M-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM-PER-DEG_C\n", - "http://qudt.org/vocab/unit/GM-PER-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM-PER-DEG_C needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/SpecificActivity\n", - "http://qudt.org/vocab/quantitykind/SpecificActivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PERM_Metric\n", - "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PERM_Metric needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H1T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/GeneralizedForce\n", - "http://qudt.org/vocab/quantitykind/GeneralizedForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/StressOpticCoefficient\n", - "http://qudt.org/vocab/quantitykind/StressOpticCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM-DEG_C\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-GM-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_KelvinHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInEVPerK\n", - "http://qudt.org/vocab/constant/Value_BoltzmannConstantInEVPerK needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricalConductance\n", - "http://qudt.org/vocab/quantitykind/ElectricalConductance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroG\n", - "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM-SR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM-PER-HR\n", - "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_TritonMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-M\n", - "http://qudt.org/vocab/unit/PA-SEC-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3-PER-K\n", - "http://qudt.org/vocab/unit/CentiM3-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy\n", - "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/VolumicElectromagneticEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TotalMassStoppingPower\n", - "http://qudt.org/vocab/quantitykind/TotalMassStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_TH\n", - "http://qudt.org/vocab/unit/DEG_F-HR-FT2-PER-BTU_TH needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GAL_US\n", - "http://qudt.org/vocab/unit/GAL_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricPotential\n", - "http://qudt.org/vocab/quantitykind/ElectricPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectricPotential needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeSurfaceDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeSurfaceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronDeuteronMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronDeuteronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnPressureBasis\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnPressureBasis needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PicoGM-PER-MilliL\n", - "http://qudt.org/vocab/unit/PicoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoGM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M\n", - "http://qudt.org/vocab/unit/KiloGM-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BBL_US_DRY\n", - "http://qudt.org/vocab/unit/BBL_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BBL_US_DRY needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PK_US_DRY-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroN\n", - "http://qudt.org/vocab/unit/MicroN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/POISE-PER-BAR\n", - "http://qudt.org/vocab/unit/POISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/POISE-PER-BAR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/prefix/Yobi\n", - "http://qudt.org/vocab/prefix/Yobi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RelativePressureCoefficient\n", - "http://qudt.org/vocab/quantitykind/RelativePressureCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PictureElement\n", - "http://qudt.org/vocab/quantitykind/PictureElement needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatioCoefficient\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionRatioCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroBQ-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AtomicEnergy\n", - "http://qudt.org/vocab/quantitykind/AtomicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_RydbergConstant\n", - "http://qudt.org/vocab/constant/Value_RydbergConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FT-PER-SEC2\n", - "http://qudt.org/vocab/unit/FT-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AngstromStar\n", - "http://qudt.org/vocab/constant/Value_AngstromStar needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatioOver2Pi\n", - "http://qudt.org/vocab/constant/Value_NeutronGyromagneticRatioOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/OHM\n", - "http://qudt.org/vocab/unit/OHM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M3-PER-DAY\n", - "http://qudt.org/vocab/unit/M3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoS-PER-CentiM\n", - "http://qudt.org/vocab/unit/NanoS-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoS-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ProtonNeutronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/G\n", - "http://qudt.org/vocab/unit/G needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalCoefficientOfLinearExpansion\n", - "http://qudt.org/vocab/quantitykind/ThermalCoefficientOfLinearExpansion needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/C-PER-CentiM3\n", - "http://qudt.org/vocab/unit/C-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OHM_Ab\n", - "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OHM_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronNeutronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Exposure\n", - "http://qudt.org/vocab/quantitykind/Exposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ThermalConductivity\n", - "http://qudt.org/vocab/quantitykind/ThermalConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedMass\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_ProtonMass\n", - "http://qudt.org/vocab/constant/Value_ProtonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloGM-PER-DAY\n", - "http://qudt.org/vocab/unit/KiloGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_LatticeParameterOfSilicon\n", - "http://qudt.org/vocab/constant/Value_LatticeParameterOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MolarEntropy\n", - "http://qudt.org/vocab/quantitykind/MolarEntropy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/K-PER-MIN\n", - "http://qudt.org/vocab/unit/K-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HartreeEnergy\n", - "http://qudt.org/vocab/constant/Value_HartreeEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR\n", - "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEATHS-PER-1000000I-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Pressure\n", - "http://qudt.org/vocab/quantitykind/Pressure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability\n", - "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbability needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroM-PER-MilliL\n", - "http://qudt.org/vocab/unit/MicroM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM-PER-MilliL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnConcentration\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantBasedOnConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MegaGM-PER-HA\n", - "http://qudt.org/vocab/unit/MegaGM-PER-HA needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MegaGM-PER-HA needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AvogadroConstant\n", - "http://qudt.org/vocab/constant/Value_AvogadroConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ElementaryChargeOverH\n", - "http://qudt.org/vocab/constant/Value_ElementaryChargeOverH needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Reactance\n", - "http://qudt.org/vocab/quantitykind/Reactance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_FineStructureConstant\n", - "http://qudt.org/vocab/constant/Value_FineStructureConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricPotentialDifference\n", - "http://qudt.org/vocab/quantitykind/ElectricPotentialDifference needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LossFactor\n", - "http://qudt.org/vocab/quantitykind/LossFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliGM-PER-DAY\n", - "http://qudt.org/vocab/unit/MilliGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloW\n", - "http://qudt.org/vocab/unit/KiloW needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-1D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MolarConductivity\n", - "http://qudt.org/vocab/quantitykind/MolarConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEGREE_PLATO\n", - "http://qudt.org/vocab/unit/DEGREE_PLATO needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/DEGREE_PLATO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MOL\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG\n", - "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInMHzPerT\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInMHzPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliM_HG\n", - "http://qudt.org/vocab/unit/MilliM_HG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-MIN\n", - "http://qudt.org/vocab/unit/PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfCurrent\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MassConcentration\n", - "http://qudt.org/vocab/quantitykind/MassConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PlanckTemperature\n", - "http://qudt.org/vocab/unit/PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PressureGradient\n", - "http://qudt.org/vocab/quantitykind/PressureGradient needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ParticleFluence\n", - "http://qudt.org/vocab/quantitykind/ParticleFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-M2\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/C-PER-M3\n", - "http://qudt.org/vocab/unit/C-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment\n", - "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MagneticDipoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronToShieldedHelionMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronToShieldedHelionMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MegaBIT-PER-SEC\n", - "http://qudt.org/vocab/unit/MegaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaBIT-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM3-PER-M3\n", - "http://qudt.org/vocab/unit/MilliM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-PER-SEC\n", - "http://qudt.org/vocab/unit/FT-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/TeraC\n", - "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TeraC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTM\n", - "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PPTM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/CutoffCurrentRating\n", - "http://qudt.org/vocab/quantitykind/CutoffCurrentRating needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/W-PER-M2-K\n", - "http://qudt.org/vocab/unit/W-PER-M2-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NeutronProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MOL-DEG_C\n", - "http://qudt.org/vocab/unit/MOL-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PetaJ\n", - "http://qudt.org/vocab/unit/PetaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PetaJ needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CAL_TH-PER-G\n", - "http://qudt.org/vocab/unit/CAL_TH-PER-G needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RotaryShock\n", - "http://qudt.org/vocab/quantitykind/RotaryShock needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ExposureRate\n", - "http://qudt.org/vocab/quantitykind/ExposureRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/CoefficientOfHeatTransfer\n", - "http://qudt.org/vocab/quantitykind/CoefficientOfHeatTransfer needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_MuonMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroGM-PER-DeciL\n", - "http://qudt.org/vocab/unit/MicroGM-PER-DeciL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfForce\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-KiloGM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_KilogramElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MeanMassRange\n", - "http://qudt.org/vocab/quantitykind/MeanMassRange needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SecondRadiationConstant\n", - "http://qudt.org/vocab/quantitykind/SecondRadiationConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/OCT\n", - "http://qudt.org/vocab/unit/OCT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/StateDensity\n", - "http://qudt.org/vocab/quantitykind/StateDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/BandwidthLengthProduct\n", - "http://qudt.org/vocab/quantitykind/BandwidthLengthProduct needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/LinkedFlux\n", - "http://qudt.org/vocab/quantitykind/LinkedFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LinkedFlux needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FemtoM\n", - "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Slowing-DownDensity\n", - "http://qudt.org/vocab/quantitykind/Slowing-DownDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PHOT\n", - "http://qudt.org/vocab/unit/PHOT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D-1\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB_F-SEC-PER-FT2\n", - "http://qudt.org/vocab/unit/LB_F-SEC-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesCInHz\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesCInHz needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/GI_UK-PER-DAY\n", - "http://qudt.org/vocab/unit/GI_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_UK-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-KiloM\n", - "http://qudt.org/vocab/unit/PER-KiloM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PERMEABILITY_EM_REL\n", - "http://qudt.org/vocab/unit/PERMEABILITY_EM_REL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbabilityForSpontaneousOrInducedEmissionAndAbsorption\n", - "http://qudt.org/vocab/quantitykind/EinsteinTransitionProbabilityForSpontaneousOrInducedEmissionAndAbsorption needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MACH\n", - "http://qudt.org/vocab/unit/MACH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FC\n", - "http://qudt.org/vocab/unit/FC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MacroscopicCrossSection\n", - "http://qudt.org/vocab/quantitykind/MacroscopicCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaV\n", - "http://qudt.org/vocab/unit/MegaV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PositionVector\n", - "http://qudt.org/vocab/quantitykind/PositionVector needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CWT_LONG\n", - "http://qudt.org/vocab/unit/CWT_LONG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_C-PER-SEC\n", - "http://qudt.org/vocab/unit/DEG_C-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentum\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2\n", - "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloLB_F-PER-IN2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PhotoThresholdOfAwarenessFunction\n", - "http://qudt.org/vocab/quantitykind/PhotoThresholdOfAwarenessFunction needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HertzHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_KilogramHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MassAbsorptionCoefficient\n", - "http://qudt.org/vocab/quantitykind/MassAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT2-SEC-DEG_F\n", - "http://qudt.org/vocab/unit/FT2-SEC-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloBYTE-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloBYTE-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/ExaBYTE\n", - "http://qudt.org/vocab/unit/ExaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ExaBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant\n", - "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/TorsionalSpringConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/RadiantFlux\n", - "http://qudt.org/vocab/quantitykind/RadiantFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-EV2\n", - "http://qudt.org/vocab/unit/PER-EV2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/IN_H2O\n", - "http://qudt.org/vocab/unit/IN_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BohrRadius\n", - "http://qudt.org/vocab/constant/Value_BohrRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ThermalResistivity\n", - "http://qudt.org/vocab/quantitykind/ThermalResistivity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ERG-PER-CentiM\n", - "http://qudt.org/vocab/unit/ERG-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ERG-PER-CentiM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LeakageFactor\n", - "http://qudt.org/vocab/quantitykind/LeakageFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/QT_US-PER-MIN\n", - "http://qudt.org/vocab/unit/QT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronMass\n", - "http://qudt.org/vocab/constant/Value_NeutronMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloGM-K\n", - "http://qudt.org/vocab/unit/KiloGM-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckVolume\n", - "http://qudt.org/vocab/unit/PlanckVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RestMass\n", - "http://qudt.org/vocab/quantitykind/RestMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RadiantFluence\n", - "http://qudt.org/vocab/quantitykind/RadiantFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H-1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M-1H-1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/CouplingFactor\n", - "http://qudt.org/vocab/quantitykind/CouplingFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronToAlphaParticleMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronToAlphaParticleMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/M2-PER-V-SEC\n", - "http://qudt.org/vocab/unit/M2-PER-V-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/SphericalIlluminance\n", - "http://qudt.org/vocab/quantitykind/SphericalIlluminance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SphericalIlluminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FemtoC\n", - "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FemtoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_TauProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_TauProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_MuonComptonWavelengthOver2Pi\n", - "http://qudt.org/vocab/constant/Value_MuonComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-L\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DeciM3-PER-DAY\n", - "http://qudt.org/vocab/unit/DeciM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DeciM3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN2\n", - "http://qudt.org/vocab/unit/IN2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/W-PER-M2-SR\n", - "http://qudt.org/vocab/unit/W-PER-M2-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M2-K-PER-W\n", - "http://qudt.org/vocab/unit/M2-K-PER-W needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TritonElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_TritonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/LB-PER-YD3\n", - "http://qudt.org/vocab/unit/LB-PER-YD3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DIOPTER\n", - "http://qudt.org/vocab/unit/DIOPTER needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitationOverHbarC\n", - "http://qudt.org/vocab/constant/Value_NewtonianConstantOfGravitationOverHbarC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HertzKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentumInMeVPerC\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMomentumInMeVPerC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_InverseFineStructureConstant\n", - "http://qudt.org/vocab/constant/Value_InverseFineStructureConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MadelungConstant\n", - "http://qudt.org/vocab/quantitykind/MadelungConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-MicroMOL-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/GrandCanonicalPartitionFunction\n", - "http://qudt.org/vocab/quantitykind/GrandCanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/GeneralizedCoordinate\n", - "http://qudt.org/vocab/quantitykind/GeneralizedCoordinate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_ProtonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TrafficIntensity\n", - "http://qudt.org/vocab/quantitykind/TrafficIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ModulusOfElasticity\n", - "http://qudt.org/vocab/quantitykind/ModulusOfElasticity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MuonMolarMass\n", - "http://qudt.org/vocab/constant/Value_MuonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-CentiM2\n", - "http://qudt.org/vocab/unit/KiloGM_F-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilLength\n", - "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroM-PER-N\n", - "http://qudt.org/vocab/unit/MicroM-PER-N needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroM-PER-N needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/FahrenheitTemperature\n", - "http://qudt.org/vocab/quantitykind/FahrenheitTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/E\n", - "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/E needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MigrationLength\n", - "http://qudt.org/vocab/quantitykind/MigrationLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/M-PER-YR\n", - "http://qudt.org/vocab/unit/M-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2\n", - "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C_Stat-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnConcentrationBasis\n", - "http://qudt.org/vocab/quantitykind/EquilibriumConstantOnConcentrationBasis needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaHZ-M\n", - "http://qudt.org/vocab/unit/MegaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVelocity\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/SLUG-PER-SEC\n", - "http://qudt.org/vocab/unit/SLUG-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/QT_US_DRY\n", - "http://qudt.org/vocab/unit/QT_US_DRY needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/N\n", - "http://qudt.org/vocab/unit/N needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInJ\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInJ needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/RichardsonConstant\n", - "http://qudt.org/vocab/quantitykind/RichardsonConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DeciB\n", - "http://qudt.org/vocab/unit/DeciB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB_F-PER-LB\n", - "http://qudt.org/vocab/unit/LB_F-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_F-HR-PER-BTU_IT\n", - "http://qudt.org/vocab/unit/DEG_F-HR-PER-BTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/H-PER-M\n", - "http://qudt.org/vocab/unit/H-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionToShieldedProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionFactor\n", - "http://qudt.org/vocab/quantitykind/ThermalDiffusionFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BulkModulus\n", - "http://qudt.org/vocab/quantitykind/BulkModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MOHM\n", - "http://qudt.org/vocab/unit/MOHM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MOL\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliR_man\n", - "http://qudt.org/vocab/unit/MilliR_man needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliR_man needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Da\n", - "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/Da needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DeciBAR\n", - "http://qudt.org/vocab/unit/DeciBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Transmittance\n", - "http://qudt.org/vocab/quantitykind/Transmittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MolarPlanckConstantTimesC\n", - "http://qudt.org/vocab/constant/Value_MolarPlanckConstantTimesC needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInInverseMetersPerTesla\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInInverseMetersPerTesla needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/TOE\n", - "http://qudt.org/vocab/unit/TOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TOE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-PER-HR\n", - "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG-PER-HR\n", - "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_UK-PER-MIN\n", - "http://qudt.org/vocab/unit/QT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M3-PER-HR\n", - "http://qudt.org/vocab/unit/M3-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SolidStateDiffusionLength\n", - "http://qudt.org/vocab/quantitykind/SolidStateDiffusionLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MeanEnergyImparted\n", - "http://qudt.org/vocab/quantitykind/MeanEnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SpecificInternalEnergy\n", - "http://qudt.org/vocab/quantitykind/SpecificInternalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliM-PER-HR\n", - "http://qudt.org/vocab/unit/MilliM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ShearModulus\n", - "http://qudt.org/vocab/quantitykind/ShearModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ShearModulus needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LinearVelocity\n", - "http://qudt.org/vocab/quantitykind/LinearVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KiloPA-PER-MilliM\n", - "http://qudt.org/vocab/unit/KiloPA-PER-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloPA-PER-MilliM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AMU\n", - "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/AMU needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG_C-PER-YR\n", - "http://qudt.org/vocab/unit/DEG_C-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG_C-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedDensity\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/StressIntensityFactor\n", - "http://qudt.org/vocab/quantitykind/StressIntensityFactor needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-T\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaHZ-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MeanLifetime\n", - "http://qudt.org/vocab/quantitykind/MeanLifetime needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MeanLifetime needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LoudnessLevel\n", - "http://qudt.org/vocab/quantitykind/LoudnessLevel needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_DeuteronElectronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoFARAD-PER-M\n", - "http://qudt.org/vocab/unit/PicoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB-PER-DAY\n", - "http://qudt.org/vocab/unit/LB-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MolarDensity\n", - "http://qudt.org/vocab/quantitykind/MolarDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/NTU\n", - "http://qudt.org/vocab/unit/NTU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliG\n", - "http://qudt.org/vocab/unit/MilliG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT3\n", - "http://qudt.org/vocab/unit/FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-K\n", - "http://qudt.org/vocab/unit/J-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TritonMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_TritonMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/M\n", - "http://qudt.org/vocab/unit/M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LM-SEC\n", - "http://qudt.org/vocab/unit/LM-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/MolarMass\n", - "http://qudt.org/vocab/quantitykind/MolarMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM_F\n", - "http://qudt.org/vocab/unit/GM_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E1L1I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TritonProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_TritonProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroPOISE\n", - "http://qudt.org/vocab/unit/MicroPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroPOISE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AttenuationCoefficient\n", - "http://qudt.org/vocab/quantitykind/AttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Susceptance\n", - "http://qudt.org/vocab/quantitykind/Susceptance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ProtonGFactor\n", - "http://qudt.org/vocab/constant/Value_ProtonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-M2-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonNeutronMassRatio\n", - "http://qudt.org/vocab/constant/Value_MuonNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/VolumeDensityOfCharge\n", - "http://qudt.org/vocab/quantitykind/VolumeDensityOfCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-SEC-FT-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NeutronComptonWavelengthOver2Pi\n", - "http://qudt.org/vocab/constant/Value_NeutronComptonWavelengthOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_UnifiedAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_UnifiedAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MassRatioOfWaterVapourToDryGas\n", - "http://qudt.org/vocab/quantitykind/MassRatioOfWaterVapourToDryGas needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroS-PER-M\n", - "http://qudt.org/vocab/unit/MicroS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroS-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/CompressibilityFactor\n", - "http://qudt.org/vocab/quantitykind/CompressibilityFactor needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/V_Ab\n", - "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/V_Ab needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-MIN\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/M3-PER-KiloGM\n", - "http://qudt.org/vocab/unit/M3-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DeciB_M\n", - "http://qudt.org/vocab/unit/DeciB_M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/W-PER-M2\n", - "http://qudt.org/vocab/unit/W-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RelativeMassRatioOfVapour\n", - "http://qudt.org/vocab/quantitykind/RelativeMassRatioOfVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/IonTransportNumber\n", - "http://qudt.org/vocab/quantitykind/IonTransportNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ComptonWavelength\n", - "http://qudt.org/vocab/constant/Value_ComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/CharacteristicVelocity\n", - "http://qudt.org/vocab/quantitykind/CharacteristicVelocity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ATM\n", - "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/ATM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MolarGasConstant\n", - "http://qudt.org/vocab/constant/Value_MolarGasConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricCharge\n", - "http://qudt.org/vocab/quantitykind/ElectricCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB-PER-GAL_US\n", - "http://qudt.org/vocab/unit/LB-PER-GAL_US needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-MOL\n", - "http://qudt.org/vocab/unit/KiloGM-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M2-PER-SEC\n", - "http://qudt.org/vocab/unit/M2-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DeciSEC\n", - "http://qudt.org/vocab/unit/DeciSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInHzPerT\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInHzPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-CentiM3\n", - "http://qudt.org/vocab/unit/PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H-1T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricQuadrupoleMoment\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricQuadrupoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MassFlowRate\n", - "http://qudt.org/vocab/quantitykind/MassFlowRate needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/IN4\n", - "http://qudt.org/vocab/unit/IN4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/IN4 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT2\n", - "http://qudt.org/vocab/unit/FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RestEnergy\n", - "http://qudt.org/vocab/quantitykind/RestEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMassFlow\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMassFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/V-PER-M2\n", - "http://qudt.org/vocab/unit/V-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfRadiantEnergyDensity\n", - "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfRadiantEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/AreicMass\n", - "http://qudt.org/vocab/quantitykind/AreicMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/S\n", - "http://qudt.org/vocab/unit/S needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronMolarMass\n", - "http://qudt.org/vocab/constant/Value_ElectronMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/QT_US-PER-SEC\n", - "http://qudt.org/vocab/unit/QT_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_US-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC-PER-M2\n", - "http://qudt.org/vocab/unit/MicroC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectrolyticConductivity\n", - "http://qudt.org/vocab/quantitykind/ElectrolyticConductivity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_US-PER-DAY\n", - "http://qudt.org/vocab/unit/QT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_US-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergy\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PA-M0pt5\n", - "http://qudt.org/vocab/unit/PA-M0pt5 needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/YR_Sidereal\n", - "http://qudt.org/vocab/unit/YR_Sidereal needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/YR_Sidereal needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DYN-PER-CentiM2\n", - "http://qudt.org/vocab/unit/DYN-PER-CentiM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/GeneralizedMomentum\n", - "http://qudt.org/vocab/quantitykind/GeneralizedMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_R-PER-HR\n", - "http://qudt.org/vocab/unit/DEG_R-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A-PER-M\n", - "http://qudt.org/vocab/unit/A-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DryVolume\n", - "http://qudt.org/vocab/quantitykind/DryVolume needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase10\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase10 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MilliL-PER-SEC\n", - "http://qudt.org/vocab/unit/MilliL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliL-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/CombinedNonEvaporativeHeatTransferCoefficient\n", - "http://qudt.org/vocab/quantitykind/CombinedNonEvaporativeHeatTransferCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MOL\n", - "http://qudt.org/vocab/unit/KiloCAL-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/KN-PER-SEC\n", - "http://qudt.org/vocab/unit/KN-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TotalRadiance\n", - "http://qudt.org/vocab/quantitykind/TotalRadiance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/SourceVoltage\n", - "http://qudt.org/vocab/quantitykind/SourceVoltage needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT_US\n", - "http://qudt.org/vocab/unit/FT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CARAT\n", - "http://qudt.org/vocab/unit/CARAT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY\n", - "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoGM-PER-CentiM2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/LinearVoltageCoefficient\n", - "http://qudt.org/vocab/quantitykind/LinearVoltageCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/M-K-PER-W\n", - "http://qudt.org/vocab/unit/M-K-PER-W needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionToProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionToProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/IsentropicExponent\n", - "http://qudt.org/vocab/quantitykind/IsentropicExponent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/IsentropicExponent needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-MilliM\n", - "http://qudt.org/vocab/unit/PER-MilliM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TotalPressure\n", - "http://qudt.org/vocab/quantitykind/TotalPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassDefect\n", - "http://qudt.org/vocab/quantitykind/MassDefect needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_HelionMassEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-LB\n", - "http://qudt.org/vocab/unit/BTU_TH-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-2I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliM-PER-DAY\n", - "http://qudt.org/vocab/unit/MilliM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-SEC\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassRelatedElectricalCurrent\n", - "http://qudt.org/vocab/quantitykind/MassRelatedElectricalCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/OZ_VOL_US-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/BodyMassIndex\n", - "http://qudt.org/vocab/quantitykind/BodyMassIndex needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/BitTransmissionRate\n", - "http://qudt.org/vocab/quantitykind/BitTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Diameter\n", - "http://qudt.org/vocab/quantitykind/Diameter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/REV-PER-SEC2\n", - "http://qudt.org/vocab/unit/REV-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PotentialEnergy\n", - "http://qudt.org/vocab/quantitykind/PotentialEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Unknown\n", - "http://qudt.org/vocab/quantitykind/Unknown needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AlphaDisintegrationEnergy\n", - "http://qudt.org/vocab/quantitykind/AlphaDisintegrationEnergy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_F-PER-SEC2\n", - "http://qudt.org/vocab/unit/DEG_F-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PlanckArea\n", - "http://qudt.org/vocab/unit/PlanckArea needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckArea needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/KinematicViscosity\n", - "http://qudt.org/vocab/quantitykind/KinematicViscosity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/KinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MassicPower\n", - "http://qudt.org/vocab/quantitykind/MassicPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/AttoC\n", - "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-PER-K\n", - "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/EV-PER-K needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/GruneisenParameter\n", - "http://qudt.org/vocab/quantitykind/GruneisenParameter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/ST\n", - "http://qudt.org/vocab/unit/ST needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/IsentropicCompressibility\n", - "http://qudt.org/vocab/quantitykind/IsentropicCompressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloGM_F\n", - "http://qudt.org/vocab/unit/KiloGM_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AtomScatteringFactor\n", - "http://qudt.org/vocab/quantitykind/AtomScatteringFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ScalarMagneticPotential\n", - "http://qudt.org/vocab/quantitykind/ScalarMagneticPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInEV\n", - "http://qudt.org/vocab/constant/Value_RydbergConstantTimesHcInEV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MilliBAR\n", - "http://qudt.org/vocab/unit/MilliBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AtomicAttenuationCoefficient\n", - "http://qudt.org/vocab/quantitykind/AtomicAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C-PER-KiloGM\n", - "http://qudt.org/vocab/unit/C-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroCi\n", - "http://qudt.org/vocab/unit/MicroCi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PARSEC\n", - "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PARSEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PicoL\n", - "http://qudt.org/vocab/unit/PicoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoL needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL\n", - "http://qudt.org/vocab/unit/OZ-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity\n", - "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/TimeAveragedSoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicCriticalMagneticFluxDensity\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicCriticalMagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/InternalEnergy\n", - "http://qudt.org/vocab/quantitykind/InternalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LuminousEfficacy\n", - "http://qudt.org/vocab/quantitykind/LuminousEfficacy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoMOL-PER-L-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SpecificEnergyImparted\n", - "http://qudt.org/vocab/quantitykind/SpecificEnergyImparted needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/OZ_F-IN\n", - "http://qudt.org/vocab/unit/OZ_F-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ_F-IN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MicroCanonicalPartitionFunction\n", - "http://qudt.org/vocab/quantitykind/MicroCanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GI_US-PER-MIN\n", - "http://qudt.org/vocab/unit/GI_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GI_US-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/RAD-PER-SEC2\n", - "http://qudt.org/vocab/unit/RAD-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_MagneticFluxQuantum\n", - "http://qudt.org/vocab/constant/Value_MagneticFluxQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/WaterVapourPermeability\n", - "http://qudt.org/vocab/quantitykind/WaterVapourPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ThermalInsulance\n", - "http://qudt.org/vocab/quantitykind/ThermalInsulance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ThermalInsulance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificOpticalRotatoryPower\n", - "http://qudt.org/vocab/quantitykind/SpecificOpticalRotatoryPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaPA\n", - "http://qudt.org/vocab/unit/MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaPA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MolecularConcentration\n", - "http://qudt.org/vocab/quantitykind/MolecularConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliGM-PER-M3-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MolarEnergy\n", - "http://qudt.org/vocab/quantitykind/MolarEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LineicMass\n", - "http://qudt.org/vocab/quantitykind/LineicMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_NeutronMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_NeutronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SeebeckCoefficient\n", - "http://qudt.org/vocab/quantitykind/SeebeckCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticEnergyDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TritonMolarMass\n", - "http://qudt.org/vocab/constant/Value_TritonMolarMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-4I0M-2H0T4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-4I0M-2H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E3L-1I0M-2H0T7D0\n", - "http://qudt.org/vocab/dimensionvector/A0E3L-1I0M-2H0T7D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Curvature\n", - "http://qudt.org/vocab/quantitykind/Curvature needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundIntensity\n", - "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/SoundIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MolarAttenuationCoefficient\n", - "http://qudt.org/vocab/quantitykind/MolarAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_R-PER-SEC\n", - "http://qudt.org/vocab/unit/DEG_R-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliA\n", - "http://qudt.org/vocab/unit/MilliA needs between None and 1 instances of http://qudt.org/schema/qudt/Prefix on path http://qudt.org/schema/qudt/prefix\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeVolumeDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeVolumeDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_C-WK\n", - "http://qudt.org/vocab/unit/DEG_C-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/DEG_C-WK needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/A-PER-DEG_C\n", - "http://qudt.org/vocab/unit/A-PER-DEG_C needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaC-PER-M2\n", - "http://qudt.org/vocab/unit/MegaC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaC-PER-M2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM\n", - "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliH-PER-KiloOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassConcentrationOfWaterVapour\n", - "http://qudt.org/vocab/quantitykind/MassConcentrationOfWaterVapour needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/IU\n", - "http://qudt.org/vocab/unit/IU needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BQ\n", - "http://qudt.org/vocab/unit/BQ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliIN\n", - "http://qudt.org/vocab/unit/MilliIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/AngularWavenumber\n", - "http://qudt.org/vocab/quantitykind/AngularWavenumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/REV\n", - "http://qudt.org/vocab/unit/REV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInInverseMetersPerTesla\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInInverseMetersPerTesla needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/CentiBAR\n", - "http://qudt.org/vocab/unit/CentiBAR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/TBSP\n", - "http://qudt.org/vocab/unit/TBSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/TBSP needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/KinematicViscosityOrDiffusionConstantOrThermalDiffusivity\n", - "http://qudt.org/vocab/quantitykind/KinematicViscosityOrDiffusionConstantOrThermalDiffusivity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeLinearDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeLinearDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PlanckImpedance\n", - "http://qudt.org/vocab/unit/PlanckImpedance needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M-1H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MegaLB_F\n", - "http://qudt.org/vocab/unit/MegaLB_F needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGRAY\n", - "http://qudt.org/vocab/unit/MicroGRAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroGRAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Area\n", - "http://qudt.org/vocab/quantitykind/Area needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MolarVolumeOfSilicon\n", - "http://qudt.org/vocab/constant/Value_MolarVolumeOfSilicon needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PlanckFrequency_Ang\n", - "http://qudt.org/vocab/unit/PlanckFrequency_Ang needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PlanckFrequency_Ang needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInKPerT\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInKPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PressureBasedDynamicViscosity\n", - "http://qudt.org/vocab/quantitykind/PressureBasedDynamicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_JouleElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoH-PER-M\n", - "http://qudt.org/vocab/unit/NanoH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoH-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RadiantIntensity\n", - "http://qudt.org/vocab/quantitykind/RadiantIntensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EnergyFluenceRate\n", - "http://qudt.org/vocab/quantitykind/EnergyFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MilliM-PER-YR\n", - "http://qudt.org/vocab/unit/MilliM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliM-PER-YR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/IonicStrength\n", - "http://qudt.org/vocab/quantitykind/IonicStrength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ForcePerElectricCharge\n", - "http://qudt.org/vocab/quantitykind/ForcePerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ThomsonCrossSection\n", - "http://qudt.org/vocab/constant/Value_ThomsonCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity\n", - "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/DisplacementCurrentDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MagnetomotiveForce\n", - "http://qudt.org/vocab/quantitykind/MagnetomotiveForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagnetomotiveForce needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MegaN-M\n", - "http://qudt.org/vocab/unit/MegaN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaN-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticFluxDensity\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalentInMeV\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstantEnergyEquivalentInMeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PropagationCoefficient\n", - "http://qudt.org/vocab/quantitykind/PropagationCoefficient needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PropagationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Activity\n", - "http://qudt.org/vocab/quantitykind/Activity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Dissipance\n", - "http://qudt.org/vocab/quantitykind/Dissipance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ByteTransmissionRate\n", - "http://qudt.org/vocab/quantitykind/ByteTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoMOL-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoFARAD\n", - "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoFARAD needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronTauMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronTauMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedElectricCurrent\n", - "http://qudt.org/vocab/quantitykind/PressureBasedElectricCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentPerUnitEnergy\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentPerUnitEnergy needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/constant/Value_ElectronDeuteronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronDeuteronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_MuonMass\n", - "http://qudt.org/vocab/constant/Value_MuonMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-4T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H-4T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L0I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-HR\n", - "http://qudt.org/vocab/unit/PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliA-HR-PER-GM\n", - "http://qudt.org/vocab/unit/MilliA-HR-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfVibrationalModes\n", - "http://qudt.org/vocab/quantitykind/SpectralConcentrationOfVibrationalModes needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RefractiveIndex\n", - "http://qudt.org/vocab/quantitykind/RefractiveIndex needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/MicroOHM\n", - "http://qudt.org/vocab/unit/MicroOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroOHM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/HectoPA-L-PER-SEC\n", - "http://qudt.org/vocab/unit/HectoPA-L-PER-SEC needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMass\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FT3-PER-DAY\n", - "http://qudt.org/vocab/unit/FT3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT3-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedMassFlowRate\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedMassFlowRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/RecombinationCoefficient\n", - "http://qudt.org/vocab/quantitykind/RecombinationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_PlanckTime\n", - "http://qudt.org/vocab/constant/Value_PlanckTime needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MassRatioOfWaterToDryMatter\n", - "http://qudt.org/vocab/quantitykind/MassRatioOfWaterToDryMatter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TauElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_TauElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeDensity\n", - "http://qudt.org/vocab/quantitykind/ElectricChargeDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloBTU_IT-PER-FT2\n", - "http://qudt.org/vocab/unit/KiloBTU_IT-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularReciprocalLatticeVector\n", - "http://qudt.org/vocab/quantitykind/AngularReciprocalLatticeVector needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/AttoJ-SEC\n", - "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/AttoJ-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L0I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Torque\n", - "http://qudt.org/vocab/quantitykind/Torque needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Torque needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMass\n", - "http://qudt.org/vocab/quantitykind/PressureBasedMass needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/IsothermalCompressibility\n", - "http://qudt.org/vocab/quantitykind/IsothermalCompressibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/NanoFARAD-PER-M\n", - "http://qudt.org/vocab/unit/NanoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoFARAD-PER-M needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_JouleInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Debye-WallerFactor\n", - "http://qudt.org/vocab/quantitykind/Debye-WallerFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GM_Carbon-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT3\n", - "http://qudt.org/vocab/unit/SLUG-PER-FT3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/HydraulicPermeability\n", - "http://qudt.org/vocab/quantitykind/HydraulicPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/baseCGSUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/HydraulicPermeability needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/quantitykind/ParticleCurrent\n", - "http://qudt.org/vocab/quantitykind/ParticleCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-M\n", - "http://qudt.org/vocab/unit/PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ReciprocalEnergy\n", - "http://qudt.org/vocab/quantitykind/ReciprocalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GALILEO\n", - "http://qudt.org/vocab/unit/GALILEO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-PER-M3\n", - "http://qudt.org/vocab/unit/LB-PER-M3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L1I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/prefix/Gibi\n", - "http://qudt.org/vocab/prefix/Gibi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I1M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C-PER-MilliM3\n", - "http://qudt.org/vocab/unit/C-PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C-PER-MilliM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-1I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfChargeDensity\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfChargeDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H0T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PDL-PER-FT2\n", - "http://qudt.org/vocab/unit/PDL-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularMomentum\n", - "http://qudt.org/vocab/quantitykind/AngularMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AreicChargeDensityOrElectricFluxDensityOrElectricPolarization\n", - "http://qudt.org/vocab/quantitykind/AreicChargeDensityOrElectricFluxDensityOrElectricPolarization needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MegaA\n", - "http://qudt.org/vocab/unit/MegaA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MegaA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassAttenuationCoefficient\n", - "http://qudt.org/vocab/quantitykind/MassAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CentiM-PER-KiloYR\n", - "http://qudt.org/vocab/unit/CentiM-PER-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM-PER-KiloYR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C-PER-MilliM2\n", - "http://qudt.org/vocab/unit/C-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/C-PER-MilliM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronNeutronMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronNeutronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_JouleHartreeRelationship\n", - "http://qudt.org/vocab/constant/Value_JouleHartreeRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_TH-FT-PER-FT2-HR-DEG_F\n", - "http://qudt.org/vocab/unit/BTU_TH-FT-PER-FT2-HR-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_JosephsonConstant\n", - "http://qudt.org/vocab/constant/Value_JosephsonConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_InverseMeterJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_InverseMeterJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3\n", - "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloGM-PER-CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoW\n", - "http://qudt.org/vocab/unit/PicoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoW needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L3I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L3I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TotalCurrent\n", - "http://qudt.org/vocab/quantitykind/TotalCurrent needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPolarizability\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/C_Ab\n", - "http://qudt.org/vocab/unit/C_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/StaticPressure\n", - "http://qudt.org/vocab/quantitykind/StaticPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-L-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CUP\n", - "http://qudt.org/vocab/unit/CUP needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RadiantEmmitance\n", - "http://qudt.org/vocab/quantitykind/RadiantEmmitance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-LB_F\n", - "http://qudt.org/vocab/unit/FT-LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SpecificEntropy\n", - "http://qudt.org/vocab/quantitykind/SpecificEntropy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MassPerElectricCharge\n", - "http://qudt.org/vocab/quantitykind/MassPerElectricCharge needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/HectoC\n", - "http://qudt.org/vocab/unit/HectoC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Radius\n", - "http://qudt.org/vocab/quantitykind/Radius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Power\n", - "http://qudt.org/vocab/quantitykind/Power needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M-1H1T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M-1H1T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/OrderOfReflection\n", - "http://qudt.org/vocab/quantitykind/OrderOfReflection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedTemperature\n", - "http://qudt.org/vocab/quantitykind/PressureBasedTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/DECADE\n", - "http://qudt.org/vocab/unit/DECADE needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LineicResistance\n", - "http://qudt.org/vocab/quantitykind/LineicResistance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentPhasor\n", - "http://qudt.org/vocab/quantitykind/ElectricCurrentPhasor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/StandardGravitationalParameter\n", - "http://qudt.org/vocab/quantitykind/StandardGravitationalParameter needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronChargeToMassQuotient\n", - "http://qudt.org/vocab/constant/Value_ElectronChargeToMassQuotient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloM-PER-SEC\n", - "http://qudt.org/vocab/unit/KiloM-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MachNumber\n", - "http://qudt.org/vocab/quantitykind/MachNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_HertzJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_HertzJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoM\n", - "http://qudt.org/vocab/unit/NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/HeatFlowRate\n", - "http://qudt.org/vocab/quantitykind/HeatFlowRate needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG-PER-SEC2\n", - "http://qudt.org/vocab/unit/DEG-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/BitDataVolume\n", - "http://qudt.org/vocab/quantitykind/BitDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/CentiM3-PER-M3\n", - "http://qudt.org/vocab/unit/CentiM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3-PER-M3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_MuonElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_MuonElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Luminance\n", - "http://qudt.org/vocab/quantitykind/Luminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVolumeFlow\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/K\n", - "http://qudt.org/vocab/unit/K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/NUM-PER-KiloM2\n", - "http://qudt.org/vocab/unit/NUM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NUM-PER-KiloM2 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB_F-PER-FT\n", - "http://qudt.org/vocab/unit/LB_F-PER-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInKPerT\n", - "http://qudt.org/vocab/constant/Value_BohrMagnetonInKPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/T_Ab\n", - "http://qudt.org/vocab/unit/T_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PetaC\n", - "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PetaC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/prefix/Exbi\n", - "http://qudt.org/vocab/prefix/Exbi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_WienWavelengthDisplacementLawConstant\n", - "http://qudt.org/vocab/constant/Value_WienWavelengthDisplacementLawConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/KiloGM-PER-MegaBTU_IT\n", - "http://qudt.org/vocab/unit/KiloGM-PER-MegaBTU_IT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/F\n", - "http://qudt.org/vocab/unit/F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BAN\n", - "http://qudt.org/vocab/unit/BAN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-FT\n", - "http://qudt.org/vocab/unit/BTU_IT-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-2L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/V-SEC-PER-M\n", - "http://qudt.org/vocab/unit/V-SEC-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM_H2O\n", - "http://qudt.org/vocab/unit/CentiM_H2O needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CD-PER-M2\n", - "http://qudt.org/vocab/unit/CD-PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliDEG_C\n", - "http://qudt.org/vocab/unit/MilliDEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2-SEC\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MolarAbsorptionCoefficient\n", - "http://qudt.org/vocab/quantitykind/MolarAbsorptionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/L-PER-DAY\n", - "http://qudt.org/vocab/unit/L-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/L-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PicoA\n", - "http://qudt.org/vocab/unit/PicoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PicoA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K100KPa\n", - "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K100KPa needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PressureBasedElectricVoltage\n", - "http://qudt.org/vocab/quantitykind/PressureBasedElectricVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BEAT-PER-MIN\n", - "http://qudt.org/vocab/unit/BEAT-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/SEC2\n", - "http://qudt.org/vocab/unit/SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AreicDataVolume\n", - "http://qudt.org/vocab/quantitykind/AreicDataVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_NeutronElectronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronElectronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L2I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AmbientPressure\n", - "http://qudt.org/vocab/quantitykind/AmbientPressure needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PressureInRelationToVolumeFlow\n", - "http://qudt.org/vocab/quantitykind/PressureInRelationToVolumeFlow needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/LinearIonization\n", - "http://qudt.org/vocab/quantitykind/LinearIonization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LogarithmRatioToBase10\n", - "http://qudt.org/vocab/quantitykind/LogarithmRatioToBase10 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElectronMuonMassRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricSusceptibility\n", - "http://qudt.org/vocab/quantitykind/ElectricSusceptibility needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfCharge\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PERCENT\n", - "http://qudt.org/vocab/unit/PERCENT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_HartreeAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/HeatCapacity\n", - "http://qudt.org/vocab/quantitykind/HeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/CLO\n", - "http://qudt.org/vocab/unit/CLO needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_TauMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_TauMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/BBL_UK_PET-PER-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-3I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TotalAtomicStoppingPower\n", - "http://qudt.org/vocab/quantitykind/TotalAtomicStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2Pi\n", - "http://qudt.org/vocab/constant/Value_PlanckConstantOver2Pi needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_KilogramKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/HeatFlowRatePerUnitArea\n", - "http://qudt.org/vocab/quantitykind/HeatFlowRatePerUnitArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_ShieldedHelionMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SymbolTransmissionRate\n", - "http://qudt.org/vocab/quantitykind/SymbolTransmissionRate needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/TransmissionRatioBetweenRotationAndTranslation\n", - "http://qudt.org/vocab/quantitykind/TransmissionRatioBetweenRotationAndTranslation needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L0I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitKelvinRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitKelvinRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MicroSV\n", - "http://qudt.org/vocab/unit/MicroSV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroSV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Entropy\n", - "http://qudt.org/vocab/quantitykind/Entropy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleProtonMassRatio\n", - "http://qudt.org/vocab/constant/Value_AlphaParticleProtonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_InverseOfConductanceQuantum\n", - "http://qudt.org/vocab/constant/Value_InverseOfConductanceQuantum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E-1L1I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB-PER-FT-SEC\n", - "http://qudt.org/vocab/unit/LB-PER-FT-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonMuonMassRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonMuonMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_KelvinInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SpecificSurfaceArea\n", - "http://qudt.org/vocab/quantitykind/SpecificSurfaceArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronMuonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronMuonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/K-PER-SEC2\n", - "http://qudt.org/vocab/unit/K-PER-SEC2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-PER-FT-HR\n", - "http://qudt.org/vocab/unit/LB-PER-FT-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassInAtomicMassUnit\n", - "http://qudt.org/vocab/constant/Value_DeuteronMassInAtomicMassUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-K\n", - "http://qudt.org/vocab/unit/PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/V-PER-M\n", - "http://qudt.org/vocab/unit/V-PER-M needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RiseOfOffStateVoltage\n", - "http://qudt.org/vocab/quantitykind/RiseOfOffStateVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/MicroA\n", - "http://qudt.org/vocab/unit/MicroA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MicroA needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/KiloBYTE\n", - "http://qudt.org/vocab/unit/KiloBYTE needs between None and 1 instances of http://qudt.org/schema/qudt/Prefix on path http://qudt.org/schema/qudt/prefix\n", - "http://qudt.org/vocab/unit/KiloBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/ElectricPolarizability\n", - "http://qudt.org/vocab/quantitykind/ElectricPolarizability needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_MuonMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ElectronProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/BTU_IT-IN\n", - "http://qudt.org/vocab/unit/BTU_IT-IN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Efficiency\n", - "http://qudt.org/vocab/quantitykind/Efficiency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_KelvinKilogramRelationship\n", - "http://qudt.org/vocab/constant/Value_KelvinKilogramRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ParticleNumberDensity\n", - "http://qudt.org/vocab/quantitykind/ParticleNumberDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DWT\n", - "http://qudt.org/vocab/unit/DWT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-MOL-K\n", - "http://qudt.org/vocab/unit/J-PER-MOL-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AngularAcceleration\n", - "http://qudt.org/vocab/quantitykind/AngularAcceleration needs between None and 1 uses of path http://qudt.org/schema/qudt/baseSIUnitDimensions\n", - "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY\n", - "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/MilliBQ-PER-M2-DAY needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/LB-PER-HR\n", - "http://qudt.org/vocab/unit/LB-PER-HR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/NapierianAbsorbance\n", - "http://qudt.org/vocab/quantitykind/NapierianAbsorbance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AcousticImpedance\n", - "http://qudt.org/vocab/quantitykind/AcousticImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Displacement\n", - "http://qudt.org/vocab/quantitykind/Displacement needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_MuonGFactor\n", - "http://qudt.org/vocab/constant/Value_MuonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticWavePhaseSpeed\n", - "http://qudt.org/vocab/quantitykind/ElectromagneticWavePhaseSpeed needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M1H0T-3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SoundExposure\n", - "http://qudt.org/vocab/quantitykind/SoundExposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_R\n", - "http://qudt.org/vocab/unit/DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_C-PER-K\n", - "http://qudt.org/vocab/unit/DEG_C-PER-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_LoschmidtConstant\n", - "http://qudt.org/vocab/constant/Value_LoschmidtConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H-1T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H-1T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMomentum\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMomentum needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfAction\n", - "http://qudt.org/vocab/constant/Value_NaturalUnitOfAction needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Illuminance\n", - "http://qudt.org/vocab/quantitykind/Illuminance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MolarHeatCapacity\n", - "http://qudt.org/vocab/quantitykind/MolarHeatCapacity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/DEG_F-HR\n", - "http://qudt.org/vocab/unit/DEG_F-HR needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity\n", - "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LinearElectricCurrentDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GibiBYTE\n", - "http://qudt.org/vocab/unit/GibiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GibiBYTE needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/WB\n", - "http://qudt.org/vocab/unit/WB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-DEG_R\n", - "http://qudt.org/vocab/unit/LB-DEG_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM-PER-MOL\n", - "http://qudt.org/vocab/unit/GM-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GM-PER-MOL needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/Capacitance\n", - "http://qudt.org/vocab/quantitykind/Capacitance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/HZ\n", - "http://qudt.org/vocab/unit/HZ needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-LB needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/HamiltonFunction\n", - "http://qudt.org/vocab/quantitykind/HamiltonFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H0T-2D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Impulse\n", - "http://qudt.org/vocab/quantitykind/Impulse needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/SLUG\n", - "http://qudt.org/vocab/unit/SLUG needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/KermaRate\n", - "http://qudt.org/vocab/quantitykind/KermaRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_HartreeElectronVoltRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeElectronVoltRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/K-PER-T\n", - "http://qudt.org/vocab/unit/K-PER-T needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/LB-PER-IN3\n", - "http://qudt.org/vocab/unit/LB-PER-IN3 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-HR\n", - "http://qudt.org/vocab/unit/J-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/SurfaceTension\n", - "http://qudt.org/vocab/quantitykind/SurfaceTension needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EnergyPerMassAmountOfSubstance\n", - "http://qudt.org/vocab/quantitykind/EnergyPerMassAmountOfSubstance needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/unit/MOL\n", - "http://qudt.org/vocab/unit/MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/HP_Boiler\n", - "http://qudt.org/vocab/unit/HP_Boiler needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-MIN\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/PINT_UK-PER-MIN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/Landau-GinzburgNumber\n", - "http://qudt.org/vocab/quantitykind/Landau-GinzburgNumber needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C2-M2-PER-J\n", - "http://qudt.org/vocab/unit/C2-M2-PER-J needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/PER-M2\n", - "http://qudt.org/vocab/unit/PER-M2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfEnergy\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NUM\n", - "http://qudt.org/vocab/unit/NUM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassFluxDensity\n", - "http://qudt.org/vocab/quantitykind/MassFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN2-SEC\n", - "http://qudt.org/vocab/unit/LB_F-PER-IN2-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/StaticFrictionCoefficient\n", - "http://qudt.org/vocab/quantitykind/StaticFrictionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedVelocity\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/RateOfChangeOfTemperature\n", - "http://qudt.org/vocab/quantitykind/RateOfChangeOfTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_QuantumOfCirculationTimes2\n", - "http://qudt.org/vocab/constant/Value_QuantumOfCirculationTimes2 needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/W-PER-M2-NanoM needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_PlanckConstant\n", - "http://qudt.org/vocab/constant/Value_PlanckConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ThermalCapacitance\n", - "http://qudt.org/vocab/quantitykind/ThermalCapacitance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MassConcentrationOfWater\n", - "http://qudt.org/vocab/quantitykind/MassConcentrationOfWater needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I1M-1H0T3D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EffectiveMass\n", - "http://qudt.org/vocab/quantitykind/EffectiveMass needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NeutronComptonWavelength\n", - "http://qudt.org/vocab/constant/Value_NeutronComptonWavelength needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerMass\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerMass needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/CanonicalPartitionFunction\n", - "http://qudt.org/vocab/quantitykind/CanonicalPartitionFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/sou/SI\n", - "http://qudt.org/vocab/sou/SI needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GigaEV\n", - "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/GigaEV needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/GibbsEnergy\n", - "http://qudt.org/vocab/quantitykind/GibbsEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-L\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FemtoGM-PER-L needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-3I0M-1H0T4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L-3I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_ElectronVoltHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PrincipalQuantumNumber\n", - "http://qudt.org/vocab/quantitykind/PrincipalQuantumNumber needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ModulusOfAdmittance\n", - "http://qudt.org/vocab/quantitykind/ModulusOfAdmittance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/CyclotronAngularFrequency\n", - "http://qudt.org/vocab/quantitykind/CyclotronAngularFrequency needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-LB_F-SEC\n", - "http://qudt.org/vocab/unit/FT-LB_F-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/C-PER-MOL\n", - "http://qudt.org/vocab/unit/C-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/OZ-IN\n", - "http://qudt.org/vocab/unit/OZ-IN needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/RadiantExposure\n", - "http://qudt.org/vocab/quantitykind/RadiantExposure needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/DiffusionCoefficientForFluenceRate\n", - "http://qudt.org/vocab/quantitykind/DiffusionCoefficientForFluenceRate needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AngularCrossSection\n", - "http://qudt.org/vocab/quantitykind/AngularCrossSection needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AngularCrossSection needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricFieldGradient\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricFieldGradient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PhaseDifference\n", - "http://qudt.org/vocab/quantitykind/PhaseDifference needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PhaseDifference needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TritonNeutronMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_TritonNeutronMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVolume\n", - "http://qudt.org/vocab/quantitykind/PressureBasedVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MagneticFluxDensity\n", - "http://qudt.org/vocab/quantitykind/MagneticFluxDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagneticFluxDensity needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/DEG_C\n", - "http://qudt.org/vocab/unit/DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M1H0T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E0L3I0M1H0T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_ClassicalElectronRadius\n", - "http://qudt.org/vocab/constant/Value_ClassicalElectronRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI\n", - "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/NanoM-PER-CentiM-PSI needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassFractionOfDryMatter\n", - "http://qudt.org/vocab/quantitykind/MassFractionOfDryMatter needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MagneticFlux\n", - "http://qudt.org/vocab/quantitykind/MagneticFlux needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E2L0I0M-1H0T4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L0I0M-1H0T4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M0H1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/W-PER-SR\n", - "http://qudt.org/vocab/unit/W-PER-SR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MolarThermodynamicEnergy\n", - "http://qudt.org/vocab/quantitykind/MolarThermodynamicEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/GRAIN-PER-GAL\n", - "http://qudt.org/vocab/unit/GRAIN-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/MassDensity\n", - "http://qudt.org/vocab/quantitykind/MassDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SecondPolarMomentOfArea\n", - "http://qudt.org/vocab/quantitykind/SecondPolarMomentOfArea needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/KiloL-PER-HR\n", - "http://qudt.org/vocab/unit/KiloL-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToBohrMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ElectronMagneticMomentToBohrMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/LuminousExitance\n", - "http://qudt.org/vocab/quantitykind/LuminousExitance needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2-DEG_R\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2-DEG_R needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_KilogramInverseMeterRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramInverseMeterRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/DeciC\n", - "http://qudt.org/vocab/unit/DeciC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/BTU_TH\n", - "http://qudt.org/vocab/unit/BTU_TH needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMass\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfMass needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Absorptance\n", - "http://qudt.org/vocab/quantitykind/Absorptance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicEntropy\n", - "http://qudt.org/vocab/quantitykind/ThermodynamicEntropy needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Action\n", - "http://qudt.org/vocab/quantitykind/Action needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_QuantumOfCirculation\n", - "http://qudt.org/vocab/constant/Value_QuantumOfCirculation needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_PlanckMassEnergyEquivalentInGeV\n", - "http://qudt.org/vocab/constant/Value_PlanckMassEnergyEquivalentInGeV needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SpecificGibbsEnergy\n", - "http://qudt.org/vocab/quantitykind/SpecificGibbsEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_KilogramHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/PER-KiloV-A-HR\n", - "http://qudt.org/vocab/unit/PER-KiloV-A-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/H\n", - "http://qudt.org/vocab/unit/H needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/PressureCoefficient\n", - "http://qudt.org/vocab/quantitykind/PressureCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT-PDL\n", - "http://qudt.org/vocab/unit/FT-PDL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/NuclearQuadrupoleMoment\n", - "http://qudt.org/vocab/quantitykind/NuclearQuadrupoleMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-SEC\n", - "http://qudt.org/vocab/unit/J-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/CubicExpansionCoefficient\n", - "http://qudt.org/vocab/quantitykind/CubicExpansionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_NeutronToShieldedProtonMagneticMomentRatio\n", - "http://qudt.org/vocab/constant/Value_NeutronToShieldedProtonMagneticMomentRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/MIN_Sidereal\n", - "http://qudt.org/vocab/unit/MIN_Sidereal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_VonKlitzingConstant\n", - "http://qudt.org/vocab/constant/Value_VonKlitzingConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPotential\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfElectricPotential needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase2\n", - "http://qudt.org/vocab/quantitykind/InformationContentExpressedAsALogarithmToBase2 needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/GroupSpeedOfSound\n", - "http://qudt.org/vocab/quantitykind/GroupSpeedOfSound needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_CuXUnit\n", - "http://qudt.org/vocab/constant/Value_CuXUnit needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/DEG_C-PER-MIN\n", - "http://qudt.org/vocab/unit/DEG_C-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/AC-FT\n", - "http://qudt.org/vocab/unit/AC-FT needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/EnergyInternal\n", - "http://qudt.org/vocab/quantitykind/EnergyInternal needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L2I0M0H0T0D1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A_Ab\n", - "http://qudt.org/vocab/unit/A_Ab needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K101.325K\n", - "http://qudt.org/vocab/constant/Value_SackurTetrodeConstant1K101.325K needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/LinearExpansionCoefficient\n", - "http://qudt.org/vocab/quantitykind/LinearExpansionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E1L-2I0M0H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/J-PER-M4\n", - "http://qudt.org/vocab/unit/J-PER-M4 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/prefix/Tebi\n", - "http://qudt.org/vocab/prefix/Tebi needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RankineTemperature\n", - "http://qudt.org/vocab/quantitykind/RankineTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MassFractionOfWater\n", - "http://qudt.org/vocab/quantitykind/MassFractionOfWater needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/RAD_R\n", - "http://qudt.org/vocab/unit/RAD_R needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/M2-K\n", - "http://qudt.org/vocab/unit/M2-K needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/TON_Assay\n", - "http://qudt.org/vocab/unit/TON_Assay needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/AreicTorque\n", - "http://qudt.org/vocab/quantitykind/AreicTorque needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/LondonPenetrationDepth\n", - "http://qudt.org/vocab/quantitykind/LondonPenetrationDepth needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M-1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A1E0L0I0M-1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D-1\n", - "http://qudt.org/vocab/dimensionvector/A0E0L0I0M1H0T-3D-1 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/StructureFactor\n", - "http://qudt.org/vocab/quantitykind/StructureFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_KilogramAtomicMassUnitRelationship\n", - "http://qudt.org/vocab/constant/Value_KilogramAtomicMassUnitRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/LinearAttenuationCoefficient\n", - "http://qudt.org/vocab/quantitykind/LinearAttenuationCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/M2-PER-MOL\n", - "http://qudt.org/vocab/unit/M2-PER-MOL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/LagrangeFunction\n", - "http://qudt.org/vocab/quantitykind/LagrangeFunction needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfVelocity\n", - "http://qudt.org/vocab/constant/Value_AtomicUnitOfVelocity needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalent\n", - "http://qudt.org/vocab/constant/Value_ElectronMassEnergyEquivalent needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/SHANNON-PER-SEC\n", - "http://qudt.org/vocab/unit/SHANNON-PER-SEC needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/InverseLength\n", - "http://qudt.org/vocab/quantitykind/InverseLength needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K-PA\n", - "http://qudt.org/vocab/unit/J-PER-KiloGM-K-PA needs between 1 and 1 instances of http://qudt.org/schema/qudt/QuantityKindDimensionVector on path http://qudt.org/schema/qudt/hasDimensionVector\n", - "http://qudt.org/vocab/quantitykind/LinearDensity\n", - "http://qudt.org/vocab/quantitykind/LinearDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/PER-KiloGM2\n", - "http://qudt.org/vocab/unit/PER-KiloGM2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M2H0T-4D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L4I0M2H0T-4D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/QT_UK-PER-HR\n", - "http://qudt.org/vocab/unit/QT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/QT_UK-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/MassExcess\n", - "http://qudt.org/vocab/quantitykind/MassExcess needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/LB-PER-GAL\n", - "http://qudt.org/vocab/unit/LB-PER-GAL needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ElementaryCharge\n", - "http://qudt.org/vocab/constant/Value_ElementaryCharge needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_HartreeJouleRelationship\n", - "http://qudt.org/vocab/constant/Value_HartreeJouleRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio\n", - "http://qudt.org/vocab/constant/Value_ShieldedProtonMagneticMomentToNuclearMagnetonRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/AverageEnergyLossPerElementaryChargeProduced\n", - "http://qudt.org/vocab/quantitykind/AverageEnergyLossPerElementaryChargeProduced needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT3-PER-SEC\n", - "http://qudt.org/vocab/unit/FT3-PER-SEC needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM\n", - "http://qudt.org/vocab/unit/MicroMOL-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MilliTORR\n", - "http://qudt.org/vocab/unit/MilliTORR needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/MOL-PER-KiloGM\n", - "http://qudt.org/vocab/unit/MOL-PER-KiloGM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/FT3-PER-HR\n", - "http://qudt.org/vocab/unit/FT3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/FT3-PER-HR needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/quantitykind/NeutronDiffusionCoefficient\n", - "http://qudt.org/vocab/quantitykind/NeutronDiffusionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/SurfaceDensity\n", - "http://qudt.org/vocab/quantitykind/SurfaceDensity needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E2L2I0M-1H0T2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E2L2I0M-1H0T2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TotalLinearStoppingPower\n", - "http://qudt.org/vocab/quantitykind/TotalLinearStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerArea\n", - "http://qudt.org/vocab/quantitykind/ElectricChargePerArea needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/Gs\n", - "http://qudt.org/vocab/unit/Gs needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/CurvatureFromRadius\n", - "http://qudt.org/vocab/quantitykind/CurvatureFromRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/A-PER-GM\n", - "http://qudt.org/vocab/unit/A-PER-GM needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstant\n", - "http://qudt.org/vocab/constant/Value_AtomicMassConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/CartesianVolume\n", - "http://qudt.org/vocab/quantitykind/CartesianVolume needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A-1E1L0I0M0H0T1D0\n", - "http://qudt.org/vocab/dimensionvector/A-1E1L0I0M0H0T1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-HR-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/DiffusionCoefficient\n", - "http://qudt.org/vocab/quantitykind/DiffusionCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedKinematicViscosity\n", - "http://qudt.org/vocab/quantitykind/TemperatureBasedKinematicViscosity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitHertzRelationship\n", - "http://qudt.org/vocab/constant/Value_AtomicMassUnitHertzRelationship needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/ActivityCoefficient\n", - "http://qudt.org/vocab/quantitykind/ActivityCoefficient needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Magnetization\n", - "http://qudt.org/vocab/quantitykind/Magnetization needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_DeuteronMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatsRatio\n", - "http://qudt.org/vocab/quantitykind/SpecificHeatsRatio needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/constant/Value_ProtonChargeToMassQuotient\n", - "http://qudt.org/vocab/constant/Value_ProtonChargeToMassQuotient needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/M-PER-MIN\n", - "http://qudt.org/vocab/unit/M-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/unit/CentiM3\n", - "http://qudt.org/vocab/unit/CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/unit/CentiM3 needs between None and 1 uses of path http://qudt.org/schema/qudt/conversionMultiplier\n", - "http://qudt.org/vocab/constant/Value_WienFrequencyDisplacementLawConstant\n", - "http://qudt.org/vocab/constant/Value_WienFrequencyDisplacementLawConstant needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInEVPerT\n", - "http://qudt.org/vocab/constant/Value_NuclearMagnetonInEVPerT needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/MomentOfForce\n", - "http://qudt.org/vocab/quantitykind/MomentOfForce needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TritonGFactor\n", - "http://qudt.org/vocab/constant/Value_TritonGFactor needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/CentiM-SEC-DEG_C\n", - "http://qudt.org/vocab/unit/CentiM-SEC-DEG_C needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Reluctance\n", - "http://qudt.org/vocab/quantitykind/Reluctance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMoment\n", - "http://qudt.org/vocab/constant/Value_TritonMagneticMoment needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentration\n", - "http://qudt.org/vocab/quantitykind/AmountOfSubstanceConcentration needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/Loudness\n", - "http://qudt.org/vocab/quantitykind/Loudness needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/MechanicalSurfaceImpedance\n", - "http://qudt.org/vocab/quantitykind/MechanicalSurfaceImpedance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T0D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L1I0M1H0T0D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/EnergyFluence\n", - "http://qudt.org/vocab/quantitykind/EnergyFluence needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_DeuteronElectronMassRatio\n", - "http://qudt.org/vocab/constant/Value_DeuteronElectronMassRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/Reflectance\n", - "http://qudt.org/vocab/quantitykind/Reflectance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/ElectronRadius\n", - "http://qudt.org/vocab/quantitykind/ElectronRadius needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2\n", - "http://qudt.org/vocab/unit/BTU_IT-PER-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/ThermalConductance\n", - "http://qudt.org/vocab/quantitykind/ThermalConductance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L3I0M0H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/QT_US\n", - "http://qudt.org/vocab/unit/QT_US needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Fluidity\n", - "http://qudt.org/vocab/quantitykind/Fluidity needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatio\n", - "http://qudt.org/vocab/constant/Value_ProtonGyromagneticRatio needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-MIN\n", - "http://qudt.org/vocab/unit/FT-LB_F-PER-MIN needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/SectionModulus\n", - "http://qudt.org/vocab/quantitykind/SectionModulus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/HR-FT2\n", - "http://qudt.org/vocab/unit/HR-FT2 needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/RelativeMassDefect\n", - "http://qudt.org/vocab/quantitykind/RelativeMassDefect needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/AtomicStoppingPower\n", - "http://qudt.org/vocab/quantitykind/AtomicStoppingPower needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/ReciprocalVoltage\n", - "http://qudt.org/vocab/quantitykind/ReciprocalVoltage needs between None and 1 uses of path http://qudt.org/schema/qudt/plainTextDescription\n", - "http://qudt.org/vocab/quantitykind/DiffusionLength\n", - "http://qudt.org/vocab/quantitykind/DiffusionLength needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyInterval\n", - "http://qudt.org/vocab/quantitykind/LogarithmicFrequencyInterval needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-1D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-2I0M1H0T-1D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/constant/Value_PlanckTemperature\n", - "http://qudt.org/vocab/constant/Value_PlanckTemperature needs between None and 1 uses of path http://qudt.org/schema/qudt/standardUncertainty\n", - "http://qudt.org/vocab/quantitykind/GFactorOfNucleus\n", - "http://qudt.org/vocab/quantitykind/GFactorOfNucleus needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/quantitykind/MechanicalEnergy\n", - "http://qudt.org/vocab/quantitykind/MechanicalEnergy needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/unit/FT2-DEG_F\n", - "http://qudt.org/vocab/unit/FT2-DEG_F needs between None and 1 uses of path http://purl.org/dc/terms/description\n", - "http://qudt.org/vocab/quantitykind/Radiance\n", - "http://qudt.org/vocab/quantitykind/Radiance needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T-2D0\n", - "http://qudt.org/vocab/dimensionvector/A0E0L-1I0M0H-1T-2D0 needs between None and 1 uses of path http://qudt.org/schema/qudt/latexDefinition\n" - ] - } - ], + "outputs": [], "source": [ "for key, diffs in res.diffset.items():\n", " print(key)\n", " for d in diffs:\n", " print(d.reason())" ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "db7f6a61-dc44-4abd-9b49-8e8eb5c1f3a7", + "metadata": {}, + "outputs": [], + "source": [] } ], "metadata": { "kernelspec": { - "display_name": "buildingmotif", + "display_name": "Python 3 (ipykernel)", "language": "python", - "name": "buildingmotif" + "name": "python3" }, "language_info": { "codemirror_mode": { From cd9ac2c5e9ce4b904513f2a8f23bd186e340f7a4 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 26 Apr 2024 13:29:54 -0600 Subject: [PATCH 58/61] add java for topquadrant support --- .github/workflows/ci.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index b71529c98..36ae5746e 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -36,6 +36,10 @@ jobs: steps: - name: checkout uses: actions/checkout@v4 + - uses: actions/setup-java@v4 # for topquadrant shacl support + with: + distribution: 'temurin' + java-version: '21' - name: setup-python uses: actions/setup-python@v4 with: From e31d9f82f5a390952d76775a30f13c2be7d1f426 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Fri, 26 Apr 2024 13:31:04 -0600 Subject: [PATCH 59/61] use topquadrant in 223 notebook --- notebooks/223PExample.ipynb | 3303 ++++++++++++++++++++++++++++++++++- 1 file changed, 3273 insertions(+), 30 deletions(-) diff --git a/notebooks/223PExample.ipynb b/notebooks/223PExample.ipynb index 02f3f09b1..1716ecee6 100644 --- a/notebooks/223PExample.ipynb +++ b/notebooks/223PExample.ipynb @@ -2,7 +2,7 @@ "cells": [ { "cell_type": "code", - "execution_count": null, + "execution_count": 1, "id": "38454657-d000-46f2-95e4-e99b0bc52801", "metadata": {}, "outputs": [], @@ -16,13 +16,13 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 2, "id": "aa15819b-2501-4b0c-affc-0c56e1cfaf5f", "metadata": {}, "outputs": [], "source": [ "# setup our buildingmotif instance\n", - "bm = BuildingMOTIF(\"sqlite://\")\n", + "bm = BuildingMOTIF(\"sqlite://\", shacl_engine=\"topquadrant\")\n", "\n", "# create the model w/ a namespace\n", "BLDG = Namespace(\"urn:ex/\")\n", @@ -35,10 +35,19 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 3, "id": "82937a40-9f9a-4d8f-88a0-57eeceb82fba", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/.venv/lib/python3.11/site-packages/pyshacl/extras/__init__.py:46: Warning: Extra \"js\" is not satisfied because requirement pyduktape2 is not installed.\n", + " warn(Warning(f\"Extra \\\"{extra_name}\\\" is not satisfied because requirement {req} is not installed.\"))\n" + ] + } + ], "source": [ "# load libraries\n", "# NREL templates for 223P\n", @@ -49,7 +58,7 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 4, "id": "0c163759-aca8-4abb-9f43-4367f3b51635", "metadata": { "tags": [] @@ -69,10 +78,19 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 5, "id": "efa6c09b-33a1-4f5a-a707-afe96cc2d28f", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"sa_pressure_sensor, cooling-coil-valve-in-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-cur, supply-fan-out-mapsto, cooling-coil, evaporative-cooler, cooling-coil-air-in, evaporative-cooler-evap-cool-pump-2stage, cooling-coil-pump-onoff-cmd, oad-out, evaporative-cooler-evap-cool-pump-2stage-vfd-energy, heating-coil-water-out-mapsto, cooling-coil-pump-vfd-cur, heating-coil-water-in, heating-coil-water-out, evaporative-cooler-evap-cool-pump-2stage-onoff-cmd, evaporative-cooler-evap-cool-pump-2stage-vfd-pwr, cooling-coil-pump-onoff-sts, cooling-coil-valve-feedback, final-filter-out-mapsto, supply-fan-motor-status, evaporative-cooler-water-out, cooling-coil-pump, evaporative-cooler-evap-cool-sump-tank, evaporative-cooler-evap-cool-pump-2stage-in, pre-filter-in, cooling-coil-valve-command, pre-filter, c1, MAU-HRC-air-in-mapsto, supply-fan-in, evaporative-cooler-water-in, cooling-coil-water-in, oa_rh, heating-coil-valve-feedback, MAU-HRC-water-out, evaporative-cooler-evap-cool-fill-valve-command, supply-fan-vfd-energy, cooling-coil-pump-in, cooling-coil-supply-water-temp, cooling-coil-air-in-mapsto, cooling-coil-pump-vfd-energy, supply-fan, supply-fan-vfd-spd, evaporative-cooler-evap-cool-pump-2stage-onoff-sts, cooling-coil-pump-vfd-volt, air-supply-mapsto, pre-filter-in-mapsto, evaporative-cooler-water-out-mapsto, cooling-coil-pump-vfd-frq, c6, c4, heating-coil-valve-out-mapsto, heating-coil-valve-out, MAU-HRC-water-out-mapsto, supply-fan-vfd-flt, evaporative-cooler-evap-cool-pump-2stage-vfd-frq, MAU-HRC-air-out, supply-fan-vfd-cur, outside-air-mapsto, final-filter-in, cooling-coil-water-out, evaporative-cooler-evap-cool-pump-2stage-out, evaporative-cooler-evap-cool-fill-valve-out, oad-command, evaporative-cooler-leaving-air-temp, supply-fan-oa-flow-switch, heating-coil-return-water-temp, oad, MAU-HRC-water-in-mapsto, outside-air, MAU-HRC-water-in, cooling-coil-pump-vfd-pwr, heating-coil-supply-water-temp, supply-fan-start-cmd, c7, evaporative-cooler-evap-cool-pump-2stage-out-mapsto, evaporative-cooler-in-mapsto, c5, supply-fan-vfd-pwr, heating-coil-supply-water-temp-sensor, MAU-HRC, evaporative-cooler-out, supply-fan-vfd-fb, heating-coil-water-in-mapsto, cooling-coil-pump-out-mapsto, pre-filter-out-mapsto, heating-coil-air-out-mapsto, supply-fan-vfd-volt, heating-coil-air-out, heating-coil, evaporative-cooler-evap-cool-fill-valve-out-mapsto, supply-fan-vfd-frq, pre-filter-differential-pressure, cooling-coil-water-in-mapsto, oad-out-mapsto, cooling-coil-pump-vfd-fb, cooling-coil-entering-air-temp, heating-coil-return-water-temp-sensor, evaporative-cooler-evap-cool-fill-valve-in-mapsto, evaporative-cooler-entering-air-temp, MAU-HRC-supply-water-temp, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in, MAU-HRC-leaving-air-temp, supply-fan-out, MAU-HRC-air-in, final-filter-differential-pressure, cooling-coil-valve-in, MAU-HRC-air-out-mapsto, cooling-coil-leaving-air-temp, evaporative-cooler-evap-cool-pump-2stage-vfd-fb, c2, evaporative-cooler-water-in-mapsto, final-filter, cooling-coil-pump-vfd-flt, cooling-coil-valve-out-mapsto, evaporative-cooler-evap-cool-pump-2stage-vfd-volt, evaporative-cooler-evap-cool-pump-2stage-in-mapsto, heating-coil-valve-in, MAU-HRC-return-water-temp, cooling-coil-valve, c3, cooling-coil-air-out, cooling-coil-valve-out, oad-feedback, heating-coil-valve-in-mapsto, pre-filter-out, sa_sp, oad-in, cooling-coil-return-water-temp, supply-fan-in-mapsto, cooling-coil-pump-vfd-spd, evaporative-cooler-evap-cool-pump-2stage-vfd-spd, cooling-coil-pump-in-mapsto, evaporative-cooler-leaving-air-humidity, cooling-coil-air-out-mapsto, evaporative-cooler-evap-cool-fill-valve-feedback, cooling-coil-pump-out, heating-coil-air-in-mapsto, evaporative-cooler-evap-cool-fill-valve-in, final-filter-in-mapsto, evaporative-cooler-evap-cool-fill-valve, evaporative-cooler-in, evaporative-cooler-evap-cool-pump-2stage-vfd-flt, MAU-HRC-entering-air-temp, heating-coil-valve, final-filter-out, heating-coil-valve-command, cooling-coil-water-out-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# create a makeup air unit\n", "mau = mau_templ.evaluate({\"name\": BLDG.MAU, \"air-supply\": BLDG.MAU_Supply})\n", @@ -81,10 +99,21 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 6, "id": "53e97a71-8858-4618-a24e-c0fc09d8dcfc", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"rhc-air-out, sup-air-pressure-sensor, air-out-mapsto, rhc-valve-feedback, dmp-out, rhc-valve-in, dmp-in-mapsto, rhc-supply-water-temp, sup-air-temp, rhc-air-in, sup-air-temp-sensor, rhc-valve, dmp-out-mapsto, rhc-water-in, c0, rhc, dmp-in, rhc-air-in-mapsto, sup-air-flow, rhc-valve-out, rhc-return-water-temp, dmp-air-out, rhc-valve-in-mapsto, rhc-water-out-mapsto, dmp-command, dmp-feedback, air-out, rhc-return-water-temp-sensor, rhc-air-out-mapsto, sup-air-flow-sensor, rhc-supply-water-temp-sensor, rhc-valve-out-mapsto, dmp, air-in-mapsto, rhc-valve-command, rhc-water-out, sup-air-pressure, rhc-water-in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"name\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# make 2 VAVs, connect them to the MAU via ducts\n", "vav1 = vav_templ.evaluate({\"name\": BLDG[\"VAV-1\"], \"air-in\": BLDG[\"VAV-1-in\"]})\n", @@ -100,10 +129,19 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 7, "id": "2d465c95-ba80-4490-88c5-24e579bcd66e", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"temp-sensor, physical-space, in2-mapsto, out2, in3, in4, in, in3-mapsto, supply-air-flow, out2-mapsto, sup-flow-sensor, temp, out-mapsto, exhaust-air-flow, in4-mapsto, exh-flow-sensor, out, in2, relative-humidity, humidity-sensor, in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# VAV1 goes to Zone 1\n", "zone1 = zone_templ.evaluate({\"name\": BLDG[\"zone1\"]})\n", @@ -116,10 +154,19 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 8, "id": "b88f6de9-5079-4d82-a958-88a846b5ed96", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"fan-out, fan-start-cmd, cooling-coil-valve-in-mapsto, DA-temp, cooling-coil, heating-coil-water-in-mapsto, cooling-coil-pump-out-mapsto, cooling-coil-air-in, heating-coil-air-out-mapsto, in, fan-vfd-volt, heating-coil-air-out, cooling-coil-pump-onoff-cmd, zone-temp, heating-coil, heating-coil-water-out-mapsto, cooling-coil-pump-vfd-cur, heating-coil-water-in, cooling-coil-water-in-mapsto, heating-coil-water-out, fan-vfd-energy, in-mapsto, cooling-coil-pump-vfd-fb, cooling-coil-pump-onoff-sts, fan-motor-status, cooling-coil-entering-air-temp, heating-coil-return-water-temp-sensor, cooling-coil-valve-feedback, fan-out-mapsto, zone-humidity, cooling-coil-leaving-air-wetbulb-temp, heating-coil-air-in, cooling-coil-pump, cooling-coil-valve-command, cond-overflow, out-mapsto, cooling-coil-water-in, heating-coil-valve-feedback, cooling-coil-valve-in, fan-vfd-flt, cooling-coil-leaving-air-temp, cooling-coil-pump-in, cooling-coil-air-in-mapsto, cooling-coil-supply-water-temp, cooling-coil-pump-vfd-volt, fan-vfd-pwr, cooling-coil-pump-vfd-energy, cooling-coil-pump-vfd-frq, cooling-coil-pump-vfd-flt, cooling-coil-valve-out-mapsto, fan-vfd-frq, heating-coil-valve-out-mapsto, heating-coil-valve-out, heating-coil-valve-in, fan, cooling-coil-valve, fan-vfd-cur, cooling-coil-air-out, fan-in, fan-oa-flow-switch, cooling-coil-water-out, cooling-coil-valve-out, heating-coil-valve-in-mapsto, fan-in-mapsto, fan-vfd-spd, cooling-coil-return-water-temp, cooling-coil-pump-vfd-spd, cooling-coil-pump-in-mapsto, cooling-coil-air-out-mapsto, occ-override, heating-coil-return-water-temp, cooling-coil-pump-out, heating-coil-air-in-mapsto, cooling-coil-pump-vfd-pwr, heating-coil-supply-water-temp, out, fan-vfd-fb, heating-coil-valve, heating-coil-supply-water-temp-sensor, heating-coil-valve-command, cooling-coil-water-out-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# VAV2 goes to FCU1\n", "fcu1 = fcu_templ.evaluate({\"name\": BLDG[\"fcu1\"]})\n", @@ -129,10 +176,19 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 9, "id": "1472005f-46dc-4e00-8ce3-4ace1d30118d", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"temp-sensor, physical-space, in2-mapsto, out2, in3, in4, in, in3-mapsto, supply-air-flow, out2-mapsto, sup-flow-sensor, temp, out-mapsto, exhaust-air-flow, in4-mapsto, exh-flow-sensor, out, in2, humidity-sensor, relative-humidity, in-mapsto\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# FCU1 goes to Zone 2\n", "zone2 = zone_templ.evaluate({\"name\": BLDG[\"zone2\"]})\n", @@ -143,10 +199,21 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 10, "id": "54403950-df7d-4423-be05-b805258b9a70", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"lead-chw-pump-vfd-fb, chw-hx-chw-supply-temperature, bypass-valve-out, chw-hx-A-in, lead-chw-booster-pump-onoff-cmd, lead-chw-booster-pump-vfd-frq, chw-hx-B-out-mapsto, standby-chw-booster-pump-vfd-spd, bypass-valve-in-mapsto, standby-chw-pump-vfd-spd, standby-chw-pump-vfd-pwr, chw-hx-B-out, chw-hx-A-in-mapsto, lead-chw-booster-pump-vfd-fb, lead-chw-booster-pump-in, chw-hx-chw-flow-sensor, lead-chw-pump-vfd-flt, lead-chw-pump-out-mapsto, standby-chw-booster-pump-vfd-pwr, chw-hx-A-out-mapsto, standby-chw-booster-pump-vfd-energy, standby-chw-booster-pump-vfd-cur, lead-chw-booster-pump-vfd-volt, standby-chw-pump-onoff-sts, lead-chw-pump-in, standby-chw-booster-pump-out, standby-chw-pump-out-mapsto, chw-hx-B-in, standby-chw-pump-vfd-cur, lead-chw-pump-onoff-cmd, chw-hx-chw-flow, standby-chw-pump-in-mapsto, standby-chw-booster-pump-vfd-volt, standby-chw-booster-pump, lead-chw-pump-in-mapsto, bypass-valve-command, lead-chw-pump-vfd-energy, standby-chw-pump, standby-chw-booster-pump-onoff-sts, chw-hx-B-in-mapsto, lead-chw-booster-pump-vfd-flt, standby-chw-pump-vfd-volt, lead-chw-booster-pump-vfd-cur, lead-chw-booster-pump-vfd-energy, standby-chw-booster-pump-vfd-frq, lead-chw-booster-pump, standby-chw-pump-onoff-cmd, lead-chw-booster-pump-onoff-sts, bypass-valve-feedback, lead-chw-pump, standby-chw-booster-pump-onoff-cmd, standby-chw-booster-pump-vfd-fb, standby-chw-booster-pump-out-mapsto, lead-chw-booster-pump-in-mapsto, lead-chw-pump-onoff-sts, standby-chw-pump-out, lead-chw-booster-pump-out, chw-hx-A-chw-diff-press, chw-hx-A-chw-diff-press-sensor, chw-hx-chw-return-temperature, lead-chw-pump-vfd-spd, standby-chw-booster-pump-in, standby-chw-pump-vfd-energy, lead-chw-pump-vfd-pwr, bypass-valve-out-mapsto, lead-chw-booster-pump-vfd-spd, lead-chw-pump-vfd-frq, bypass-valve-in, standby-chw-booster-pump-vfd-flt, lead-chw-pump-vfd-volt, lead-chw-booster-pump-vfd-pwr, chw-hx-A-out, chw-hx-B-chw-diff-press, chw-hx-B-chw-diff-press-sensor, lead-chw-booster-pump-out-mapsto, lead-chw-pump-vfd-cur, standby-chw-booster-pump-in-mapsto, bypass-valve, standby-chw-pump-in, chw-hx, standby-chw-pump-vfd-fb, standby-chw-pump-vfd-frq, lead-chw-pump-out, standby-chw-pump-vfd-flt\" were not provided during evaluation\n", + " warnings.warn(\n", + "/Users/gabe/src/NREL/scratch/BuildingMOTIF/buildingmotif/dataclasses/template.py:390: UserWarning: Parameters \"standby-hw-pump-in, hw-hx-B-chw-diff-press-sensor, hw-hx-B-out-mapsto, bypass-valve-out, standby-hw-booster-pump-vfd-frq, lead-hw-pump-out-mapsto, lead-hw-pump-vfd-spd, lead-hw-booster-pump-vfd-volt, lead-hw-booster-pump-vfd-frq, hw-hx-A-chw-diff-press-sensor, dwh-dw-hwp-vfd-pwr, standby-hw-booster-pump-in, dwh, dwh-dw-hx-A-chw-diff-press, lead-hw-booster-pump-vfd-cur, lead-hw-booster-pump-vfd-fb, standby-hw-booster-pump-onoff-sts, hw-hx-B-in-mapsto, bypass-valve-in-mapsto, standby-hw-pump-out, dwh-dw-hwp-vfd-frq, standby-hw-booster-pump-vfd-volt, lead-hw-pump-vfd-pwr, standby-hw-pump-onoff-cmd, dwh-dw-hwp-vfd-cur, hw-hx, hw-hx-chw-flow, standby-hw-pump-vfd-frq, standby-hw-booster-pump-out-mapsto, dwh-dw-hx-chw-supply-temperature, dwh-dw-hx-chw-flow-sensor, dwh-dw-hwp-vfd-flt, hw-hx-chw-flow-sensor, lead-hw-booster-pump-out, dwh-dw-hx-B-chw-diff-press, dwh-dw-hwp-vfd-fb, standby-hw-booster-pump-vfd-flt, lead-hw-pump-in-mapsto, dwh-dw-hwp-vfd-volt, lead-hw-booster-pump-vfd-energy, hw-hx-A-chw-diff-press, dwh-dw-hx-B-in-mapsto, standby-hw-booster-pump-vfd-pwr, dwh-dw-hx-A-in, bypass-valve-command, standby-hw-pump-vfd-cur, dwh-dw-hx-A-chw-diff-press-sensor, lead-hw-booster-pump-in, lead-hw-pump-vfd-flt, dwh-dw-hx, hw-hx-B-in, dwh-dw-hwp-out-mapsto, lead-hw-booster-pump-vfd-flt, dwh-dw-hwp-in, dwh-dw-hwp-out, lead-hw-pump-vfd-cur, dwh-in, dwh-dw-hx-chw-return-temperature, bypass-valve-feedback, standby-hw-pump-vfd-flt, standby-hw-pump-onoff-sts, hw-hx-B-chw-diff-press, standby-hw-booster-pump-onoff-cmd, lead-hw-booster-pump-onoff-sts, standby-hw-booster-pump-in-mapsto, dwh-dw-hx-chw-flow, dwh-dw-hx-A-in-mapsto, hw-hx-A-in-mapsto, lead-hw-booster-pump-vfd-pwr, lead-hw-pump-in, dwh-out-mapsto, dwh-dw-hwp, dwh-in-mapsto, standby-hw-booster-pump-vfd-spd, dwh-dw-hx-B-chw-diff-press-sensor, standby-hw-pump-vfd-fb, hw-hx-A-in, lead-hw-booster-pump-onoff-cmd, standby-hw-pump-vfd-energy, dwh-dw-hx-A-out-mapsto, bypass-valve-out-mapsto, lead-hw-booster-pump-in-mapsto, lead-hw-booster-pump-out-mapsto, dwh-dw-hwp-vfd-spd, lead-hw-pump-onoff-sts, bypass-valve-in, lead-hw-booster-pump-vfd-spd, dwh-dw-hwp-onoff-sts, lead-hw-pump-vfd-fb, standby-hw-booster-pump-vfd-cur, standby-hw-pump-out-mapsto, standby-hw-pump-vfd-volt, lead-hw-pump-onoff-cmd, standby-hw-booster-pump-vfd-fb, lead-hw-booster-pump, hw-hx-chw-supply-temperature, standby-hw-pump-in-mapsto, standby-hw-pump-vfd-spd, standby-hw-pump, dwh-out, dwh-dw-hwp-in-mapsto, standby-hw-pump-vfd-pwr, dwh-dw-hx-B-in, lead-hw-pump-vfd-volt, hw-hx-B-out, standby-hw-booster-pump, standby-hw-booster-pump-vfd-energy, dwh-dw-hx-B-out-mapsto, lead-hw-pump-vfd-energy, bypass-valve, hw-hx-chw-return-temperature, dwh-dw-hx-A-out, lead-hw-pump-out, dwh-dw-hwp-vfd-energy, standby-hw-booster-pump-out, lead-hw-pump, dwh-dw-hx-B-out, dwh-dw-hwp-onoff-cmd, hw-hx-A-out-mapsto, hw-hx-A-out, lead-hw-pump-vfd-frq\" were not provided during evaluation\n", + " warnings.warn(\n" + ] + } + ], "source": [ "# add chws, hws\n", "chws = chws_templ.evaluate({\"name\": BLDG[\"CHWS\"]})\n", @@ -156,10 +223,30 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 11, "id": "5d49743f-9efc-4983-8034-61f90e2ef6d9", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "makeup-air-unit\n", + "vav-reheat\n", + "duct\n", + "vav-reheat\n", + "duct\n", + "hvac-space\n", + "duct\n", + "fcu\n", + "duct\n", + "hvac-space\n", + "duct\n", + "chilled-water-system\n", + "hot-water-system\n" + ] + } + ], "source": [ "# fill in all the extra parameters with invented names\n", "for templ in things:\n", @@ -173,12 +260,2565 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 12, "id": "870fe01d-cbf3-4b66-b195-d64fca8ac233", "metadata": { + "scrolled": true, "tags": [] }, - "outputs": [], + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "@prefix bldg: .\n", + "@prefix ns1: .\n", + "@prefix owl: .\n", + "@prefix qudt: .\n", + "@prefix qudtqk: .\n", + "@prefix rdfs: .\n", + "@prefix sh: .\n", + "@prefix unit: .\n", + "\n", + "ns1:EnumerationKind-Default a ns1:EnumerationKind-AlarmStatus,\n", + " ns1:EnumerationKind-Override ;\n", + " rdfs:label \"AlarmStatus-Alarm\"@en,\n", + " \"Override-Default\"@en .\n", + "\n", + "ns1:EnumerationKind-Overridden a ns1:EnumerationKind-AlarmStatus,\n", + " ns1:EnumerationKind-Override ;\n", + " rdfs:label \"AlarmStatus-Ok\"@en,\n", + " \"Override-Overridden\"@en .\n", + "\n", + "bldg: a owl:Ontology .\n", + "\n", + "bldg:CHWS a ns1:System ;\n", + " rdfs:label \"Chilled Water System\" ;\n", + " ns1:contains bldg:bypass-valve_c090baa0,\n", + " bldg:chw-hx_1dce3a01,\n", + " bldg:lead-chw-booster-pump_a3764022,\n", + " bldg:lead-chw-pump_0d3bc890,\n", + " bldg:standby-chw-booster-pump_7aa203c1,\n", + " bldg:standby-chw-pump_bb8aa842 .\n", + "\n", + "bldg:HWS a ns1:System ;\n", + " rdfs:label \"Hot Water System\" ;\n", + " ns1:contains bldg:bypass-valve_9ccae657,\n", + " bldg:dwh_84fdbb56,\n", + " bldg:hw-hx_4b6b01a0,\n", + " bldg:lead-hw-booster-pump_4bc155de,\n", + " bldg:lead-hw-pump_a20879df,\n", + " bldg:standby-hw-booster-pump_006c94f1,\n", + " bldg:standby-hw-pump_48338b5c .\n", + "\n", + "bldg:MAU a ns1:AirHandlingUnit ;\n", + " ns1:contains bldg:MAU-HRC_9838413b,\n", + " bldg:cooling-coil_c791fcb2,\n", + " bldg:evaporative-cooler_6b1feb97,\n", + " bldg:final-filter_257fa543,\n", + " bldg:heating-coil_805fabf4,\n", + " bldg:oad_8803be7b,\n", + " bldg:pre-filter_3f0f8ff4,\n", + " bldg:sa_pressure_sensor_fe22d23b,\n", + " bldg:supply-fan_1ca06ac7 ;\n", + " ns1:hasConnectionPoint bldg:MAU_Supply,\n", + " bldg:outside-air_815064a0 ;\n", + " ns1:hasProperty bldg:oa_rh_a7e172d3,\n", + " bldg:sa_sp_e6e9c159 .\n", + "\n", + "bldg:VAV-1 a ns1:TerminalUnit ;\n", + " ns1:contains bldg:dmp_7eb94075,\n", + " bldg:rhc_4fe8c007,\n", + " bldg:sup-air-flow-sensor_a1b387a2,\n", + " bldg:sup-air-pressure-sensor_f926a052,\n", + " bldg:sup-air-temp-sensor_620265b6 ;\n", + " ns1:hasConnectionPoint bldg:VAV-1-in,\n", + " bldg:air-out_abc06606 ;\n", + " ns1:hasProperty bldg:sup-air-flow_7c26471f,\n", + " bldg:sup-air-pressure_85199a4e,\n", + " bldg:sup-air-temp_ab150624 .\n", + "\n", + "bldg:VAV-2 a ns1:TerminalUnit ;\n", + " ns1:contains bldg:dmp_22b62d0b,\n", + " bldg:rhc_51bf6db2,\n", + " bldg:sup-air-flow-sensor_2554ff06,\n", + " bldg:sup-air-pressure-sensor_0688199a,\n", + " bldg:sup-air-temp-sensor_0007d59d ;\n", + " ns1:hasConnectionPoint bldg:VAV-2-in,\n", + " bldg:air-out_4a9d9ca6 ;\n", + " ns1:hasProperty bldg:sup-air-flow_f3f15f39,\n", + " bldg:sup-air-pressure_7243c7c4,\n", + " bldg:sup-air-temp_00471477 .\n", + "\n", + "bldg:c0_20b0ddbc a ns1:Duct ;\n", + " ns1:cnx bldg:dmp-air-out_2c4c9a5e,\n", + " bldg:rhc-air-in_8a80d6b5 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c0_5a6be170 a ns1:Duct ;\n", + " ns1:cnx bldg:dmp-air-out_33ad209e,\n", + " bldg:rhc-air-in_2fe51a95 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:exh-flow-sensor_097903a4 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:out_da72f6ab ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_89186b71 ;\n", + " ns1:observes bldg:exhaust-air-flow_3cdb610c .\n", + "\n", + "bldg:exh-flow-sensor_f481f9ef a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:out_ebf6c4b4 ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_bdb029bc ;\n", + " ns1:observes bldg:exhaust-air-flow_daa37bed .\n", + "\n", + "bldg:fcu1 a ns1:FanCoilUnit ;\n", + " ns1:contains bldg:cooling-coil_aa4c0b02,\n", + " bldg:fan_a58fab76,\n", + " bldg:heating-coil_3867656e ;\n", + " ns1:hasConnectionPoint bldg:in_0b448e00,\n", + " bldg:out_fb3d079f ;\n", + " ns1:hasProperty bldg:DA-temp_9e42585c,\n", + " bldg:cond-overflow_fc52082c,\n", + " bldg:occ-override_c163c888,\n", + " bldg:zone-humidity_8290001f,\n", + " bldg:zone-temp_8fdc7663 ;\n", + " ns1:hasRole ns1:Role-Cooling,\n", + " ns1:Role-Heating .\n", + "\n", + "bldg:humidity-sensor_09bf427b a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:zone2space1 ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_bdb029bc ;\n", + " ns1:observes bldg:relative-humidity_d7de48a0 .\n", + "\n", + "bldg:humidity-sensor_7a9f9702 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:zone1space1 ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_89186b71 ;\n", + " ns1:observes bldg:relative-humidity_7be6706c .\n", + "\n", + "bldg:name_338f2e4b a ns1:Duct ;\n", + " ns1:cnx bldg:MAU_Supply,\n", + " bldg:VAV-2-in ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:name_79325c43 a ns1:Duct ;\n", + " ns1:cnx bldg:MAU_Supply,\n", + " bldg:VAV-1-in ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:name_7e961600 a ns1:Duct ;\n", + " ns1:cnx bldg:fcu1-out,\n", + " bldg:zone2-in ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:name_ed249329 a ns1:Duct ;\n", + " ns1:cnx bldg:VAV-1-out,\n", + " bldg:zone1-in ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:name_f5f874f5 a ns1:Duct ;\n", + " ns1:cnx bldg:VAV-2-out,\n", + " bldg:fcu1-in ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:sup-flow-sensor_20f1cedf a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:in_48f8f3bd ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_89186b71 ;\n", + " ns1:observes bldg:supply-air-flow_6ed29a77 .\n", + "\n", + "bldg:sup-flow-sensor_99d810fd a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:in_c97c5eed ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_bdb029bc ;\n", + " ns1:observes bldg:supply-air-flow_3ff0294e .\n", + "\n", + "bldg:temp-sensor_37e97593 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:zone1space1 ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_89186b71 ;\n", + " ns1:observes bldg:temp_f3e10bc1 .\n", + "\n", + "bldg:temp-sensor_5bd8635a a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:zone2space1 ;\n", + " ns1:hasPhysicalLocation bldg:physical-space_bdb029bc ;\n", + " ns1:observes bldg:temp_42f62af5 .\n", + "\n", + "bldg:zone1 a ns1:Zone ;\n", + " ns1:hasDomain ns1:Domain-HVAC .\n", + "\n", + "bldg:zone2 a ns1:Zone ;\n", + " ns1:hasDomain ns1:Domain-HVAC .\n", + "\n", + "ns1:HeatRecoveryCoil rdfs:subClassOf ns1:Coil .\n", + "\n", + "bldg:DA-temp_9e42585c a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-air-in-mapsto_528e65b2 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:MAU-HRC-air-out-mapsto_ca504f5d a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:MAU-HRC-entering-air-temp_386f4be3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-leaving-air-temp_f5847e95 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-return-water-temp_5fda1e7f a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-supply-water-temp_928c5df0 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-water-in-mapsto_02c2250b a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:MAU-HRC-water-in_b92f0323 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:MAU-HRC-water-in-mapsto_02c2250b .\n", + "\n", + "bldg:MAU-HRC-water-out-mapsto_2d93c6d0 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:MAU-HRC-water-out_5533170a a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:MAU-HRC-water-out-mapsto_2d93c6d0 .\n", + "\n", + "bldg:MAU-HRC_9838413b a ns1:HeatRecoveryCoil ;\n", + " ns1:hasConnectionPoint bldg:MAU-HRC-air-in_280eefc0,\n", + " bldg:MAU-HRC-air-out_635d8520,\n", + " bldg:MAU-HRC-water-in_b92f0323,\n", + " bldg:MAU-HRC-water-out_5533170a ;\n", + " ns1:hasProperty bldg:MAU-HRC-entering-air-temp_386f4be3,\n", + " bldg:MAU-HRC-leaving-air-temp_f5847e95,\n", + " bldg:MAU-HRC-return-water-temp_5fda1e7f,\n", + " bldg:MAU-HRC-supply-water-temp_928c5df0 .\n", + "\n", + "bldg:air-in-mapsto_35736eea a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:air-in-mapsto_bb3445c0 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:air-out-mapsto_45e8f060 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:air-out-mapsto_ba6f914c a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:air-supply-mapsto_5ae05e50 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:bypass-valve-command_3b5c95de a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:bypass-valve-command_92d01bb8 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:bypass-valve-feedback_015c22fb a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:bypass-valve-feedback_8e58f28a a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:bypass-valve-in-mapsto_37742f9d a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:bypass-valve-in-mapsto_ccd8fd78 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:bypass-valve-in_1a25c864 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:bypass-valve-in-mapsto_ccd8fd78 .\n", + "\n", + "bldg:bypass-valve-in_f05fe0c6 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:bypass-valve-in-mapsto_37742f9d .\n", + "\n", + "bldg:bypass-valve-out-mapsto_1c43bf4d a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:bypass-valve-out-mapsto_3c9810f5 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:bypass-valve-out_49cf90af a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:bypass-valve-out-mapsto_3c9810f5 .\n", + "\n", + "bldg:bypass-valve-out_aa417c5c a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:bypass-valve-out-mapsto_1c43bf4d .\n", + "\n", + "bldg:bypass-valve_9ccae657 a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:bypass-valve-in_f05fe0c6,\n", + " bldg:bypass-valve-out_aa417c5c ;\n", + " ns1:hasProperty bldg:bypass-valve-command_3b5c95de,\n", + " bldg:bypass-valve-feedback_015c22fb .\n", + "\n", + "bldg:bypass-valve_c090baa0 a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:bypass-valve-in_1a25c864,\n", + " bldg:bypass-valve-out_49cf90af ;\n", + " ns1:hasProperty bldg:bypass-valve-command_92d01bb8,\n", + " bldg:bypass-valve-feedback_8e58f28a .\n", + "\n", + "bldg:chw-hx-A-chw-diff-press-sensor_4ec0547f a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:chw-hx-A-in_c12a5b52 ;\n", + " ns1:hasObservationLocationLow bldg:chw-hx-A-out_b1c0e2b9 ;\n", + " ns1:observes bldg:chw-hx-A-chw-diff-press_f214f0e4 .\n", + "\n", + "bldg:chw-hx-A-in-mapsto_804a34f3 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:chw-hx-A-out-mapsto_dc912c20 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:chw-hx-B-chw-diff-press-sensor_4459b34c a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:chw-hx-B-in_40cd85e0 ;\n", + " ns1:hasObservationLocationLow bldg:chw-hx-B-out_3593ec12 ;\n", + " ns1:observes bldg:chw-hx-B-chw-diff-press_ae9f381e .\n", + "\n", + "bldg:chw-hx-B-in-mapsto_40b53481 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:chw-hx-B-out-mapsto_dc7e9869 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:chw-hx-chw-flow-sensor_1f535a21 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:chw-hx-B-out_3593ec12 ;\n", + " ns1:observes bldg:chw-hx-chw-flow_2ff008fb .\n", + "\n", + "bldg:chw-hx-chw-return-temperature_e6d5333e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:chw-hx-chw-supply-temperature_8283b200 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:chw-hx_1dce3a01 a ns1:HeatExchanger ;\n", + " ns1:contains bldg:chw-hx-A-chw-diff-press-sensor_4ec0547f,\n", + " bldg:chw-hx-B-chw-diff-press-sensor_4459b34c,\n", + " bldg:chw-hx-chw-flow-sensor_1f535a21 ;\n", + " ns1:hasConnectionPoint bldg:chw-hx-A-in_c12a5b52,\n", + " bldg:chw-hx-A-out_b1c0e2b9,\n", + " bldg:chw-hx-B-in_40cd85e0,\n", + " bldg:chw-hx-B-out_3593ec12 ;\n", + " ns1:hasProperty bldg:chw-hx-A-chw-diff-press_f214f0e4,\n", + " bldg:chw-hx-B-chw-diff-press_ae9f381e,\n", + " bldg:chw-hx-chw-flow_2ff008fb,\n", + " bldg:chw-hx-chw-return-temperature_e6d5333e,\n", + " bldg:chw-hx-chw-supply-temperature_8283b200 .\n", + "\n", + "bldg:cond-overflow_fc52082c a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:cooling-coil-air-in-mapsto_0d49f494 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:cooling-coil-air-in-mapsto_1bb70110 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:cooling-coil-air-in_d16f95f7 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:cooling-coil-air-in-mapsto_0d49f494 .\n", + "\n", + "bldg:cooling-coil-air-out-mapsto_ebf000fb a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:cooling-coil-air-out-mapsto_f27f180b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:cooling-coil-air-out_48a5e8a2 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:cooling-coil-air-out-mapsto_f27f180b .\n", + "\n", + "bldg:cooling-coil-entering-air-temp_91c2cde3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-entering-air-temp_d2c1841d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-leaving-air-temp_3337bb97 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-leaving-air-temp_f0ed2655 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-leaving-air-wetbulb-temp_4210141c a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-leaving-air-wetbulb-temp_7b289728 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-pump-in-mapsto_138a10bc a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-pump-in-mapsto_356148ec a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-pump-in_7edb013c a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-pump-in-mapsto_356148ec .\n", + "\n", + "bldg:cooling-coil-pump-in_8f2b3578 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-pump-in-mapsto_138a10bc .\n", + "\n", + "bldg:cooling-coil-pump-onoff-cmd_09a4193b a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-pump-onoff-cmd_1a6be585 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-pump-onoff-sts_53029083 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-pump-onoff-sts_e11568db a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-pump-out-mapsto_25ba0b95 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-pump-out-mapsto_b6511a1b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-pump-out_f5aa31dd a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-pump-out-mapsto_b6511a1b .\n", + "\n", + "bldg:cooling-coil-pump-out_fc9849fe a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-pump-out-mapsto_25ba0b95 .\n", + "\n", + "bldg:cooling-coil-pump-vfd-cur_24f4c392 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:cooling-coil-pump-vfd-cur_ef9ebdb7 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:cooling-coil-pump-vfd-energy_5af61fef a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:cooling-coil-pump-vfd-energy_ac59195e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:cooling-coil-pump-vfd-fb_57fc66f2 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:cooling-coil-pump-vfd-fb_cc8dee20 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:cooling-coil-pump-vfd-flt_38eeeb9c a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:cooling-coil-pump-vfd-flt_b55959e4 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:cooling-coil-pump-vfd-frq_3de31791 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:cooling-coil-pump-vfd-frq_955ed466 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:cooling-coil-pump-vfd-pwr_480e9d49 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:cooling-coil-pump-vfd-pwr_b9cf4a0e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:cooling-coil-pump-vfd-spd_8bfc7b1e a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:cooling-coil-pump-vfd-spd_bd1502f5 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:cooling-coil-pump-vfd-volt_1135fbde a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:cooling-coil-pump-vfd-volt_732ccbef a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:cooling-coil-pump_498fe2e0 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-pump-in_8f2b3578,\n", + " bldg:cooling-coil-pump-out_f5aa31dd ;\n", + " ns1:hasProperty bldg:cooling-coil-pump-onoff-cmd_1a6be585,\n", + " bldg:cooling-coil-pump-onoff-sts_e11568db,\n", + " bldg:cooling-coil-pump-vfd-cur_ef9ebdb7,\n", + " bldg:cooling-coil-pump-vfd-energy_ac59195e,\n", + " bldg:cooling-coil-pump-vfd-fb_cc8dee20,\n", + " bldg:cooling-coil-pump-vfd-flt_b55959e4,\n", + " bldg:cooling-coil-pump-vfd-frq_955ed466,\n", + " bldg:cooling-coil-pump-vfd-pwr_b9cf4a0e,\n", + " bldg:cooling-coil-pump-vfd-spd_bd1502f5,\n", + " bldg:cooling-coil-pump-vfd-volt_732ccbef .\n", + "\n", + "bldg:cooling-coil-pump_e5c69318 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-pump-in_7edb013c,\n", + " bldg:cooling-coil-pump-out_fc9849fe ;\n", + " ns1:hasProperty bldg:cooling-coil-pump-onoff-cmd_09a4193b,\n", + " bldg:cooling-coil-pump-onoff-sts_53029083,\n", + " bldg:cooling-coil-pump-vfd-cur_24f4c392,\n", + " bldg:cooling-coil-pump-vfd-energy_5af61fef,\n", + " bldg:cooling-coil-pump-vfd-fb_57fc66f2,\n", + " bldg:cooling-coil-pump-vfd-flt_38eeeb9c,\n", + " bldg:cooling-coil-pump-vfd-frq_3de31791,\n", + " bldg:cooling-coil-pump-vfd-pwr_480e9d49,\n", + " bldg:cooling-coil-pump-vfd-spd_8bfc7b1e,\n", + " bldg:cooling-coil-pump-vfd-volt_1135fbde .\n", + "\n", + "bldg:cooling-coil-return-water-temp_641e5a80 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-return-water-temp_d360f405 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-supply-water-temp_21ec63e7 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-supply-water-temp_d0225e29 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:cooling-coil-valve-command_67e92f21 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-valve-command_90556ae2 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-valve-feedback_0fac765b a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-valve-feedback_7f53a7ed a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:cooling-coil-valve-in-mapsto_321c2088 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-valve-in-mapsto_416718fe a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-valve-in_61daad05 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-valve-in-mapsto_321c2088 .\n", + "\n", + "bldg:cooling-coil-valve-in_ac4477d2 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-valve-in-mapsto_416718fe .\n", + "\n", + "bldg:cooling-coil-valve-out-mapsto_04383706 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-valve-out-mapsto_b42eff7a a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-valve-out_3541d53f a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-valve-out-mapsto_b42eff7a .\n", + "\n", + "bldg:cooling-coil-valve-out_7a3e230b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-valve-out-mapsto_04383706 .\n", + "\n", + "bldg:cooling-coil-valve_5224480b a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-valve-in_61daad05,\n", + " bldg:cooling-coil-valve-out_7a3e230b ;\n", + " ns1:hasProperty bldg:cooling-coil-valve-command_67e92f21,\n", + " bldg:cooling-coil-valve-feedback_7f53a7ed .\n", + "\n", + "bldg:cooling-coil-valve_dd793a4c a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-valve-in_ac4477d2,\n", + " bldg:cooling-coil-valve-out_3541d53f ;\n", + " ns1:hasProperty bldg:cooling-coil-valve-command_90556ae2,\n", + " bldg:cooling-coil-valve-feedback_0fac765b .\n", + "\n", + "bldg:cooling-coil-water-in-mapsto_1ad0e56c a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-water-in-mapsto_e04d932f a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-water-in_204eb009 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-water-in-mapsto_1ad0e56c .\n", + "\n", + "bldg:cooling-coil-water-in_6f92acfe a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-water-in-mapsto_e04d932f .\n", + "\n", + "bldg:cooling-coil-water-out-mapsto_0f0464e4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-water-out-mapsto_d52f85bf a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:cooling-coil-water-out_061018d8 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-water-out-mapsto_0f0464e4 .\n", + "\n", + "bldg:cooling-coil-water-out_c970a1a4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:cooling-coil-water-out-mapsto_d52f85bf .\n", + "\n", + "bldg:cooling-coil_aa4c0b02 a ns1:CoolingCoil ;\n", + " ns1:contains bldg:cooling-coil-pump_e5c69318,\n", + " bldg:cooling-coil-valve_dd793a4c ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-air-in_d16f95f7,\n", + " bldg:cooling-coil-air-out_48a5e8a2,\n", + " bldg:cooling-coil-water-in_204eb009,\n", + " bldg:cooling-coil-water-out_061018d8 ;\n", + " ns1:hasProperty bldg:cooling-coil-entering-air-temp_91c2cde3,\n", + " bldg:cooling-coil-leaving-air-temp_f0ed2655,\n", + " bldg:cooling-coil-leaving-air-wetbulb-temp_4210141c,\n", + " bldg:cooling-coil-return-water-temp_d360f405,\n", + " bldg:cooling-coil-supply-water-temp_d0225e29 .\n", + "\n", + "bldg:cooling-coil_c791fcb2 a ns1:CoolingCoil ;\n", + " ns1:contains bldg:cooling-coil-pump_498fe2e0,\n", + " bldg:cooling-coil-valve_5224480b ;\n", + " ns1:hasConnectionPoint bldg:cooling-coil-air-in_4413429d,\n", + " bldg:cooling-coil-air-out_66c97af6,\n", + " bldg:cooling-coil-water-in_6f92acfe,\n", + " bldg:cooling-coil-water-out_c970a1a4 ;\n", + " ns1:hasProperty bldg:cooling-coil-entering-air-temp_d2c1841d,\n", + " bldg:cooling-coil-leaving-air-temp_3337bb97,\n", + " bldg:cooling-coil-leaving-air-wetbulb-temp_7b289728,\n", + " bldg:cooling-coil-return-water-temp_641e5a80,\n", + " bldg:cooling-coil-supply-water-temp_21ec63e7 .\n", + "\n", + "bldg:dmp-command_1120a628 a ns1:QuantifiableActuatableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dmp-command_33e9ef41 a ns1:QuantifiableActuatableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dmp-feedback_06b80e32 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dmp-feedback_74764231 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dmp-in-mapsto_09a4c53a a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:dmp-in-mapsto_8abf409b a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:dmp-in_7e10a269 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:dmp-in-mapsto_09a4c53a .\n", + "\n", + "bldg:dmp-in_9385b21f a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:dmp-in-mapsto_8abf409b .\n", + "\n", + "bldg:dmp-out-mapsto_4e31bb7f a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:dmp-out-mapsto_dd0be271 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:dmp-out_80ffbde9 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:dmp-out-mapsto_4e31bb7f .\n", + "\n", + "bldg:dmp-out_c82daa92 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:dmp-out-mapsto_dd0be271 .\n", + "\n", + "bldg:dmp_22b62d0b a ns1:Damper ;\n", + " ns1:hasConnectionPoint bldg:dmp-in_9385b21f,\n", + " bldg:dmp-out_80ffbde9 ;\n", + " ns1:hasProperty bldg:dmp-command_33e9ef41,\n", + " bldg:dmp-feedback_74764231 .\n", + "\n", + "bldg:dmp_7eb94075 a ns1:Damper ;\n", + " ns1:hasConnectionPoint bldg:dmp-in_7e10a269,\n", + " bldg:dmp-out_c82daa92 ;\n", + " ns1:hasProperty bldg:dmp-command_1120a628,\n", + " bldg:dmp-feedback_06b80e32 .\n", + "\n", + "bldg:dwh-dw-hwp-in-mapsto_e8a3eefc a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hwp-in_6155f810 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hwp-in-mapsto_e8a3eefc .\n", + "\n", + "bldg:dwh-dw-hwp-onoff-cmd_92b2231d a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:dwh-dw-hwp-onoff-sts_9b09a9c2 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:dwh-dw-hwp-out-mapsto_0405925c a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hwp-out_07d57e17 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hwp-out-mapsto_0405925c .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-cur_99c1ffd0 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-energy_e641a027 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-fb_16d4758c a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-flt_1c584fcb a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-frq_3d1fe06d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-pwr_7637b87d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-spd_ad0c249e a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:dwh-dw-hwp-vfd-volt_9b75dffe a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:dwh-dw-hwp_bc876899 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:dwh-dw-hwp-in_6155f810,\n", + " bldg:dwh-dw-hwp-out_07d57e17 ;\n", + " ns1:hasProperty bldg:dwh-dw-hwp-onoff-cmd_92b2231d,\n", + " bldg:dwh-dw-hwp-onoff-sts_9b09a9c2,\n", + " bldg:dwh-dw-hwp-vfd-cur_99c1ffd0,\n", + " bldg:dwh-dw-hwp-vfd-energy_e641a027,\n", + " bldg:dwh-dw-hwp-vfd-fb_16d4758c,\n", + " bldg:dwh-dw-hwp-vfd-flt_1c584fcb,\n", + " bldg:dwh-dw-hwp-vfd-frq_3d1fe06d,\n", + " bldg:dwh-dw-hwp-vfd-pwr_7637b87d,\n", + " bldg:dwh-dw-hwp-vfd-spd_ad0c249e,\n", + " bldg:dwh-dw-hwp-vfd-volt_9b75dffe .\n", + "\n", + "bldg:dwh-dw-hx-A-chw-diff-press-sensor_afdd0a8d a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:dwh-dw-hx-A-in_ed7dba61 ;\n", + " ns1:hasObservationLocationLow bldg:dwh-dw-hx-A-out_5a27d8da ;\n", + " ns1:observes bldg:dwh-dw-hx-A-chw-diff-press_1a366e7a .\n", + "\n", + "bldg:dwh-dw-hx-A-in-mapsto_c2940fed a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hx-A-out-mapsto_f189451e a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hx-B-chw-diff-press-sensor_4d691120 a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:dwh-dw-hx-B-in_7400e0a7 ;\n", + " ns1:hasObservationLocationLow bldg:dwh-dw-hx-B-out_8b6877dd ;\n", + " ns1:observes bldg:dwh-dw-hx-B-chw-diff-press_ec83986f .\n", + "\n", + "bldg:dwh-dw-hx-B-in-mapsto_fd3f9107 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hx-B-out-mapsto_366ceb70 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-dw-hx-chw-flow-sensor_1c348979 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:dwh-dw-hx-B-out_8b6877dd ;\n", + " ns1:observes bldg:dwh-dw-hx-chw-flow_945a738e .\n", + "\n", + "bldg:dwh-dw-hx-chw-return-temperature_4acb91e9 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:dwh-dw-hx-chw-supply-temperature_ea921eb1 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:dwh-dw-hx_48f3a9d6 a ns1:HeatExchanger ;\n", + " ns1:contains bldg:dwh-dw-hx-A-chw-diff-press-sensor_afdd0a8d,\n", + " bldg:dwh-dw-hx-B-chw-diff-press-sensor_4d691120,\n", + " bldg:dwh-dw-hx-chw-flow-sensor_1c348979 ;\n", + " ns1:hasConnectionPoint bldg:dwh-dw-hx-A-in_ed7dba61,\n", + " bldg:dwh-dw-hx-A-out_5a27d8da,\n", + " bldg:dwh-dw-hx-B-in_7400e0a7,\n", + " bldg:dwh-dw-hx-B-out_8b6877dd ;\n", + " ns1:hasProperty bldg:dwh-dw-hx-A-chw-diff-press_1a366e7a,\n", + " bldg:dwh-dw-hx-B-chw-diff-press_ec83986f,\n", + " bldg:dwh-dw-hx-chw-flow_945a738e,\n", + " bldg:dwh-dw-hx-chw-return-temperature_4acb91e9,\n", + " bldg:dwh-dw-hx-chw-supply-temperature_ea921eb1 .\n", + "\n", + "bldg:dwh-in-mapsto_3bd29a57 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-in_2dfeb166 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-in-mapsto_3bd29a57 .\n", + "\n", + "bldg:dwh-out-mapsto_6b7c6e8c a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:dwh-out_6cc0386e a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-out-mapsto_6b7c6e8c .\n", + "\n", + "bldg:dwh_84fdbb56 a ns1:DomesticWaterHeater,\n", + " ns1:Equipment ;\n", + " rdfs:label \"domestic water heater\" ;\n", + " ns1:contains bldg:dwh-dw-hwp_bc876899,\n", + " bldg:dwh-dw-hx_48f3a9d6 ;\n", + " ns1:hasConnectionPoint bldg:dwh-in_2dfeb166,\n", + " bldg:dwh-out_6cc0386e .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-command_5bbf697e a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-feedback_0a08f743 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-in-mapsto_38eef234 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-in_b4e0b491 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-evap-cool-fill-valve-in-mapsto_38eef234 .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-out-mapsto_29ae92cc a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve-out_9fafb453 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-evap-cool-fill-valve-out-mapsto_29ae92cc .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-fill-valve_c6c0377e a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:evaporative-cooler-evap-cool-fill-valve-in_b4e0b491,\n", + " bldg:evaporative-cooler-evap-cool-fill-valve-out_9fafb453 ;\n", + " ns1:hasProperty bldg:evaporative-cooler-evap-cool-fill-valve-command_5bbf697e,\n", + " bldg:evaporative-cooler-evap-cool-fill-valve-feedback_0a08f743 .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-in-mapsto_ee2148c6 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-in_1a92dc18 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-evap-cool-pump-2stage-in-mapsto_ee2148c6 .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-onoff-cmd_581c9222 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-onoff-sts_89dec85a a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-out-mapsto_a775b433 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-out_5e5f4d73 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-evap-cool-pump-2stage-out-mapsto_a775b433 .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-cur_e790ff77 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-energy_3d859fdd a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-fb_a5f7c268 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-flt_1c5e6017 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-frq_05001d28 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-pwr_7807f48a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-spd_cc39f5b1 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-volt_9e5f4dc8 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-pump-2stage_4f496251 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:evaporative-cooler-evap-cool-pump-2stage-in_1a92dc18,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-out_5e5f4d73 ;\n", + " ns1:hasProperty bldg:evaporative-cooler-evap-cool-pump-2stage-onoff-cmd_581c9222,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-onoff-sts_89dec85a,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-cur_e790ff77,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-energy_3d859fdd,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-fb_a5f7c268,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-flt_1c5e6017,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-frq_05001d28,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-pwr_7807f48a,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-spd_cc39f5b1,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage-vfd-volt_9e5f4dc8 .\n", + "\n", + "bldg:evaporative-cooler-evap-cool-sump-tank_06f931f1 a ns1:Equipment ;\n", + " rdfs:label \"Tank\" .\n", + "\n", + "bldg:evaporative-cooler-in-mapsto_0907e184 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:evaporative-cooler-out_8fba22e4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:hasProperty bldg:evaporative-cooler-leaving-air-humidity_c3ef6c9a,\n", + " bldg:evaporative-cooler-leaving-air-temp_2f654789 ;\n", + " ns1:mapsTo bldg:MAU_Supply .\n", + "\n", + "bldg:evaporative-cooler-water-in-mapsto_48422519 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-water-in_c4ed59ea a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-water-in-mapsto_48422519 .\n", + "\n", + "bldg:evaporative-cooler-water-out-mapsto_5e1fcfad a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:evaporative-cooler-water-out_09828ec3 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:evaporative-cooler-water-out-mapsto_5e1fcfad .\n", + "\n", + "bldg:evaporative-cooler_6b1feb97 a ns1:HeatExchanger ;\n", + " ns1:contains bldg:evaporative-cooler-evap-cool-fill-valve_c6c0377e,\n", + " bldg:evaporative-cooler-evap-cool-pump-2stage_4f496251,\n", + " bldg:evaporative-cooler-evap-cool-sump-tank_06f931f1 ;\n", + " ns1:hasConnectionPoint bldg:evaporative-cooler-in_d375a45f,\n", + " bldg:evaporative-cooler-out_8fba22e4,\n", + " bldg:evaporative-cooler-water-in_c4ed59ea,\n", + " bldg:evaporative-cooler-water-out_09828ec3 ;\n", + " ns1:hasProperty bldg:evaporative-cooler-entering-air-temp_d2e06835,\n", + " bldg:evaporative-cooler-leaving-air-humidity_c3ef6c9a,\n", + " bldg:evaporative-cooler-leaving-air-temp_2f654789 ;\n", + " ns1:hasRole ns1:Role-Evaporator .\n", + "\n", + "bldg:fan-in-mapsto_e57c687c a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:fan-in_70762e16 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:fan-in-mapsto_e57c687c .\n", + "\n", + "bldg:fan-motor-status_d10e7588 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:fan-oa-flow-switch_0d3aef4f a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-FlowStatus .\n", + "\n", + "bldg:fan-out-mapsto_366c9c56 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:fan-out_fb36452a a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:fan-out-mapsto_366c9c56 .\n", + "\n", + "bldg:fan-start-cmd_8de640a2 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:fan-vfd-cur_4d64798d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:fan-vfd-energy_b52ee6b3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:fan-vfd-fb_7391aa19 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:fan-vfd-flt_bcb3f6ba a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:fan-vfd-frq_d3f4fd1e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:fan-vfd-pwr_b6c77872 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:fan-vfd-spd_948b2006 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:fan-vfd-volt_87fec152 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:fan_a58fab76 a ns1:Fan ;\n", + " ns1:hasConnectionPoint bldg:fan-in_70762e16,\n", + " bldg:fan-out_fb36452a ;\n", + " ns1:hasProperty bldg:fan-motor-status_d10e7588,\n", + " bldg:fan-oa-flow-switch_0d3aef4f,\n", + " bldg:fan-start-cmd_8de640a2,\n", + " bldg:fan-vfd-cur_4d64798d,\n", + " bldg:fan-vfd-energy_b52ee6b3,\n", + " bldg:fan-vfd-fb_7391aa19,\n", + " bldg:fan-vfd-flt_bcb3f6ba,\n", + " bldg:fan-vfd-frq_d3f4fd1e,\n", + " bldg:fan-vfd-pwr_b6c77872,\n", + " bldg:fan-vfd-spd_948b2006,\n", + " bldg:fan-vfd-volt_87fec152 .\n", + "\n", + "bldg:final-filter-differential-pressure_14d9914a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:final-filter-in-mapsto_b32dd715 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:final-filter-out-mapsto_824dbc73 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:final-filter_257fa543 a ns1:Filter ;\n", + " ns1:hasConnectionPoint bldg:final-filter-in_e6dd5673,\n", + " bldg:final-filter-out_3945b086 ;\n", + " ns1:hasProperty bldg:final-filter-differential-pressure_14d9914a .\n", + "\n", + "bldg:heating-coil-air-in-mapsto_709abca5 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:heating-coil-air-in-mapsto_a4b439be a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:heating-coil-air-in_0da1efe4 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:heating-coil-air-in-mapsto_709abca5 .\n", + "\n", + "bldg:heating-coil-air-out-mapsto_387c4f4a a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:heating-coil-air-out-mapsto_64933690 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:heating-coil-air-out_7b5ddd20 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:heating-coil-air-out-mapsto_64933690 .\n", + "\n", + "bldg:heating-coil-return-water-temp-sensor_96e0c9f5 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:heating-coil-water-out_c4042db6 ;\n", + " ns1:observes bldg:heating-coil-return-water-temp_9b314b60 .\n", + "\n", + "bldg:heating-coil-return-water-temp-sensor_d9d725b7 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:heating-coil-water-out_caafe24d ;\n", + " ns1:observes bldg:heating-coil-return-water-temp_04cb3082 .\n", + "\n", + "bldg:heating-coil-supply-water-temp-sensor_131f65d3 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:heating-coil-water-in_dc039b61 ;\n", + " ns1:observes bldg:heating-coil-supply-water-temp_76212d9a .\n", + "\n", + "bldg:heating-coil-supply-water-temp-sensor_46622dd9 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:heating-coil-water-in_84b84a56 ;\n", + " ns1:observes bldg:heating-coil-supply-water-temp_d007778a .\n", + "\n", + "bldg:heating-coil-valve-command_2f8d2f72 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:heating-coil-valve-command_ecb81d56 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:heating-coil-valve-feedback_94d8863c a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:heating-coil-valve-feedback_a8949fe1 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:heating-coil-valve-in-mapsto_25c5d7eb a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-valve-in-mapsto_bef728fe a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-valve-in_1795af15 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-valve-in-mapsto_25c5d7eb .\n", + "\n", + "bldg:heating-coil-valve-in_ab05bbfc a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-valve-in-mapsto_bef728fe .\n", + "\n", + "bldg:heating-coil-valve-out-mapsto_aab3b0f2 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-valve-out-mapsto_e450b208 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-valve-out_2e3634bd a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-valve-out-mapsto_e450b208 .\n", + "\n", + "bldg:heating-coil-valve-out_33892ef9 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-valve-out-mapsto_aab3b0f2 .\n", + "\n", + "bldg:heating-coil-valve_3b371277 a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:heating-coil-valve-in_1795af15,\n", + " bldg:heating-coil-valve-out_33892ef9 ;\n", + " ns1:hasProperty bldg:heating-coil-valve-command_ecb81d56,\n", + " bldg:heating-coil-valve-feedback_94d8863c .\n", + "\n", + "bldg:heating-coil-valve_eac6a019 a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:heating-coil-valve-in_ab05bbfc,\n", + " bldg:heating-coil-valve-out_2e3634bd ;\n", + " ns1:hasProperty bldg:heating-coil-valve-command_2f8d2f72,\n", + " bldg:heating-coil-valve-feedback_a8949fe1 .\n", + "\n", + "bldg:heating-coil-water-in-mapsto_8c299359 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-water-in-mapsto_cb89a602 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-water-out-mapsto_4ec137d3 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil-water-out-mapsto_54ea1599 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:heating-coil_3867656e a ns1:HeatingCoil ;\n", + " ns1:contains bldg:heating-coil-return-water-temp-sensor_d9d725b7,\n", + " bldg:heating-coil-supply-water-temp-sensor_131f65d3,\n", + " bldg:heating-coil-valve_eac6a019 ;\n", + " ns1:hasConnectionPoint bldg:heating-coil-air-in_0da1efe4,\n", + " bldg:heating-coil-air-out_7b5ddd20,\n", + " bldg:heating-coil-water-in_dc039b61,\n", + " bldg:heating-coil-water-out_caafe24d ;\n", + " ns1:hasProperty bldg:heating-coil-return-water-temp_04cb3082,\n", + " bldg:heating-coil-supply-water-temp_76212d9a .\n", + "\n", + "bldg:heating-coil_805fabf4 a ns1:HeatingCoil ;\n", + " ns1:contains bldg:heating-coil-return-water-temp-sensor_96e0c9f5,\n", + " bldg:heating-coil-supply-water-temp-sensor_46622dd9,\n", + " bldg:heating-coil-valve_3b371277 ;\n", + " ns1:hasConnectionPoint bldg:heating-coil-air-in_abc44273,\n", + " bldg:heating-coil-air-out_26dbbcc2,\n", + " bldg:heating-coil-water-in_84b84a56,\n", + " bldg:heating-coil-water-out_c4042db6 ;\n", + " ns1:hasProperty bldg:heating-coil-return-water-temp_9b314b60,\n", + " bldg:heating-coil-supply-water-temp_d007778a .\n", + "\n", + "bldg:hw-hx-A-chw-diff-press-sensor_c3868aa6 a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:hw-hx-A-in_2ddbbe2d ;\n", + " ns1:hasObservationLocationLow bldg:hw-hx-A-out_712022cf ;\n", + " ns1:observes bldg:hw-hx-A-chw-diff-press_3f848396 .\n", + "\n", + "bldg:hw-hx-A-in-mapsto_a0ee13b4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:hw-hx-A-out-mapsto_79012c38 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:hw-hx-B-chw-diff-press-sensor_67a73042 a ns1:Sensor ;\n", + " ns1:hasObservationLocationHigh bldg:hw-hx-B-in_10e636ce ;\n", + " ns1:hasObservationLocationLow bldg:hw-hx-B-out_5051b0ce ;\n", + " ns1:observes bldg:hw-hx-B-chw-diff-press_378049a3 .\n", + "\n", + "bldg:hw-hx-B-in-mapsto_73c6ff6f a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:hw-hx-B-out-mapsto_6752c0b6 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:hw-hx-chw-flow-sensor_5c06725c a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:hw-hx-B-out_5051b0ce ;\n", + " ns1:observes bldg:hw-hx-chw-flow_1204e29e .\n", + "\n", + "bldg:hw-hx-chw-return-temperature_6ff80598 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:hw-hx-chw-supply-temperature_14104eec a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:hw-hx_4b6b01a0 a ns1:HeatExchanger ;\n", + " ns1:contains bldg:hw-hx-A-chw-diff-press-sensor_c3868aa6,\n", + " bldg:hw-hx-B-chw-diff-press-sensor_67a73042,\n", + " bldg:hw-hx-chw-flow-sensor_5c06725c ;\n", + " ns1:hasConnectionPoint bldg:hw-hx-A-in_2ddbbe2d,\n", + " bldg:hw-hx-A-out_712022cf,\n", + " bldg:hw-hx-B-in_10e636ce,\n", + " bldg:hw-hx-B-out_5051b0ce ;\n", + " ns1:hasProperty bldg:hw-hx-A-chw-diff-press_3f848396,\n", + " bldg:hw-hx-B-chw-diff-press_378049a3,\n", + " bldg:hw-hx-chw-flow_1204e29e,\n", + " bldg:hw-hx-chw-return-temperature_6ff80598,\n", + " bldg:hw-hx-chw-supply-temperature_14104eec .\n", + "\n", + "bldg:in-mapsto_1682d0ec a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in-mapsto_ecbed429 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in-mapsto_fa6df638 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in2-mapsto_0f525b8a a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in2-mapsto_344e44b6 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in2_dc0fb3fb a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in2-mapsto_344e44b6 .\n", + "\n", + "bldg:in2_f9e9d20f a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in2-mapsto_0f525b8a .\n", + "\n", + "bldg:in3-mapsto_03bedfcb a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in3-mapsto_98111e53 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in3_5e52583b a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in3-mapsto_03bedfcb .\n", + "\n", + "bldg:in3_a98ece21 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in3-mapsto_98111e53 .\n", + "\n", + "bldg:in4-mapsto_a8ed1a89 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in4-mapsto_ba2c3a7f a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:in4_013680f9 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in4-mapsto_ba2c3a7f .\n", + "\n", + "bldg:in4_87b86913 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in4-mapsto_a8ed1a89 .\n", + "\n", + "bldg:in_0b448e00 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in-mapsto_1682d0ec .\n", + "\n", + "bldg:lead-chw-booster-pump-in-mapsto_5551179a a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-chw-booster-pump-in_09cafdb7 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-chw-booster-pump-in-mapsto_5551179a .\n", + "\n", + "bldg:lead-chw-booster-pump-onoff-cmd_48852ce6 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-chw-booster-pump-onoff-sts_57021483 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-chw-booster-pump-out-mapsto_a3b04e0b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-chw-booster-pump-out_6ba6b53b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-chw-booster-pump-out-mapsto_a3b04e0b .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-cur_1e0ac1e5 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-energy_46244d85 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-fb_88791df7 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-flt_a8f6eee8 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-frq_9e6d3b11 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-pwr_f22ec6ad a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-spd_1b32669d a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-chw-booster-pump-vfd-volt_615a5f23 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:lead-chw-booster-pump_a3764022 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:lead-chw-booster-pump-in_09cafdb7,\n", + " bldg:lead-chw-booster-pump-out_6ba6b53b ;\n", + " ns1:hasProperty bldg:lead-chw-booster-pump-onoff-cmd_48852ce6,\n", + " bldg:lead-chw-booster-pump-onoff-sts_57021483,\n", + " bldg:lead-chw-booster-pump-vfd-cur_1e0ac1e5,\n", + " bldg:lead-chw-booster-pump-vfd-energy_46244d85,\n", + " bldg:lead-chw-booster-pump-vfd-fb_88791df7,\n", + " bldg:lead-chw-booster-pump-vfd-flt_a8f6eee8,\n", + " bldg:lead-chw-booster-pump-vfd-frq_9e6d3b11,\n", + " bldg:lead-chw-booster-pump-vfd-pwr_f22ec6ad,\n", + " bldg:lead-chw-booster-pump-vfd-spd_1b32669d,\n", + " bldg:lead-chw-booster-pump-vfd-volt_615a5f23 .\n", + "\n", + "bldg:lead-chw-pump-in-mapsto_2e0ea23f a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-chw-pump-in_f7e4e7ac a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-chw-pump-in-mapsto_2e0ea23f .\n", + "\n", + "bldg:lead-chw-pump-onoff-cmd_7a9cef7b a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-chw-pump-onoff-sts_359e8cf0 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-chw-pump-out-mapsto_4986888b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-chw-pump-out_798755b6 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-chw-pump-out-mapsto_4986888b .\n", + "\n", + "bldg:lead-chw-pump-vfd-cur_4784f512 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:lead-chw-pump-vfd-energy_620d0506 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:lead-chw-pump-vfd-fb_affb697f a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-chw-pump-vfd-flt_97e9cee8 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:lead-chw-pump-vfd-frq_1f09bacd a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:lead-chw-pump-vfd-pwr_cd78c481 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:lead-chw-pump-vfd-spd_b88499a4 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-chw-pump-vfd-volt_7a1ed02a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:lead-chw-pump_0d3bc890 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:lead-chw-pump-in_f7e4e7ac,\n", + " bldg:lead-chw-pump-out_798755b6 ;\n", + " ns1:hasProperty bldg:lead-chw-pump-onoff-cmd_7a9cef7b,\n", + " bldg:lead-chw-pump-onoff-sts_359e8cf0,\n", + " bldg:lead-chw-pump-vfd-cur_4784f512,\n", + " bldg:lead-chw-pump-vfd-energy_620d0506,\n", + " bldg:lead-chw-pump-vfd-fb_affb697f,\n", + " bldg:lead-chw-pump-vfd-flt_97e9cee8,\n", + " bldg:lead-chw-pump-vfd-frq_1f09bacd,\n", + " bldg:lead-chw-pump-vfd-pwr_cd78c481,\n", + " bldg:lead-chw-pump-vfd-spd_b88499a4,\n", + " bldg:lead-chw-pump-vfd-volt_7a1ed02a .\n", + "\n", + "bldg:lead-hw-booster-pump-in-mapsto_f2e7d28d a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-hw-booster-pump-in_5bb6767b a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-hw-booster-pump-in-mapsto_f2e7d28d .\n", + "\n", + "bldg:lead-hw-booster-pump-onoff-cmd_a9e15fa1 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-hw-booster-pump-onoff-sts_63393c9d a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-hw-booster-pump-out-mapsto_952bdd4d a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-hw-booster-pump-out_f092569e a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-hw-booster-pump-out-mapsto_952bdd4d .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-cur_4224c7d7 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-energy_6fce1068 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-fb_369fb220 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-flt_a5c1554c a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-frq_6b075d22 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-pwr_b52b88d8 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-spd_1888a10e a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-hw-booster-pump-vfd-volt_9c87ecaa a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:lead-hw-booster-pump_4bc155de a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:lead-hw-booster-pump-in_5bb6767b,\n", + " bldg:lead-hw-booster-pump-out_f092569e ;\n", + " ns1:hasProperty bldg:lead-hw-booster-pump-onoff-cmd_a9e15fa1,\n", + " bldg:lead-hw-booster-pump-onoff-sts_63393c9d,\n", + " bldg:lead-hw-booster-pump-vfd-cur_4224c7d7,\n", + " bldg:lead-hw-booster-pump-vfd-energy_6fce1068,\n", + " bldg:lead-hw-booster-pump-vfd-fb_369fb220,\n", + " bldg:lead-hw-booster-pump-vfd-flt_a5c1554c,\n", + " bldg:lead-hw-booster-pump-vfd-frq_6b075d22,\n", + " bldg:lead-hw-booster-pump-vfd-pwr_b52b88d8,\n", + " bldg:lead-hw-booster-pump-vfd-spd_1888a10e,\n", + " bldg:lead-hw-booster-pump-vfd-volt_9c87ecaa .\n", + "\n", + "bldg:lead-hw-pump-in-mapsto_61f02408 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-hw-pump-in_975ab2ef a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-hw-pump-in-mapsto_61f02408 .\n", + "\n", + "bldg:lead-hw-pump-onoff-cmd_71ef0474 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-hw-pump-onoff-sts_451be4c4 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:lead-hw-pump-out-mapsto_b24262a5 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:lead-hw-pump-out_731fad53 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:lead-hw-pump-out-mapsto_b24262a5 .\n", + "\n", + "bldg:lead-hw-pump-vfd-cur_fec1f56a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:lead-hw-pump-vfd-energy_5d3da623 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:lead-hw-pump-vfd-fb_eb62f63b a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-hw-pump-vfd-flt_03e7b875 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:lead-hw-pump-vfd-frq_1525bf62 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:lead-hw-pump-vfd-pwr_c26b8d51 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:lead-hw-pump-vfd-spd_5b1dbb52 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:lead-hw-pump-vfd-volt_44220144 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:lead-hw-pump_a20879df a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:lead-hw-pump-in_975ab2ef,\n", + " bldg:lead-hw-pump-out_731fad53 ;\n", + " ns1:hasProperty bldg:lead-hw-pump-onoff-cmd_71ef0474,\n", + " bldg:lead-hw-pump-onoff-sts_451be4c4,\n", + " bldg:lead-hw-pump-vfd-cur_fec1f56a,\n", + " bldg:lead-hw-pump-vfd-energy_5d3da623,\n", + " bldg:lead-hw-pump-vfd-fb_eb62f63b,\n", + " bldg:lead-hw-pump-vfd-flt_03e7b875,\n", + " bldg:lead-hw-pump-vfd-frq_1525bf62,\n", + " bldg:lead-hw-pump-vfd-pwr_c26b8d51,\n", + " bldg:lead-hw-pump-vfd-spd_5b1dbb52,\n", + " bldg:lead-hw-pump-vfd-volt_44220144 .\n", + "\n", + "bldg:oa_rh_a7e172d3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + "bldg:oad-command_21d66353 a ns1:QuantifiableActuatableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:oad-feedback_ce4e798d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:oad-in_80083530 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:outside-air_815064a0 .\n", + "\n", + "bldg:oad-out-mapsto_310507f2 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:oad_8803be7b a ns1:Damper ;\n", + " ns1:hasConnectionPoint bldg:oad-in_80083530,\n", + " bldg:oad-out_bfd0999a ;\n", + " ns1:hasProperty bldg:oad-command_21d66353,\n", + " bldg:oad-feedback_ce4e798d .\n", + "\n", + "bldg:occ-override_c163c888 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-Override .\n", + "\n", + "bldg:out-mapsto_4cb95d56 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:out-mapsto_a27e0a40 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:out-mapsto_e7b038f0 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:out2-mapsto_c8bc4750 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:out2-mapsto_e5f865f6 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:out2_3e26ea17 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:out2-mapsto_c8bc4750 .\n", + "\n", + "bldg:out2_3fbe4ba6 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:out2-mapsto_e5f865f6 .\n", + "\n", + "bldg:out_fb3d079f a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:out-mapsto_4cb95d56 .\n", + "\n", + "bldg:outside-air-mapsto_703e5cfc a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:pre-filter-differential-pressure_b1479292 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:pre-filter-in-mapsto_939ebcbe a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:pre-filter-out-mapsto_a2912e85 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:pre-filter_3f0f8ff4 a ns1:Filter ;\n", + " ns1:hasConnectionPoint bldg:pre-filter-in_3c932de3,\n", + " bldg:pre-filter-out_e870cdd1 ;\n", + " ns1:hasProperty bldg:pre-filter-differential-pressure_b1479292 .\n", + "\n", + "bldg:rhc-air-in-mapsto_0550bd41 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:rhc-air-in-mapsto_35d2c532 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:rhc-air-out-mapsto_0eac7ac5 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:rhc-air-out-mapsto_a87ab291 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:rhc-air-out_111c2387 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:rhc-air-out-mapsto_a87ab291 .\n", + "\n", + "bldg:rhc-air-out_5c9dbce5 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:rhc-air-out-mapsto_0eac7ac5 .\n", + "\n", + "bldg:rhc-return-water-temp-sensor_976346fc a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:rhc-water-out_084e1f72 ;\n", + " ns1:observes bldg:rhc-return-water-temp_4ae35927 .\n", + "\n", + "bldg:rhc-return-water-temp-sensor_f3215734 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:rhc-water-out_5e9583ac ;\n", + " ns1:observes bldg:rhc-return-water-temp_7df1fdd3 .\n", + "\n", + "bldg:rhc-supply-water-temp-sensor_a3c50109 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:rhc-water-in_786e19ac ;\n", + " ns1:observes bldg:rhc-supply-water-temp_5a859557 .\n", + "\n", + "bldg:rhc-supply-water-temp-sensor_c30beedc a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:rhc-water-in_f4afb821 ;\n", + " ns1:observes bldg:rhc-supply-water-temp_c7c2a0ec .\n", + "\n", + "bldg:rhc-valve-command_73eca62a a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:rhc-valve-command_e49e4021 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:rhc-valve-feedback_016040a2 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:rhc-valve-feedback_a3cdf22d a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:rhc-valve-in-mapsto_733cff68 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-valve-in-mapsto_e9971d93 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-valve-in_0edf6b9a a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-valve-in-mapsto_733cff68 .\n", + "\n", + "bldg:rhc-valve-in_c79dc3e6 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-valve-in-mapsto_e9971d93 .\n", + "\n", + "bldg:rhc-valve-out-mapsto_1256845a a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-valve-out-mapsto_a32f1cfd a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-valve-out_10ee5fa7 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-valve-out-mapsto_1256845a .\n", + "\n", + "bldg:rhc-valve-out_c9706060 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-valve-out-mapsto_a32f1cfd .\n", + "\n", + "bldg:rhc-valve_8964b0c6 a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:rhc-valve-in_0edf6b9a,\n", + " bldg:rhc-valve-out_c9706060 ;\n", + " ns1:hasProperty bldg:rhc-valve-command_e49e4021,\n", + " bldg:rhc-valve-feedback_a3cdf22d .\n", + "\n", + "bldg:rhc-valve_f266eb4c a ns1:Valve ;\n", + " ns1:hasConnectionPoint bldg:rhc-valve-in_c79dc3e6,\n", + " bldg:rhc-valve-out_10ee5fa7 ;\n", + " ns1:hasProperty bldg:rhc-valve-command_73eca62a,\n", + " bldg:rhc-valve-feedback_016040a2 .\n", + "\n", + "bldg:rhc-water-in-mapsto_1f4b6d97 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-water-in-mapsto_7fd01a28 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-water-out-mapsto_b57229e3 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc-water-out-mapsto_bec3e94b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:rhc_4fe8c007 a ns1:HeatingCoil ;\n", + " ns1:contains bldg:rhc-return-water-temp-sensor_976346fc,\n", + " bldg:rhc-supply-water-temp-sensor_a3c50109,\n", + " bldg:rhc-valve_f266eb4c ;\n", + " ns1:hasConnectionPoint bldg:rhc-air-in_2fe51a95,\n", + " bldg:rhc-air-out_111c2387,\n", + " bldg:rhc-water-in_786e19ac,\n", + " bldg:rhc-water-out_084e1f72 ;\n", + " ns1:hasProperty bldg:rhc-return-water-temp_4ae35927,\n", + " bldg:rhc-supply-water-temp_5a859557 .\n", + "\n", + "bldg:rhc_51bf6db2 a ns1:HeatingCoil ;\n", + " ns1:contains bldg:rhc-return-water-temp-sensor_f3215734,\n", + " bldg:rhc-supply-water-temp-sensor_c30beedc,\n", + " bldg:rhc-valve_8964b0c6 ;\n", + " ns1:hasConnectionPoint bldg:rhc-air-in_8a80d6b5,\n", + " bldg:rhc-air-out_5c9dbce5,\n", + " bldg:rhc-water-in_f4afb821,\n", + " bldg:rhc-water-out_5e9583ac ;\n", + " ns1:hasProperty bldg:rhc-return-water-temp_7df1fdd3,\n", + " bldg:rhc-supply-water-temp_c7c2a0ec .\n", + "\n", + "bldg:sa_pressure_sensor_fe22d23b a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:MAU_Supply ;\n", + " ns1:observes bldg:sa_sp_e6e9c159 .\n", + "\n", + "bldg:standby-chw-booster-pump-in-mapsto_5caf84e3 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-chw-booster-pump-in_1cac6d23 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-chw-booster-pump-in-mapsto_5caf84e3 .\n", + "\n", + "bldg:standby-chw-booster-pump-onoff-cmd_ea09106d a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-chw-booster-pump-onoff-sts_70fb40d6 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-chw-booster-pump-out-mapsto_83718ab4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-chw-booster-pump-out_3088b1b0 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-chw-booster-pump-out-mapsto_83718ab4 .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-cur_5210df9e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-energy_e88fab71 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-fb_e53427f4 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-flt_524d5ad2 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-frq_271adcbe a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-pwr_946f6795 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-spd_55c27848 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-chw-booster-pump-vfd-volt_fe28e4b8 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:standby-chw-booster-pump_7aa203c1 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:standby-chw-booster-pump-in_1cac6d23,\n", + " bldg:standby-chw-booster-pump-out_3088b1b0 ;\n", + " ns1:hasProperty bldg:standby-chw-booster-pump-onoff-cmd_ea09106d,\n", + " bldg:standby-chw-booster-pump-onoff-sts_70fb40d6,\n", + " bldg:standby-chw-booster-pump-vfd-cur_5210df9e,\n", + " bldg:standby-chw-booster-pump-vfd-energy_e88fab71,\n", + " bldg:standby-chw-booster-pump-vfd-fb_e53427f4,\n", + " bldg:standby-chw-booster-pump-vfd-flt_524d5ad2,\n", + " bldg:standby-chw-booster-pump-vfd-frq_271adcbe,\n", + " bldg:standby-chw-booster-pump-vfd-pwr_946f6795,\n", + " bldg:standby-chw-booster-pump-vfd-spd_55c27848,\n", + " bldg:standby-chw-booster-pump-vfd-volt_fe28e4b8 .\n", + "\n", + "bldg:standby-chw-pump-in-mapsto_0d551dea a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-chw-pump-in_f1ebda50 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-chw-pump-in-mapsto_0d551dea .\n", + "\n", + "bldg:standby-chw-pump-onoff-cmd_2ef2ffb5 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-chw-pump-onoff-sts_59bd5bd9 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-chw-pump-out-mapsto_01b0ea9c a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-chw-pump-out_75974cb4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-chw-pump-out-mapsto_01b0ea9c .\n", + "\n", + "bldg:standby-chw-pump-vfd-cur_92678499 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:standby-chw-pump-vfd-energy_53a0bbc2 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:standby-chw-pump-vfd-fb_6396f06e a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-chw-pump-vfd-flt_0a898788 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:standby-chw-pump-vfd-frq_0e5f2686 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:standby-chw-pump-vfd-pwr_d68f7bdd a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:standby-chw-pump-vfd-spd_06d0f95c a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-chw-pump-vfd-volt_11496c70 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:standby-chw-pump_bb8aa842 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:standby-chw-pump-in_f1ebda50,\n", + " bldg:standby-chw-pump-out_75974cb4 ;\n", + " ns1:hasProperty bldg:standby-chw-pump-onoff-cmd_2ef2ffb5,\n", + " bldg:standby-chw-pump-onoff-sts_59bd5bd9,\n", + " bldg:standby-chw-pump-vfd-cur_92678499,\n", + " bldg:standby-chw-pump-vfd-energy_53a0bbc2,\n", + " bldg:standby-chw-pump-vfd-fb_6396f06e,\n", + " bldg:standby-chw-pump-vfd-flt_0a898788,\n", + " bldg:standby-chw-pump-vfd-frq_0e5f2686,\n", + " bldg:standby-chw-pump-vfd-pwr_d68f7bdd,\n", + " bldg:standby-chw-pump-vfd-spd_06d0f95c,\n", + " bldg:standby-chw-pump-vfd-volt_11496c70 .\n", + "\n", + "bldg:standby-hw-booster-pump-in-mapsto_e78115fc a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-hw-booster-pump-in_be3a1ad9 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-hw-booster-pump-in-mapsto_e78115fc .\n", + "\n", + "bldg:standby-hw-booster-pump-onoff-cmd_fe6fc0be a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-hw-booster-pump-onoff-sts_9d6b3226 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-hw-booster-pump-out-mapsto_12e8993b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-hw-booster-pump-out_871a2105 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-hw-booster-pump-out-mapsto_12e8993b .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-cur_73f5cfa5 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-energy_26455193 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-fb_fab94c3d a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-flt_0c1c1a63 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-frq_f1b761a5 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-pwr_f29748a3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-spd_27d7942e a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-hw-booster-pump-vfd-volt_e6b454ef a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:standby-hw-booster-pump_006c94f1 a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:standby-hw-booster-pump-in_be3a1ad9,\n", + " bldg:standby-hw-booster-pump-out_871a2105 ;\n", + " ns1:hasProperty bldg:standby-hw-booster-pump-onoff-cmd_fe6fc0be,\n", + " bldg:standby-hw-booster-pump-onoff-sts_9d6b3226,\n", + " bldg:standby-hw-booster-pump-vfd-cur_73f5cfa5,\n", + " bldg:standby-hw-booster-pump-vfd-energy_26455193,\n", + " bldg:standby-hw-booster-pump-vfd-fb_fab94c3d,\n", + " bldg:standby-hw-booster-pump-vfd-flt_0c1c1a63,\n", + " bldg:standby-hw-booster-pump-vfd-frq_f1b761a5,\n", + " bldg:standby-hw-booster-pump-vfd-pwr_f29748a3,\n", + " bldg:standby-hw-booster-pump-vfd-spd_27d7942e,\n", + " bldg:standby-hw-booster-pump-vfd-volt_e6b454ef .\n", + "\n", + "bldg:standby-hw-pump-in-mapsto_13caa7af a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-hw-pump-in_37c43ace a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-hw-pump-in-mapsto_13caa7af .\n", + "\n", + "bldg:standby-hw-pump-onoff-cmd_87961114 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-hw-pump-onoff-sts_ce43fc00 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:standby-hw-pump-out-mapsto_efaf7985 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + "bldg:standby-hw-pump-out_baa23f3b a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:standby-hw-pump-out-mapsto_efaf7985 .\n", + "\n", + "bldg:standby-hw-pump-vfd-cur_2a945164 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:standby-hw-pump-vfd-energy_13ce2204 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:standby-hw-pump-vfd-fb_49b04e28 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-hw-pump-vfd-flt_2dc8ff99 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:standby-hw-pump-vfd-frq_73799ac5 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:standby-hw-pump-vfd-pwr_3107f23d a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:standby-hw-pump-vfd-spd_8752ed5f a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:standby-hw-pump-vfd-volt_f259fa1b a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:standby-hw-pump_48338b5c a ns1:Pump ;\n", + " ns1:hasConnectionPoint bldg:standby-hw-pump-in_37c43ace,\n", + " bldg:standby-hw-pump-out_baa23f3b ;\n", + " ns1:hasProperty bldg:standby-hw-pump-onoff-cmd_87961114,\n", + " bldg:standby-hw-pump-onoff-sts_ce43fc00,\n", + " bldg:standby-hw-pump-vfd-cur_2a945164,\n", + " bldg:standby-hw-pump-vfd-energy_13ce2204,\n", + " bldg:standby-hw-pump-vfd-fb_49b04e28,\n", + " bldg:standby-hw-pump-vfd-flt_2dc8ff99,\n", + " bldg:standby-hw-pump-vfd-frq_73799ac5,\n", + " bldg:standby-hw-pump-vfd-pwr_3107f23d,\n", + " bldg:standby-hw-pump-vfd-spd_8752ed5f,\n", + " bldg:standby-hw-pump-vfd-volt_f259fa1b .\n", + "\n", + "bldg:sup-air-flow-sensor_2554ff06 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_4a9d9ca6 ;\n", + " ns1:observes bldg:sup-air-flow_f3f15f39 .\n", + "\n", + "bldg:sup-air-flow-sensor_a1b387a2 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_abc06606 ;\n", + " ns1:observes bldg:sup-air-flow_7c26471f .\n", + "\n", + "bldg:sup-air-pressure-sensor_0688199a a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_4a9d9ca6 ;\n", + " ns1:observes bldg:sup-air-pressure_7243c7c4 .\n", + "\n", + "bldg:sup-air-pressure-sensor_f926a052 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_abc06606 ;\n", + " ns1:observes bldg:sup-air-pressure_85199a4e .\n", + "\n", + "bldg:sup-air-temp-sensor_0007d59d a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_4a9d9ca6 ;\n", + " ns1:observes bldg:sup-air-temp_00471477 .\n", + "\n", + "bldg:sup-air-temp-sensor_620265b6 a ns1:Sensor ;\n", + " ns1:hasObservationLocation bldg:air-out_abc06606 ;\n", + " ns1:observes bldg:sup-air-temp_ab150624 .\n", + "\n", + "bldg:supply-fan-in-mapsto_1037c7d8 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:supply-fan-motor-status_09522fb8 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:supply-fan-oa-flow-switch_27c85f86 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-FlowStatus .\n", + "\n", + "bldg:supply-fan-out-mapsto_bc09c702 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:supply-fan-start-cmd_1bd223a6 a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + "bldg:supply-fan-vfd-cur_eb06c06a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + "bldg:supply-fan-vfd-energy_759da2e1 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + "bldg:supply-fan-vfd-fb_0df423f0 a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:supply-fan-vfd-flt_28c70e40 a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + "bldg:supply-fan-vfd-frq_add13357 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + "bldg:supply-fan-vfd-pwr_e2a9e04a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + "bldg:supply-fan-vfd-spd_cf7d6432 a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + "bldg:supply-fan-vfd-volt_abf4ce86 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + "bldg:supply-fan_1ca06ac7 a ns1:Fan ;\n", + " ns1:hasConnectionPoint bldg:supply-fan-in_ac6aebe1,\n", + " bldg:supply-fan-out_4fdf00c1 ;\n", + " ns1:hasProperty bldg:supply-fan-motor-status_09522fb8,\n", + " bldg:supply-fan-oa-flow-switch_27c85f86,\n", + " bldg:supply-fan-start-cmd_1bd223a6,\n", + " bldg:supply-fan-vfd-cur_eb06c06a,\n", + " bldg:supply-fan-vfd-energy_759da2e1,\n", + " bldg:supply-fan-vfd-fb_0df423f0,\n", + " bldg:supply-fan-vfd-flt_28c70e40,\n", + " bldg:supply-fan-vfd-frq_add13357,\n", + " bldg:supply-fan-vfd-pwr_e2a9e04a,\n", + " bldg:supply-fan-vfd-spd_cf7d6432,\n", + " bldg:supply-fan-vfd-volt_abf4ce86 .\n", + "\n", + "bldg:zone-humidity_8290001f a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + "bldg:zone-temp_8fdc7663 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:MAU-HRC-air-in_280eefc0 a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c3_5886c238 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:MAU-HRC-air-in-mapsto_528e65b2 .\n", + "\n", + "bldg:MAU-HRC-air-out_635d8520 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c4_1e8bd6f1 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:MAU-HRC-air-out-mapsto_ca504f5d .\n", + "\n", + "bldg:VAV-1-in a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:air-in-mapsto_bb3445c0 .\n", + "\n", + "bldg:VAV-2-in a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:air-in-mapsto_35736eea .\n", + "\n", + "bldg:c1_4796a294 a ns1:Duct ;\n", + " ns1:cnx bldg:oad-out_bfd0999a,\n", + " bldg:pre-filter-in_3c932de3 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c2_7ea09a8d a ns1:Duct ;\n", + " ns1:cnx bldg:final-filter-in_e6dd5673,\n", + " bldg:pre-filter-out_e870cdd1 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c3_5886c238 a ns1:Duct ;\n", + " ns1:cnx bldg:MAU-HRC-air-in_280eefc0,\n", + " bldg:final-filter-out_3945b086 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c4_1e8bd6f1 a ns1:Duct ;\n", + " ns1:cnx bldg:MAU-HRC-air-out_635d8520,\n", + " bldg:supply-fan-in_ac6aebe1 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c5_48a8570e a ns1:Duct ;\n", + " ns1:cnx bldg:heating-coil-air-in_abc44273,\n", + " bldg:supply-fan-out_4fdf00c1 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c6_5c0a2c1b a ns1:Duct ;\n", + " ns1:cnx bldg:cooling-coil-air-in_4413429d,\n", + " bldg:heating-coil-air-out_26dbbcc2 ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:c7_8df592a0 a ns1:Duct ;\n", + " ns1:cnx bldg:cooling-coil-air-out_66c97af6,\n", + " bldg:evaporative-cooler-in_d375a45f ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "bldg:chw-hx-A-chw-diff-press_f214f0e4 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:chw-hx-A-in_c12a5b52 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:chw-hx-A-in-mapsto_804a34f3 .\n", + "\n", + "bldg:chw-hx-A-out_b1c0e2b9 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:chw-hx-A-out-mapsto_dc912c20 .\n", + "\n", + "bldg:chw-hx-B-chw-diff-press_ae9f381e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:chw-hx-B-in_40cd85e0 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:chw-hx-B-in-mapsto_40b53481 .\n", + "\n", + "bldg:chw-hx-chw-flow_2ff008fb a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:cooling-coil-air-in_4413429d a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c6_5c0a2c1b ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:cooling-coil-air-in-mapsto_1bb70110 .\n", + "\n", + "bldg:cooling-coil-air-out_66c97af6 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c7_8df592a0 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:cooling-coil-air-out-mapsto_ebf000fb .\n", + "\n", + "bldg:dwh-dw-hx-A-chw-diff-press_1a366e7a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:dwh-dw-hx-A-in_ed7dba61 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hx-A-in-mapsto_c2940fed .\n", + "\n", + "bldg:dwh-dw-hx-A-out_5a27d8da a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hx-A-out-mapsto_f189451e .\n", + "\n", + "bldg:dwh-dw-hx-B-chw-diff-press_ec83986f a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:dwh-dw-hx-B-in_7400e0a7 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hx-B-in-mapsto_fd3f9107 .\n", + "\n", + "bldg:dwh-dw-hx-chw-flow_945a738e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:evaporative-cooler-entering-air-temp_d2e06835 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:evaporative-cooler-in_d375a45f a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c7_8df592a0 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:hasProperty bldg:evaporative-cooler-entering-air-temp_d2e06835 ;\n", + " ns1:mapsTo bldg:evaporative-cooler-in-mapsto_0907e184 .\n", + "\n", + "bldg:evaporative-cooler-leaving-air-humidity_c3ef6c9a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + "bldg:evaporative-cooler-leaving-air-temp_2f654789 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:exhaust-air-flow_3cdb610c a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:exhaust-air-flow_daa37bed a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:final-filter-in_e6dd5673 a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c2_7ea09a8d ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:final-filter-in-mapsto_b32dd715 .\n", + "\n", + "bldg:final-filter-out_3945b086 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c3_5886c238 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:final-filter-out-mapsto_824dbc73 .\n", + "\n", + "bldg:heating-coil-air-in_abc44273 a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c5_48a8570e ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:heating-coil-air-in-mapsto_a4b439be .\n", + "\n", + "bldg:heating-coil-air-out_26dbbcc2 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c6_5c0a2c1b ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:heating-coil-air-out-mapsto_387c4f4a .\n", + "\n", + "bldg:heating-coil-return-water-temp_04cb3082 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:heating-coil-return-water-temp_9b314b60 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:heating-coil-supply-water-temp_76212d9a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:heating-coil-supply-water-temp_d007778a a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:heating-coil-water-in_84b84a56 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-water-in-mapsto_cb89a602 .\n", + "\n", + "bldg:heating-coil-water-in_dc039b61 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-water-in-mapsto_8c299359 .\n", + "\n", + "bldg:heating-coil-water-out_c4042db6 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-water-out-mapsto_4ec137d3 .\n", + "\n", + "bldg:heating-coil-water-out_caafe24d a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:heating-coil-water-out-mapsto_54ea1599 .\n", + "\n", + "bldg:hw-hx-A-chw-diff-press_3f848396 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:hw-hx-A-in_2ddbbe2d a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:hw-hx-A-in-mapsto_a0ee13b4 .\n", + "\n", + "bldg:hw-hx-A-out_712022cf a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:hw-hx-A-out-mapsto_79012c38 .\n", + "\n", + "bldg:hw-hx-B-chw-diff-press_378049a3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:hw-hx-B-in_10e636ce a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:hw-hx-B-in-mapsto_73c6ff6f .\n", + "\n", + "bldg:hw-hx-chw-flow_1204e29e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:in_48f8f3bd a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in-mapsto_fa6df638 .\n", + "\n", + "bldg:in_c97c5eed a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:in-mapsto_ecbed429 .\n", + "\n", + "bldg:oad-out_bfd0999a a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c1_4796a294 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:oad-out-mapsto_310507f2 .\n", + "\n", + "bldg:out_da72f6ab a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:out-mapsto_e7b038f0 .\n", + "\n", + "bldg:out_ebf6c4b4 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:out-mapsto_a27e0a40 .\n", + "\n", + "bldg:outside-air_815064a0 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:outside-air-mapsto_703e5cfc .\n", + "\n", + "bldg:pre-filter-in_3c932de3 a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c1_4796a294 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:pre-filter-in-mapsto_939ebcbe .\n", + "\n", + "bldg:pre-filter-out_e870cdd1 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c2_7ea09a8d ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:pre-filter-out-mapsto_a2912e85 .\n", + "\n", + "bldg:relative-humidity_7be6706c a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + "bldg:relative-humidity_d7de48a0 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + "bldg:rhc-air-in_2fe51a95 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:rhc-air-in-mapsto_0550bd41 .\n", + "\n", + "bldg:rhc-air-in_8a80d6b5 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:rhc-air-in-mapsto_35d2c532 .\n", + "\n", + "bldg:rhc-return-water-temp_4ae35927 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:rhc-return-water-temp_7df1fdd3 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:rhc-supply-water-temp_5a859557 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:rhc-supply-water-temp_c7c2a0ec a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:rhc-water-in_786e19ac a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-water-in-mapsto_7fd01a28 .\n", + "\n", + "bldg:rhc-water-in_f4afb821 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-water-in-mapsto_1f4b6d97 .\n", + "\n", + "bldg:rhc-water-out_084e1f72 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-water-out-mapsto_bec3e94b .\n", + "\n", + "bldg:rhc-water-out_5e9583ac a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:rhc-water-out-mapsto_b57229e3 .\n", + "\n", + "bldg:sa_sp_e6e9c159 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:sup-air-flow_7c26471f a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:sup-air-flow_f3f15f39 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:sup-air-pressure_7243c7c4 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:sup-air-pressure_85199a4e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + "bldg:sup-air-temp_00471477 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:sup-air-temp_ab150624 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:supply-air-flow_3ff0294e a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:supply-air-flow_6ed29a77 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:VolumeFlowRate ;\n", + " qudt:hasUnit unit:FT3-PER-MIN .\n", + "\n", + "bldg:supply-fan-in_ac6aebe1 a ns1:InletConnectionPoint ;\n", + " ns1:cnx bldg:c4_1e8bd6f1 ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:supply-fan-in-mapsto_1037c7d8 .\n", + "\n", + "bldg:supply-fan-out_4fdf00c1 a ns1:OutletConnectionPoint ;\n", + " ns1:cnx bldg:c5_48a8570e ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:supply-fan-out-mapsto_bc09c702 .\n", + "\n", + "bldg:temp_42f62af5 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "bldg:temp_f3e10bc1 a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + "ns1:EnumerationKind-FlowStatus a ns1:Class,\n", + " ns1:EnumerationKind-FlowStatus,\n", + " sh:NodeShape ;\n", + " rdfs:label \"EnumerationKind FlowStatus\" ;\n", + " rdfs:subClassOf ns1:EnumerationKind .\n", + "\n", + "bldg:chw-hx-B-out_3593ec12 a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:chw-hx-B-out-mapsto_dc7e9869 .\n", + "\n", + "bldg:dwh-dw-hx-B-out_8b6877dd a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:dwh-dw-hx-B-out-mapsto_366ceb70 .\n", + "\n", + "bldg:hw-hx-B-out_5051b0ce a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water ;\n", + " ns1:mapsTo bldg:hw-hx-B-out-mapsto_6752c0b6 .\n", + "\n", + "bldg:zone1space1 a ns1:DomainSpace ;\n", + " ns1:hasConnectionPoint bldg:in2_f9e9d20f,\n", + " bldg:in3_a98ece21,\n", + " bldg:in4_013680f9,\n", + " bldg:in_48f8f3bd,\n", + " bldg:out2_3e26ea17,\n", + " bldg:out_da72f6ab ;\n", + " ns1:hasDomain ns1:Domain-HVAC ;\n", + " ns1:hasProperty bldg:relative-humidity_7be6706c,\n", + " bldg:temp_f3e10bc1 .\n", + "\n", + "bldg:zone2space1 a ns1:DomainSpace ;\n", + " ns1:hasConnectionPoint bldg:in2_dc0fb3fb,\n", + " bldg:in3_5e52583b,\n", + " bldg:in4_87b86913,\n", + " bldg:in_c97c5eed,\n", + " bldg:out2_3fbe4ba6,\n", + " bldg:out_ebf6c4b4 ;\n", + " ns1:hasDomain ns1:Domain-HVAC ;\n", + " ns1:hasProperty bldg:relative-humidity_d7de48a0,\n", + " bldg:temp_42f62af5 .\n", + "\n", + "ns1:EnumerationKind-Override a ns1:Class,\n", + " ns1:EnumerationKind-Override,\n", + " sh:NodeShape ;\n", + " rdfs:label \"EnumerationKind Override\" ;\n", + " rdfs:subClassOf ns1:EnumerationKind .\n", + "\n", + "bldg:air-out_4a9d9ca6 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:air-out-mapsto_ba6f914c .\n", + "\n", + "bldg:air-out_abc06606 a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:air-out-mapsto_45e8f060 .\n", + "\n", + "bldg:physical-space_89186b71 a ns1:PhysicalSpace ;\n", + " ns1:encloses bldg:zone1space1 ;\n", + " ns1:hasProperty bldg:exhaust-air-flow_3cdb610c,\n", + " bldg:supply-air-flow_6ed29a77 .\n", + "\n", + "bldg:physical-space_bdb029bc a ns1:PhysicalSpace ;\n", + " ns1:encloses bldg:zone2space1 ;\n", + " ns1:hasProperty bldg:exhaust-air-flow_daa37bed,\n", + " bldg:supply-air-flow_3ff0294e .\n", + "\n", + "bldg:MAU_Supply a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo bldg:air-supply-mapsto_5ae05e50 .\n", + "\n", + "ns1:EnumerationKind-AlarmStatus a ns1:Class,\n", + " ns1:EnumerationKind-AlarmStatus,\n", + " sh:NodeShape ;\n", + " rdfs:label \"EnumerationKind AlarmStatus\" ;\n", + " rdfs:subClassOf ns1:EnumerationKind .\n", + "\n", + "\n" + ] + }, + { + "data": { + "text/plain": [ + ")>" + ] + }, + "execution_count": 12, + "metadata": {}, + "output_type": "execute_result" + } + ], "source": [ "# look at finished model\n", "print(bldg.graph.serialize())\n", @@ -187,10 +2827,27 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 17, "id": "f58dba4e-4523-496e-ac55-61550824c73a", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "IOPub data rate exceeded.\n", + "The Jupyter server will temporarily stop sending output\n", + "to the client in order to avoid crashing it.\n", + "To change this limit, set the config variable\n", + "`--ServerApp.iopub_data_rate_limit`.\n", + "\n", + "Current values:\n", + "ServerApp.iopub_data_rate_limit=1000000.0 (bytes/sec)\n", + "ServerApp.rate_limit_window=3.0 (secs)\n", + "\n" + ] + } + ], "source": [ "# validate against 223P\n", "ctx = bldg.validate([s223.get_shape_collection()])\n", @@ -200,7 +2857,7 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 18, "id": "63662fb6-79fb-4902-8e14-898aed6438cc", "metadata": {}, "outputs": [], @@ -210,10 +2867,27 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 19, "id": "7e0e4a07-bd74-4941-85a5-26c05ed22285", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stderr", + "output_type": "stream", + "text": [ + "IOPub data rate exceeded.\n", + "The Jupyter server will temporarily stop sending output\n", + "to the client in order to avoid crashing it.\n", + "To change this limit, set the config variable\n", + "`--ServerApp.iopub_data_rate_limit`.\n", + "\n", + "Current values:\n", + "ServerApp.iopub_data_rate_limit=1000000.0 (bytes/sec)\n", + "ServerApp.rate_limit_window=3.0 (secs)\n", + "\n" + ] + } + ], "source": [ "ctx = bldg.validate([s223.get_shape_collection()])\n", "print(ctx.valid)\n", @@ -222,10 +2896,579 @@ }, { "cell_type": "code", - "execution_count": null, + "execution_count": 20, "id": "d54b3f6c-d5bb-4d21-9482-85db2b5f2797", "metadata": {}, - "outputs": [], + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "@prefix ns1: .\n", + "@prefix qudt: .\n", + "@prefix qudtqk: .\n", + "@prefix rdfs: .\n", + "@prefix sh: .\n", + "@prefix unit: .\n", + "\n", + "ns1:EnumerationKind-Default a ns1:EnumerationKind-AlarmStatus ;\n", + " rdfs:label \"AlarmStatus-Alarm\"@en .\n", + "\n", + "ns1:EnumerationKind-Overridden a ns1:EnumerationKind-AlarmStatus ;\n", + " rdfs:label \"AlarmStatus-Ok\"@en .\n", + "\n", + " a ns1:AirHandlingUnit ;\n", + " ns1:contains ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + "ns1:HeatRecoveryCoil rdfs:subClassOf ns1:Coil .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:HeatRecoveryCoil ;\n", + " ns1:hasConnectionPoint ,\n", + " ,\n", + " ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ,\n", + " .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + " a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + " a ns1:Pump ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:Valve ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:CoolingCoil ;\n", + " ns1:contains ,\n", + " ;\n", + " ns1:hasConnectionPoint ,\n", + " ,\n", + " ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ,\n", + " ,\n", + " .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:Valve ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + " a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + " a ns1:Pump ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " .\n", + "\n", + " a ns1:Equipment ;\n", + " rdfs:label \"Tank\" .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:hasProperty ,\n", + " ;\n", + " ns1:mapsTo .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:HeatExchanger ;\n", + " ns1:contains ,\n", + " ,\n", + " ;\n", + " ns1:hasConnectionPoint ,\n", + " ,\n", + " ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ;\n", + " ns1:hasRole ns1:Role-Evaporator .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + " a ns1:Filter ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty .\n", + "\n", + " a ns1:Sensor ;\n", + " ns1:hasObservationLocation ;\n", + " ns1:observes .\n", + "\n", + " a ns1:Sensor ;\n", + " ns1:hasObservationLocation ;\n", + " ns1:observes .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:Valve ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + " a ns1:HeatingCoil ;\n", + " ns1:contains ,\n", + " ,\n", + " ;\n", + " ns1:hasConnectionPoint ,\n", + " ,\n", + " ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + " a ns1:QuantifiableActuatableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:DimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:mapsTo .\n", + "\n", + " a ns1:Damper ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + " a ns1:Filter ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty .\n", + "\n", + " a ns1:Sensor ;\n", + " ns1:hasObservationLocation ;\n", + " ns1:observes .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-FlowStatus .\n", + "\n", + " a ns1:EnumeratedActuatableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-RunStatus .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricCurrent ;\n", + " qudt:hasUnit unit:A .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Energy ;\n", + " qudt:hasUnit unit:KiloW-HR .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " rdfs:label \"Fan speed feedback as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:EnumeratedObservableProperty ;\n", + " ns1:hasEnumerationKind ns1:EnumerationKind-AlarmStatus .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Frequency ;\n", + " qudt:hasUnit unit:HZ .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPower ;\n", + " qudt:hasUnit unit:KiloW .\n", + "\n", + " a ns1:QuantifiableActuatableProperty ;\n", + " rdfs:label \"Fan speed as percentage of maximum frequency\" ;\n", + " qudt:hasQuantityKind qudtqk:PositiveDimensionlessRatio ;\n", + " qudt:hasUnit unit:PERCENT .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:ElectricPotential ;\n", + " qudt:hasUnit unit:V .\n", + "\n", + " a ns1:Fan ;\n", + " ns1:hasConnectionPoint ,\n", + " ;\n", + " ns1:hasProperty ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " ,\n", + " .\n", + "\n", + "ns1:EnumerationKind-FlowStatus a ns1:Class,\n", + " ns1:EnumerationKind-FlowStatus,\n", + " sh:NodeShape ;\n", + " rdfs:label \"EnumerationKind FlowStatus\" ;\n", + " rdfs:subClassOf ns1:EnumerationKind .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:Duct ;\n", + " ns1:cnx ,\n", + " ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air ;\n", + " ns1:hasProperty .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:RelativeHumidity ;\n", + " qudt:hasUnit unit:PERCENT_RH .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Temperature ;\n", + " qudt:hasUnit unit:DEG_C .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Water .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:QuantifiableObservableProperty ;\n", + " qudt:hasQuantityKind qudtqk:Pressure ;\n", + " qudt:hasUnit unit:IN_H2O .\n", + "\n", + " a ns1:InletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:cnx ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + " a ns1:OutletConnectionPoint ;\n", + " ns1:hasMedium ns1:Medium-Air .\n", + "\n", + "ns1:EnumerationKind-AlarmStatus a ns1:Class,\n", + " ns1:EnumerationKind-AlarmStatus,\n", + " sh:NodeShape ;\n", + " rdfs:label \"EnumerationKind AlarmStatus\" ;\n", + " rdfs:subClassOf ns1:EnumerationKind .\n", + "\n", + "\n" + ] + } + ], "source": [ "print(mau_templ.fill(BLDG)[1].serialize())\n" ] @@ -255,7 +3498,7 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.9.12" + "version": "3.11.9" } }, "nbformat": 4, From bce354811b59457f13645a337f7eb27ca816af07 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Sun, 28 Apr 2024 22:44:01 -0600 Subject: [PATCH 60/61] updating dockerfile; this started failing, possibly because of updated ubuntu --- tests/integration/fixtures/bacnet/Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/integration/fixtures/bacnet/Dockerfile b/tests/integration/fixtures/bacnet/Dockerfile index e74a4cf57..ff2927ae0 100644 --- a/tests/integration/fixtures/bacnet/Dockerfile +++ b/tests/integration/fixtures/bacnet/Dockerfile @@ -9,7 +9,7 @@ RUN apt update \ && rm -rf /var/lib/apt/lists/* COPY requirements.txt . -RUN pip3 install -r requirements.txt +RUN python3 -m pip install -r requirements.txt --break-system-packages COPY virtual_bacnet.py virtual_bacnet.py COPY BACpypes.ini . From ddf2ad057a37374863f900af319abf359d31dda5 Mon Sep 17 00:00:00 2001 From: Gabe Fierro Date: Tue, 14 May 2024 12:09:56 -0600 Subject: [PATCH 61/61] properly initialize graph superclass --- buildingmotif/model_builder.py | 28 +++++++++++----------------- 1 file changed, 11 insertions(+), 17 deletions(-) diff --git a/buildingmotif/model_builder.py b/buildingmotif/model_builder.py index f83c89952..28f30ebee 100644 --- a/buildingmotif/model_builder.py +++ b/buildingmotif/model_builder.py @@ -1,14 +1,15 @@ import secrets -from typing import Dict, List, Tuple +from typing import Dict, List, Optional, Union from rdflib import BNode, Graph, Literal, Namespace, URIRef +from rdflib.store import Store from rdflib.term import Node from buildingmotif.dataclasses import Library, Template from buildingmotif.namespaces import RDF, RDFS -class TemplateBuilderContext: +class TemplateBuilderContext(Graph): """ A context for building templates. This class allows the user to add templates to the context and then access them by name. The @@ -16,28 +17,21 @@ class TemplateBuilderContext: the context into a single graph. """ - def __init__(self, ns: Namespace): + def __init__(self, ns: Namespace, store: Optional[Union[Store, str]] = None): """ Creates a new TemplateBuilderContext. The context will create entities in the given namespace. :param ns: The namespace to use for the context + :param store: An optional backing store for the graph; ok to leave blank unless + you are experiencing performance issues using TemplateBuilderContext """ self.templates: Dict[str, Template] = {} self.wrappers: List[TemplateWrapper] = [] self.ns: Namespace = ns - # stores triples outside of the templates - self._g: Graph = Graph() - - def add(self, triple: Tuple): - """ - Adds a triple to the context - - :param s: The subject of the triple - :param p: The predicate of the triple - :param o: The object of the triple - """ - self._g.add(triple) + super(TemplateBuilderContext, self).__init__( + store=store or "default", identifier=None + ) def add_template(self, template: Template): """ @@ -73,12 +67,12 @@ def compile(self) -> Graph: :return: A graph containing all of the compiled templates """ graph = Graph() - graph += self._g + graph += self for wrapper in self.wrappers: graph += wrapper.compile() # add a label to every instance if it doesn't have one. Make # the label the same as the value part of the URI - for s, p, o in graph.triples((None, RDF.type, None)): + for s, o in graph.subject_objects(predicate=RDF.type): if (s, RDFS.label, None) not in graph: # get the 'value' part of the o URI using qname _, _, value = graph.namespace_manager.compute_qname(str(o))